Welcome to mirror list, hosted at ThFree Co, Russian Federation.

github.com/marian-nmt/marian-examples.git - Unnamed repository; edit this file 'description' to name the repository.
summaryrefslogtreecommitdiff
diff options
context:
space:
mode:
authorpedrodiascoelho <44275904+pedrodiascoelho@users.noreply.github.com>2022-02-23 17:58:13 +0300
committerRoman Grundkiewicz <rgrundkiewicz@gmail.com>2022-02-23 22:00:33 +0300
commit573a5070c43d0ba334cf8c4339fd02c5c89d7306 (patch)
treede301cd41c80d7b0c14eac93f44cf8ff75ff538a
parente72bd419ee59d86b1909ea5781c4ae0aeb97a224 (diff)
Forced translation
* add forced-translation examples * Update .gitignore * Update README.md * remove glossary tokenization * add eval scripts * Update EXPERIMENTS.md Added information regarding the two new testsets used for en-ro and en-nb, that contained a specific domained, annotated with a glossary with terms only specific to that domain to mimic better the Tilde's ATS testset and glossary, used for en-lv and en-de. Also added the human evaluation results for this two LPs. * Add time estimations to run end-2-end pipeline Co-authored-by: Pedro Coelho <pedro.coelho@unbabel.com> Co-authored-by: Toms Bergmanis <tomsbergmanis@gmail.com>
-rw-r--r--forced-translation/.env22
-rw-r--r--forced-translation/.gitignore2
-rw-r--r--forced-translation/README.md70
-rw-r--r--forced-translation/docs/Experiments.md137
-rw-r--r--forced-translation/docs/Pipeline.md63
-rwxr-xr-xforced-translation/install_dependencies.sh12
-rw-r--r--forced-translation/requirements.txt3
-rwxr-xr-xforced-translation/run-me.sh110
-rw-r--r--forced-translation/scripts/README.md87
-rw-r--r--forced-translation/scripts/add_glossary_annotations.py146
-rw-r--r--forced-translation/scripts/add_target_lemma_annotations.py172
-rwxr-xr-xforced-translation/scripts/align.sh73
-rwxr-xr-xforced-translation/scripts/create_factored_vocab.sh51
-rw-r--r--forced-translation/scripts/eval_lemmatized_glossary.py93
-rwxr-xr-xforced-translation/scripts/evaluate.sh36
-rw-r--r--forced-translation/scripts/lemmatize.py76
-rwxr-xr-xforced-translation/scripts/postprocess.sh40
-rwxr-xr-xforced-translation/scripts/preprocess_test.sh79
-rwxr-xr-xforced-translation/scripts/preprocess_train.sh83
-rw-r--r--forced-translation/scripts/transfer_factors_to_bpe.py51
-rwxr-xr-xforced-translation/test_data/download_data.sh24
-rw-r--r--forced-translation/test_data/glossary.enpt.tsv4153
-rw-r--r--forced-translation/tools/.gitignore2
23 files changed, 5585 insertions, 0 deletions
diff --git a/forced-translation/.env b/forced-translation/.env
new file mode 100644
index 0000000..ec0b9ff
--- /dev/null
+++ b/forced-translation/.env
@@ -0,0 +1,22 @@
+REPO_ROOT="$( cd "$( dirname "${BASH_SOURCE[0]}" )" && pwd )"
+
+SCRIPTS=$REPO_ROOT/scripts
+TOOLS=$REPO_ROOT/tools
+
+MOSES=$TOOLS/moses-scripts
+FAST_ALIGN=$TOOLS/fast_align/build
+MARIAN=
+
+DATA=$REPO_ROOT/test_data
+TRAIN_PREFIX=train
+VALID_PREFIX=valid
+TEST_PREFIX=test
+
+SRC_LANG=en
+TGT_LANG=pt
+
+FACTOR_PREFIX=p
+
+MODEL_DIR=$REPO_ROOT/model
+
+GPUS="0"
diff --git a/forced-translation/.gitignore b/forced-translation/.gitignore
new file mode 100644
index 0000000..d34c8f2
--- /dev/null
+++ b/forced-translation/.gitignore
@@ -0,0 +1,2 @@
+test_data
+model
diff --git a/forced-translation/README.md b/forced-translation/README.md
new file mode 100644
index 0000000..b7c62fd
--- /dev/null
+++ b/forced-translation/README.md
@@ -0,0 +1,70 @@
+# Apply forced translation using Marian
+
+This repository aims to give a walkthrough on how to train an end-to-end pipeline, providing the needed scripts and training guidelines to be able to successfully apply forced translation using Marian, fulfilling this way the second milestone of the [Marian-CEF](https://github.com/marian-cef/marian-dev) EU project.
+
+This milestone aims to support users in improving translation quality by injecting translations from their own bilingual terminology dictionaries. To expand coverage and support morphologically rich languages, it also supports inflecting entries in the bilingual terminology dictionary.
+
+We followed the approach taken in the following paper:<br/>
+> T. Bergmanis and M. Pinnis. *Facilitating terminology translation with target lemma annotations.* InProceedings of the 16th Conference of the European Chapter of the Association for Computational Linguistics: Main Volume, pages 3105–3111, Online, Apr. 2021. Association for Computational Linguistics. (https://www.aclweb.org/anthology/2021.eacl-main.271).
+
+All information about the experiments that we ran with the code provided in this repository, which data to use to reproduce them and the results can be found in the [docs](docs/Experiments.md) folder.<br/>
+The details regarding the technique used to be able to do forced translation are detailed in the paper cited above.
+
+We will now proceed with a description of how to use the repo.
+
+## Install
+
+Download and compile [Marian-NMT](https://github.com/marian-cef/marian-dev). For now it is needed to install the linked marian-cef version of Marian to use all the capabilities related to input factors, but as soon as the code is merged to marian-dev the link will be updated. Once Marian is installed add the path to the marian executables folder in the `.env` file.
+
+Run the following script to install [fast_align](https://github.com/clab/fast_align) and the marian selection of the [moses-scripts](https://github.com/marian-nmt/moses-scripts).
+
+```
+./install_dependencies.sh
+```
+In case you already have them installed in your machine and don't want to download them again just update the path to its folders in the `.env` file.
+
+After creating a new virtual environment install the python dependencies. You will need python 3.6.
+```
+pip install -r requirements.txt
+```
+
+## Run
+
+### Files set up and `.env` file
+
+To run the end-to-end pipeline with a ready to use example, that trains a model with Europarl data for the en-pt language pair just execute the following commands and move to the [trigger pipeline](#Trigger-pipeline) section of this README.
+```
+cd test_data
+./download_data
+cd ..
+```
+
+To run the end-to-end pipeline with your one custom data, start by placing in the same folder your corpus divided into training, validation and test set. Note that all data generated during the pipeline execution will be stored in that same folder. Then populate the `.env` file in accordance. As an example if you want to translate from English to Romanian and you named your files `train.en dev.en test.en; train.ro dev.ro test.ro` part of your `.env` file should look this:
+```
+DATA=path/to/data/folder
+TRAIN_PREFIX=train
+VALID_PREFIX=valid
+TEST_PREFIX=test
+
+SRC_LANG=en
+TGT_LANG=ro
+```
+Also add to the same data folder the bilingual glossary that you will use for inference and name it `glossary.SRC_LANGTGT_LANG.tsv`, so in the `en-ro` example that we are following the name should be `glossary.enro.tsv`. This file should be a simple two column tab separated file with the source and target terms in each line.</br>
+Also add to the `.env` file the path to where you want the model to be saved and also the prefix to use in the factors (We will use 'p' in the example). More info about the factors is [here](https://github.com/marian-cef/marian-dev/blob/master/doc/factors.md). Finally add the indexes of the gpus that you want to use (space separated).
+```
+FACTOR_PREFIX=p
+
+MODEL_DIR=path/to/model_dir
+
+GPUS="0"
+```
+
+If you only want to use the needed scripts to perform this task and use your own pipeline, an explanation of how to use each one of the essential scripts can be found in the [scripts](scripts/README.md) folder.
+
+### Trigger pipeline
+After everything is ready to go just execute:
+```
+./run-me.sh
+```
+This will execute the end-to-end pipeline. It will preprocess all the data, train a model, and subsequently translate the test set, forcing the terminology you provided in the glossary to appear in the translations of your test set. The lemmatization step in the preprocessing is neural based, so even using a GPU you should expect it to take a couple of hours to run. The training will take at least 24h (depending on the hardware you have to run it).
+A brief description of the end-to-end pipeline can be found [here](docs/Pipeline.md). \ No newline at end of file
diff --git a/forced-translation/docs/Experiments.md b/forced-translation/docs/Experiments.md
new file mode 100644
index 0000000..8486729
--- /dev/null
+++ b/forced-translation/docs/Experiments.md
@@ -0,0 +1,137 @@
+# Experiments description and results
+
+In this file we will explain and describe the experiments that we conducted to validate the use of the implemented forced translation technique.
+
+This was inspired by:<br>
+> T. Bergmanis and M. Pinnis. *Facilitating terminology translation with target lemma annotations.* InProceedings of the 16th Conference of the European Chapter of the Association for Computational Linguistics: Main Volume, pages 3105–3111, Online, Apr. 2021. Association for Computational Linguistics. (https://www.aclweb.org/anthology/2021.eacl-main.271).
+
+A description of all the steps of the pipeline can be found [here](./Pipeline.md).
+
+## Data used
+
+We ran experiments for four language pairs:
++ English-German
++ English-Latvian
++ English-Norwegian
++ English-Romanian
+
+We gathered our corpora by merging several datasets from the [OPUS](https://opus.nlpl.eu/index.php) corpus bank.
+We applied some cleaning to the corpus where we removed duplicated and empty lines and lines that were the same between source and target.
+The validation set used was a subset of the corpus excluded from the training set for all the language pairs, except en-lv where we used the newstest from [2017 WMT](http://www.statmt.org/wmt17/translation-task.html).
+The testset for en-de and en-lv was the ATS test set mentioned in the paper cited above and available [here](https://github.com/tilde-nlp/terminology_translation). For the two remaining LPs, en-ro and en-no, in order to have a testset specific to a certain domain, we selected 800 lines from the [europarl corpus](https://opus.nlpl.eu/Europarl.php) for en-ro and 800 lines from the [Tilde MODEL - EMEA](https://tilde-model.s3-eu-west-1.amazonaws.com/Tilde_MODEL_Corpus.html) corpus for en-no, creating this way a testset specific to politics and to medicine respectively.
+
+This resulted in the following data distribution (number of lines):
+
+| Language Pair | Train | Valid | Test |
+| :-----------: |:--------:| :---: | :--: |
+| en-de | 73,246,285 | 2,000 | 767 |
+| en-lv | 11,496,869 | 2,003 | 767 |
+| en-nb | 12,737,978 | 2,000 | 800 |
+| en-ro | 14,560,839 | 2,000 | 800 |
+
+If you look at both the paper and the [pipeline description](./Pipeline.md) you can see that no glossary is used during training by this method, and it only uses glossasries during the inference.
+
+For en-de and en-lv we used the [ATS](https://github.com/tilde-nlp/terminology_translation) glossaries, also used in Tilde's paper. For the en-ro language pair we used the [IATE](https://iate.europa.eu/home) generic glossary, filtered by the domains related to the content of the created testset based on europarl (Poltics, International relations, European Union, Economics, etc.). For the en-nb language pair we use a glossary from [eurotermbank](https://www.eurotermbank.com/collections/49), that has entries related to medicine, to match the EMEA based testset domain.
+
+During training this was the amount of annotated data with the target lemmas:
+
++ **en-de**: Annotated 58,63% lines with a total of 89,966,898 matches (2.13 matches per line).
++ **en-lv**: Annotated 58,24% lines with a total of 16,317,677 matches (2.43 matches per line).
++ **en-nb**: Annotated 56.98% lines with a total of 17,451,665 matches (2.40 matches per line).
++ **en-ro**: Annotated 57,44% lines with a total of 20,230,640 matches (2.41 matches per line).
+
+
+Also some statistics regarding the annotations on the testsets with the glossary entries:
+
++ **en-de**: Annotated 61.80% lines with a total of 694 matches (1.62 matches per line).
++ **en-lv**: Annotated 57.50% lines with a total of 647 matches (1.74 matches per line).
++ **en-nb**: Annotated 65.25% lines with a total of 631 matches (1.21 matches per line).
++ **en-ro**: Annotated 58.62% lines with a total of 491 matches (1.05 matches per line).
+
+## Training
+
+All the training parameters and marian configuration options were exactly the same as the ones that you can find in the [training script](../run-me.sh) of the end-to-end pipeline of this repo.
+
+## Results
+
+### Automatic metrics
+
+We evaluated based on [BLEU](https://www.aclweb.org/anthology/P02-1040.pdf) and [COMET](https://github.com/Unbabel/COMET), and we used the `wmt-large-da-estimator-1719` model for the latter.
+Regarding the terminology accuracy, we used lemmatized term exact match accuracy to measure if the system chooses the correct lexemes.
+To obtain these, we lemmatized the hypothesis of the systems and lemmatized the glossary (both the source and the target side) and counted the percentage of the lemmatized target glossaries that appeared correctly in the lemmatized target hypothesis.
+
+| Lang. Pair | BLEU | BLEU | COMET | COMET | Acc. [%] | Acc. [%]
+| :-----------: |:--------:| :---: | :--: | :--: |:--: |:--: |
+| | Baseline | Fact. Model | Baseline | Fact. Model |Baseline | Fact. Model |
+| en-de | 23.712 | **27.539** | 0.411 |**0.580** |53.03 |**95.53** |
+| en-lv | 20.810 | **24.990** |0.607 |**0.724** |52.07 |**86.86** |
+| en-nb | 32.682 | **32.870** | **0.730** | 0.726 | 81.14 | **95.09**|
+| en-ro | 37.338 | **38.591** | 0.841 | **0.879** | 81.87| **95.32** |
+
+
+The glossary accuracy does not capture
+whether the term is inflected correctly or not, and so we also relied on human evaluation.
+
+### Human evaluation
+
+We followed the same procedure as the one in Tilde's paper cited above.
+We randomly chose 100 lines that had term annotations, and asked two questions to the annotators when comparing the baseline and the factored model translation side by side:
++ Which system is better overall?
++ Rate the term translation in each of the systems with one of the following options: [Correct, Wrong lexeme, Wrong inflection, Other].
+
+The results are the following:
+#### **English-Latvian** ####
+
+Which system is better overall?
+| Baseline | Both | Factored Model |
+| :-----------: |:--------:| :---: |
+| 6 | 67 | 27 |
+
+Rate the quality of the term translation:
+
+|System| Correct | Wrong lexeme | Wrong inflection | Other|
+|:-----------:| :-----------: |:--------:| :---: |:---: |
+|Baseline| 43.3 | 44.7 | 2.7 |9.3|
+|Fact. Model| 87.3 | 2.7 | 2.7 |7.3|
+
+#### **English-German** ####
+
+Which system is better overall?
+| Baseline | Both | Factored Model |
+| :-----------: |:--------:| :---: |
+| 10 | 37 | 53 |
+
+Rate the quality of the term translation:
+
+|System| Correct | Wrong lexeme | Wrong inflection | Other|
+|:-----------:| :-----------: |:--------:| :---: |:---: |
+|Baseline| 50.4 | 47.9 | 0.0 |1.7|
+|Fact. Model| 95.8 | 0 | 3.4 |0.8|
+
+#### **English-Nowrwegian (bokmal)** ####
+Which system is better overall?
+| Baseline | Both | Factored Model |
+| :-----------: |:--------:| :------------: |
+| 19 | 61 | 20 |
+
+Rate the quality of the term translation:
+
+|System| Correct | Wrong lexeme | Wrong inflection | Other |
+|:----:|:-------:|:---------------:|:----------------:|:-----:|
+|Baseline| 78.2 | 16.4 | 3.6 | 1.8 |
+|Fact. Model| 97.3 | 0.0 | 2.7 | 0.0 |
+
+
+#### **English-Romanian** ####
+
+Which system is better overall?
+| Baseline | Both | Factored Model |
+| :-----------: |:--------:| :------------: |
+| 18 | 64 | 18 |
+
+Rate the quality of the term translation:
+
+|System| Correct | Wrong lexeme | Wrong inflection | Other |
+|:----:|:-------:|:---------------:|:----------------:|:-----:|
+|Baseline| 88.4 | 6.8 | 1.9 | 2.9 |
+|Fact. Model| 94.2 | 1.0 | 2.9 | 1.9 |
diff --git a/forced-translation/docs/Pipeline.md b/forced-translation/docs/Pipeline.md
new file mode 100644
index 0000000..cca1220
--- /dev/null
+++ b/forced-translation/docs/Pipeline.md
@@ -0,0 +1,63 @@
+# End-to-end pipeline description
+
+In this file we explain in detail the end-to-end pipeline implemented in this repo, which was also the pipeline used in our [experiments](./Experiments.md) and how we trained the system so that it had a forced translation behavior.
+
+By forced translation we mean a mechanism by which we can provide signals at runtime to the system that will force it to generate a specific translation for a given input word or phrase.
+This is a helpful solution for handling the terminology, allowing us to consult a bilingual glossary at run time and force the system to produce the desired target translations.
+Take this sentence for example:
+
+```
+Germany is part of the European Union .
+```
+We want to force the translation of the term `European Union` to be `Europäischen Union`. To do so, we inject these translations into the source sentence and use input factors (more info [here](https://github.com/marian-cef/marian-dev/blob/master/doc/factors.md)) to provide the proper signal for each of the words. We use `p0` for words that are not in the glossary, `p1` for the source version of the terms that we want to force translate, and `p2` for the desired translations of the given terms. The above sentence becomes:
+
+```
+Germany|p0 is|p0 part|p0 of|p0 the|p0 European|p1 Union|p1 Europäischen|p2 Union|p2 .|p0
+```
+
+
+By training the system with these annotations and factor inputs we expect that the system learns a *copy and inflect behavior* whenever it sees a `p1` followed by a `p2`.
+
+This is an effective solution for many languages, in particular for the ones that have reach morphologies.
+In those cases we might want to inflect the terms when translating, mainly due to the fact that usually glossaries only have the nominal forms of each term, not being feasible to have all the possible inflections. For example in this sentence:
+
+```
+I|p0 live|p1 Leben|p2 in|p0 Portugal|p0 .|p0
+```
+
+Even though we annotated the translation of `live` with the infinitive form `Leben`, we want the translation to be the correct inflection `lebe`.
+
+To tackle this, instead of annotating the training corpus with the inflected forms of the terms, we annotate it with the target lemmas, and let the system to learn copying and inflecting the term translations into the target.
+To do this, we lemmatized the target corpus (Using [stanza](https://github.com/stanfordnlp/stanza) [[2](#References)]) and then obtained the word alignments (with [fast_align](https://github.com/clab/fast_align)) of the source (tokenized) and target (tokenized and lemmatized).
+We then used these alignments to annotate some of the source words (with their corresponding lemmatized target translations).
+Following the paper [[1](#References)] from which we based this work, we only annotated verbs and nouns.
+To decide about the sentences and words to annotate, we first randomly generate a number in the range of [0.6, 1.0) for each sentence.
+Then for each source sentence we iterate over all its words and generate another number from the interval of [0.0, 1.0).
+If the randomly sampled number for the word is larger than the one of the sentence and also if the word is either noun or verb, we annotate it with its corresponding target lemma. Otherwise, we skip the word and annotate it with `p0`.
+ In contrast to the approach presented in the paper that duplicated the sentences which contain at least one annotated term (one with the term annotation and one without) here we only keep the annotated version and do not add the original version to the training corpus.
+
+
+To conclude here is a summary of the pipeline:
+
+1. Start by tokenizing the source and the target training corpus;
+2. Escape some special characters in order to be able to use factors (see [this](https://github.com/marian-cef/marian-dev/blob/master/doc/factors.md#other-suggestions));
+3. Lemmatize the target corpus;
+4. Align the source words with the target lemmas;
+5. Annotate the source data based on the alignments and apply the factors (i.e. add `p0`, `p1`, and `p2` to the annotated source sentence);
+6. Train and apply the truecaser model to the annotated corpus (but with the factors removed from it).
+7. Train a joint BPE model and apply it to both source (annotated) and target (tokenized).
+8. Extend the BPE splits to the annotated text (which contains factors).
+Imagine that we annotated the sentence "`I|p0 live|p0 in|p0 Germany|p1 Deutschland|p2 .|p0`". After applying BPE we get "`I live in Ger@@ many Deutsch@@ land .`", so we want the final format of the sentence to be: "`I|p0 live|p0 in|p0 Ger@@|p1 many|p1 Deutsch@@|p2 land|p2 .|p0`";
+9. Create a regular joint vocab and extend that to the factor vocab format expected by Marian;
+10. Train the NMT model;
+11. For inference, the preprocessing steps are the same as the ones for the training, with the exception of steps 3 to 5 (and skipping the training of the truecaser and BPE models in steps 6 and 7), because for inference we do the annotations based on an input glossary and not based on the alignment as we do for training;
+12. Translate the test set;
+13. Postprocess the hypothesis (debpe, detruecase, deescape special characters, detokenize).
+
+
+
+## References ##
+
+[1] T. Bergmanis and M. Pinnis. *Facilitating terminology translation with target lemma annotations.* InProceedings of the 16th Conference of the European Chapter of the Association for Computational Linguistics: Main Volume, pages 3105–3111, Online, Apr. 2021. Association for Computational Linguistics. (https://www.aclweb.org/anthology/2021.eacl-main.271).
+
+[2] Qi, P., Zhang, Y., Zhang, Y., Bolton, J., & Manning, C. (2020). Stanza: A Python Natural Language Processing Toolkit for Many Human Languages. In Proceedings of the 58th Annual Meeting of the Association for Computational Linguistics: System Demonstrations. (https://arxiv.org/pdf/2003.07082.pdf).
diff --git a/forced-translation/install_dependencies.sh b/forced-translation/install_dependencies.sh
new file mode 100755
index 0000000..745ed71
--- /dev/null
+++ b/forced-translation/install_dependencies.sh
@@ -0,0 +1,12 @@
+#!/bin/bash -e
+
+cd tools
+# clone moses
+git clone https://github.com/marian-nmt/moses-scripts
+
+# clone and build fast_align
+git clone https://github.com/clab/fast_align.git
+cd fast_align
+mkdir build && cd build
+cmake ..
+make
diff --git a/forced-translation/requirements.txt b/forced-translation/requirements.txt
new file mode 100644
index 0000000..5dbed99
--- /dev/null
+++ b/forced-translation/requirements.txt
@@ -0,0 +1,3 @@
+stanza==1.2
+subword-nmt==0.3.7
+sacrebleu==1.5.1
diff --git a/forced-translation/run-me.sh b/forced-translation/run-me.sh
new file mode 100755
index 0000000..3b66b7b
--- /dev/null
+++ b/forced-translation/run-me.sh
@@ -0,0 +1,110 @@
+#!/bin/bash
+
+# exit when any command fails
+set -e
+
+
+# load variables
+REPO_ROOT="$( cd "$( dirname "${BASH_SOURCE[0]}" )" && pwd )"
+source $REPO_ROOT/.env
+
+
+# check the existance of marian
+if [ ! -e $MARIAN/marian ] || [ ! -e $MARIAN/marian-vocab ]; then
+ echo "marian executable not found. You may have to setup the MARIAN variable with the path to the marian executable in the .env file"
+ echo "Exiting..."
+ exit 1
+fi
+
+
+# check the existance of input the files in the correct format
+for prefix in $TRAIN_PREFIX $VALID_PREFIX $TEST_PREFIX; do
+ for lang in $SRC_LANG $TGT_LANG; do
+ test -e $DATA/$prefix.$lang || { echo "Error: File $DATA/$prefix.$lang file not found. Check your .env file. The file path must be \$DATA/\$PREFIX.\$LANG"; exit 1; }
+ done
+done
+
+
+#########################
+## end-to-end pipeline ##
+#########################
+
+
+# Preprocess training data
+echo "Preprocessing train data..."
+$SCRIPTS/preprocess_train.sh
+
+
+# Preprocess valid data
+echo "Preprocessing valid data..."
+$SCRIPTS/preprocess_test.sh -p $VALID_PREFIX
+
+
+# Train Model
+echo "Training started..."
+mkdir -p $MODEL_DIR
+$MARIAN/marian -m $MODEL_DIR/model.npz \
+ -t $DATA/$TRAIN_PREFIX.tok.fact.tc.bpe.$SRC_LANG $DATA/$TRAIN_PREFIX.tok.tc.bpe.$TGT_LANG \
+ --valid-sets $DATA/$VALID_PREFIX.tok.fact.tc.bpe.$SRC_LANG $DATA/$VALID_PREFIX.tok.tc.bpe.$TGT_LANG \
+ -v $DATA/vocab.$SRC_LANG$TGT_LANG.fsv $DATA/vocab.$SRC_LANG$TGT_LANG.yml \
+ --type transformer \
+ --dec-depth 6 --enc-depth 6 \
+ --dim-emb 512 \
+ --transformer-dropout 0.1 \
+ --transformer-dropout-attention 0.1 \
+ --transformer-dropout-ffn 0.1 \
+ --transformer-heads 8 \
+ --transformer-preprocess "" \
+ --transformer-postprocess "dan" \
+ --transformer-dim-ffn 2048 \
+ --tied-embeddings-all \
+ --valid-mini-batch 4 \
+ --valid-metrics cross-entropy perplexity \
+ --valid-log $MODEL_DIR/valid.log \
+ --log $MODEL_DIR/train.log \
+ --early-stopping 5 \
+ --learn-rate 0.0003 \
+ --lr-warmup 16000 \
+ --lr-decay-inv-sqrt 16000 \
+ --lr-report true \
+ --exponential-smoothing 1.0 \
+ --label-smoothing 0.1 \
+ --optimizer-params 0.9 0.98 1.0e-09 \
+ --optimizer-delay 6 \
+ --keep-best \
+ --overwrite \
+ --mini-batch-fit \
+ --sync-sgd \
+ --devices $GPUS \
+ --workspace 9000 \
+ --factors-dim-emb 8 \
+ --factors-combine concat \
+ --disp-freq 100 \
+ --save-freq 5000 \
+ --valid-freq 5000 \
+
+
+# Preprocess test data
+echo "Preprocessing test data..."
+$SCRIPTS/preprocess_test.sh -p $TEST_PREFIX
+
+
+# Translate test data
+echo "Translating test data..."
+$MARIAN/marian-decoder -c $MODEL_DIR/model.npz.decoder.yml \
+ -i $DATA/$TEST_PREFIX.tok.fact.tc.bpe.$SRC_LANG \
+ -o $DATA/$TEST_PREFIX.hyps.$TGT_LANG
+
+
+# Postprocessing test data
+echo "Postprocessing test data..."
+$SCRIPTS/postprocess.sh -p $TEST_PREFIX
+
+
+# Evaluate test data
+echo "Evaluating test data..."
+$SCRIPTS/evaluate.sh -p $TEST_PREFIX
+
+
+# exit success
+exit 0
diff --git a/forced-translation/scripts/README.md b/forced-translation/scripts/README.md
new file mode 100644
index 0000000..b9dcbf2
--- /dev/null
+++ b/forced-translation/scripts/README.md
@@ -0,0 +1,87 @@
+# Scripts description
+
+In this folder you can find a list of the scripts needed to do forced translation with marian that you must include in your pipeline, and/or execute the end-to-end pipeline implemented in this repo.
+
+Here is a description of what the scripts do, how to use them, and their command line interface.
+
+## [lemmatize.py](lemmatize.py)
+
+This script lemmatizes a corpus using the [stanza](https://github.com/stanfordnlp/stanza) toolkit. Note that the scripts lemmatizes all the words.
+It expects the corpus to be tokenized.
+Also, we recommend using a GPU to run it in order to be faster. To run it just do:
+```
+python lemmatize.py -i path/to/input_text -l lang_id -o path/to/output_text
+```
+## [align.sh](align.sh)
+
+This script is just a wrapper around the execution of the [fast_align](https://github.com/clab/fast_align) calls, to generate alignments between two files. It generates source-target and target-source alignments, to later symmetrize them and output only one final alignments file. The alignments file will be stored in the source file directory. It will look for fast_align executables in the tools dir of this repo, but you can explicitly set the fast_align path if needed by setting the FAST_ALIGN variable. To execute run:
+
+```
+FAST_ALIGN=path/to/fast_align_execs ./align.sh -s path/to/source_file -t path/to/target_file
+```
+
+## [add_target_lemma_annotations.py](add_target_lemma_annotations.py)
+
+This script annotates the source data with the target lemmas, taking into account the alignments. The alignments should have the same number of lines as the corpus and the default fast_align format for each line. For example: `0-0 0-1 1-2 2-2`. It will only annotate nouns and verbs and use the random selection based on the probabilities thresholds described [here](../docs/Pipeline.md). Since we use stanza to do the POS identification we recommend using a GPU to be faster. To run it do:
+
+```
+python add_target_lemma_annotations.py -s path/to/source_file -t path/to/target_lemmatized_file --alignments_file path/to/alignments -sl source_lang_id -o path/to/output_file
+```
+
+## [add_glossary_annotations.py](add_glossary_annotations.py)
+
+This script is very similar to the one described above, with the difference that instead of relying on the alignments to inject the annotations, it looks for matches and respective translations in a provided bilingual glossary. This glossary should be a `.tsv` file with two tab separated columns like this:
+
+```
+en de
+screwdriver Schraubendreher
+sealant Dichtungsmittel
+seat belt Sicherheitsgurt
+
+```
+
+This scripts runs in two different modes. If executing without the `--test` option it will run in training mode, which mean that it will look in the target sentence as well for target term matches, and ensures that only sentences were the glossary terms also appears on the target reference are annotated. If run with `--test`, it looks in the source side only.
+
+To run the script do:
+```
+python add_glossary_annotations.py -s path/to/source_tokenized_file -t path/to/target_tokenized_file -o path/to/output_file -g path/to/glossary_file --test
+```
+
+## [create_factored_vocab.sh](create_factored_vocab.sh)
+
+This scripts creates the factored vocab in the format required by marian. More details about this [here](https://github.com/marian-cef/marian-dev/blob/master/doc/factors.md). You need to provide a file with a token per line like this:
+```
+</s>
+<unk>
+.
+,
+the
+a
+de
+```
+
+We also expect that when creating the vocab you have escaped in the corpus the special characters (#, _, |, :, \\), otherwise you might observe some misbehaviours. You may also specify the factor prefix, otherwise `p` will be assumed. To create the factor vocab run:
+```
+./create_factored_vocab.sh -i path/to/regular/vocab -o path/to/factored_vocab.fsv -p "factor_prefix"
+```
+
+## [transfer_factors_to_bpe.py](transfer_factors_to_bpe.py)
+
+This script extends the BPE splits to the factored text. Given that we need to apply the factors prior to applying the BPE, and we subsequentillyneed to extend the splits to the factored corpus. For example, if you annotate the sentence "`I|p0 live|p0 in|p0 Germany|p1 Deutschland|p2 .|p0`", and after applying BPE you get "`I live in Ger@@ many Deutsch@@ land .`", you want the final format of the sentence to be: "`I|p0 live|p0 in|p0 Ger@@|p1 many|p1 Deutsch@@|p2 land|p2 .|p0`".
+
+To run it do:
+```
+python transfer_factors_to_bpe.py --factored_corpus path/to/factored_file --bpe_corpus path/to/bpeed_file --output_file path/to/output_file
+```
+
+## [eval_lemmatized_glossary.py](eval_lemmatized_glossary.py)
+
+This script receives two files, the annotated file with the glossary terms and the factors, and the depeed hypothesis, and calculates the lemmatized term exact match accuracy. To do so, it lemmatizes the hypothesis of the system and lemmatizes the annotated glossary terms in the source and counts the percentage of the lemmatized annotated target glossaries that appeared correctly in the lemmatized target hypothesis.
+To run it do:
+```
+python scripts/eval_lemmatized_glossary.py -s path/to/factored_file -tl target_lang_id -hyps path/to/debpeed_hypothesis
+```
+
+## Other scripts
+
+The scripts `preprocess_train.sh`, `preprocess_test.sh`, `postprocess.sh` and `evaluate.sh` implement preprocess, postprocess and evaluation tasks to execute the end-to-end pipeline and are only for code organization purposes. They are meant to be executed via the top level script `run-me.sh` in the main repo root and not run standalone.
diff --git a/forced-translation/scripts/add_glossary_annotations.py b/forced-translation/scripts/add_glossary_annotations.py
new file mode 100644
index 0000000..fcf2208
--- /dev/null
+++ b/forced-translation/scripts/add_glossary_annotations.py
@@ -0,0 +1,146 @@
+import os
+import argparse
+
+from collections import defaultdict
+
+def main():
+
+ lines_annotated_counter = 0
+ total_lines_counter = 0
+ matches_counter = 0
+
+ args = parse_user_args()
+
+ source_file = os.path.realpath(args.source_file)
+ target_file = os.path.realpath(args.target_file)
+ glossary_file = os.path.realpath(args.glossary)
+ output_file = os.path.realpath(args.output_file)
+
+ factor_prefix = args.factor_prefix
+ test_mode = args.test
+
+ with open(glossary_file) as glossary_f:
+ glossary, longest_source_length = read_glossary(glossary_f)
+
+ with open(source_file, 'r') as source_f, \
+ open(target_file, 'r') as target_f, \
+ open(output_file, 'w') as output_f:
+ for source_line, target_line in zip (source_f, target_f):
+ source_line = source_line.strip().split()
+ target_line = target_line.strip().split()
+ matches = find_glossary_matches(source_line, target_line, glossary, longest_source_length, test_mode)
+ source_line = annotate(source_line, matches, factor_prefix)
+ output_f.write(' '.join(source_line) + '\n')
+ lines_annotated_counter, total_lines_counter, matches_counter = update_counters(matches, lines_annotated_counter, total_lines_counter, matches_counter)
+
+ print(f"Annotated {lines_annotated_counter/total_lines_counter*100:.2f}% lines, with a total of {matches_counter} annotations. {matches_counter/lines_annotated_counter:.2f} annotations per line")
+
+
+def read_glossary(glossary_file):
+ # skip header line
+ assert next(glossary_file) is not None
+
+ glossary = defaultdict(set)
+ longest_source_length = 0
+
+ for line in glossary_file:
+ fields = line.split('\t')
+ # the glossaries matches are done lowercased
+ source = tuple(fields[0].lower().split())
+ target = tuple(fields[-1].lower().split())
+ if not len(source) > 10:
+ glossary[source].add(target)
+ if len(source) > longest_source_length:
+ longest_source_length = len(source)
+ return glossary, longest_source_length
+
+
+def find_n_gram(sentence, n_gram, used):
+ length = len(n_gram)
+ for i in range(len(sentence) - length + 1):
+ if tuple(sentence[i : i + length]) == tuple(n_gram):
+ if not any(used[i : i + length]):
+ return i
+ return None
+
+
+def find_glossary_matches(source_sentence, target_sentence, glossary, max_length, test_mode):
+ matches = []
+ source_used = [False for _ in source_sentence]
+ target_used = [False for _ in target_sentence]
+
+ # lower case sentences to find the matches
+ source_sentence = tuple([x.lower() for x in source_sentence])
+ target_sentence = tuple([x.lower() for x in target_sentence])
+
+ # We loop over source spans, starting with the longest ones and going down to unigrams
+ for length in range(max_length, -1, -1):
+ for source_n_gram_idx in range(0, len(source_sentence) - length + 1):
+ source_n_gram = tuple(source_sentence[source_n_gram_idx : source_n_gram_idx + length])
+ # If any of the source words have already matched a glossary entry then
+ # they're not allowed to match another one
+ if any(source_used[source_n_gram_idx : source_n_gram_idx + length]):
+ continue
+ if source_n_gram in glossary:
+ #if we aren't annotating a file for inference, we also check if the term's translation appears in the target side.
+ if not test_mode:
+ for target_n_gram in glossary[source_n_gram]:
+ target_n_gram_idx = find_n_gram(target_sentence, target_n_gram, target_used)
+ if target_n_gram_idx != None:
+ for i in range(target_n_gram_idx, target_n_gram_idx + len(target_n_gram)):
+ target_used[i] = True
+ break
+ else:
+ # if the target was not found do not annotate
+ target_n_gram = None
+ else:
+ target_n_gram = next(iter(glossary[source_n_gram]))
+
+ if target_n_gram:
+ matches.append((source_n_gram, source_n_gram_idx, target_n_gram))
+ for i in range(source_n_gram_idx, source_n_gram_idx + len(source_n_gram)):
+ source_used[i] = True
+ return matches
+
+
+def annotate(source, matches, factor_prefix):
+ '''
+ Adds factors to the source based on the matches obtained
+
+ Ex I|p0 bought|p0 a|p0 car|p1 carro|p2
+ '''
+ matches = sorted(matches, key=lambda match: match[1], reverse=True)
+ source = [word + '|%s0' % factor_prefix for word in source]
+ for match in matches:
+ source_term_gram, source_start, target_term_gram = match
+ source_end = source_start + len(source_term_gram)
+
+ target_term_gram = [word + '|%s2' % factor_prefix for word in target_term_gram]
+
+ for i in range(source_start, source_end):
+ source[i] = source[i][:-1] + '1'
+ source[source_end : source_end] = target_term_gram
+ return source
+
+
+def update_counters(matches, lines_annotated_counter, total_lines_counter, matches_counter):
+ total_lines_counter += 1
+ if matches:
+ lines_annotated_counter += 1
+ matches_counter += len(matches)
+ return lines_annotated_counter, total_lines_counter, matches_counter
+
+
+def parse_user_args():
+ parser = argparse.ArgumentParser(description="Adds glossary annotations to the source")
+ parser.add_argument('-s', '--source_file', help="source file path", required=True)
+ parser.add_argument('-t', '--target_file', help="target file path", required=True)
+ parser.add_argument('-o', '--output_file', help="output file path", required=True)
+ parser.add_argument('-g', '--glossary', help="Glossary file path", required=True)
+ parser.add_argument('--factor_prefix', type=str, default='p', help="prefix for the terminology factors. Factors vocab will be [|prefix0, |prefix1, |prefix2]")
+ parser.add_argument('--test', action='store_true', help="Annotate in test mode, so the term in not checked to appear in the target")
+ return parser.parse_args()
+
+
+if __name__ == "__main__":
+ main()
diff --git a/forced-translation/scripts/add_target_lemma_annotations.py b/forced-translation/scripts/add_target_lemma_annotations.py
new file mode 100644
index 0000000..d8d8b77
--- /dev/null
+++ b/forced-translation/scripts/add_target_lemma_annotations.py
@@ -0,0 +1,172 @@
+import sys
+import os
+import argparse
+import random
+
+from collections import defaultdict
+
+import stanza
+
+
+
+def main():
+
+ lines_annotated_counter = 0
+ total_lines_counter = 0
+ matches_counter = 0
+
+ args = parse_user_args()
+
+ src_lang = args.src_lang
+ source_file = os.path.realpath(args.source_file)
+ target_file = os.path.realpath(args.target_file)
+ alignments_file = os.path.realpath(args.alignments_file)
+ output_file = os.path.realpath(args.output_file)
+
+ factor_prefix = args.factor_prefix
+
+ # set random seed
+ random.seed(args.seed)
+
+ pos_tagger = setup_stanza(src_lang)
+
+ # we gather the lines in chunks to make the lemmatization faster by passing several lines
+ # to stanza at once, but to not load all the corpus in memory.
+ chunk = {'src': [], 'trg': [], 'align': []}
+ chunk_size = args.chunk_size
+
+ with open(source_file, 'r') as source_f, \
+ open(target_file, 'r') as target_f, \
+ open(alignments_file, 'r') as alignments_f, \
+ open(output_file, 'w') as output_f:
+
+ for source_line, target_line, alignment in zip(source_f, target_f, alignments_f):
+
+ chunk['src'].append(source_line.strip().split())
+ chunk['trg'].append(target_line.strip().split())
+ chunk['align'].append(prepare_alignments(alignment))
+
+ if len(chunk['src']) < chunk_size:
+ continue
+ matches = choose_words_for_annotation(chunk['src'], chunk['align'], pos_tagger)
+ lines_annotated_counter, total_lines_counter, matches_counter = update_counters(matches, lines_annotated_counter, total_lines_counter, matches_counter)
+ factored_sentences = annotate(chunk['src'], chunk['trg'], matches, factor_prefix)
+ write_to_file(factored_sentences, output_f)
+ chunk = {'src': [], 'trg': [], 'align': []}
+
+ # also annotate last chunk in case we reached EOF
+ if chunk['src']:
+ matches = choose_words_for_annotation(chunk['src'], chunk['align'], pos_tagger)
+ update_counters(matches, lines_annotated_counter, total_lines_counter, matches_counter)
+ factored_sentences = annotate(chunk['src'], chunk['trg'], matches, factor_prefix)
+ write_to_file(factored_sentences, output_f)
+
+ print(f"Annotated {lines_annotated_counter/total_lines_counter*100:.2f}% lines, with a total of {matches_counter} annotations. {matches_counter/lines_annotated_counter:.2f} annotations per line")
+
+def setup_stanza(lang):
+ stanza_dir = os.path.dirname(os.path.realpath(stanza.__file__))
+ stanza_dir = os.path.join(stanza_dir, 'stanza_resources')
+ stanza.download(lang=lang, model_dir=stanza_dir)
+ # we assume that data is already received tokenized, thus tokenize_pretokenized = True
+ return stanza.Pipeline(lang=lang, dir=stanza_dir, processors='tokenize,pos', tokenize_pretokenized=True)
+
+
+def prepare_alignments(alignments):
+ '''
+ We expect alignments in the format: 0-0, 0-1, 1-1, 2-2
+ Stores them in a dict like: {0: [0, 1], 1: [1], 2:[2]}
+ '''
+ align_dict = defaultdict(list)
+
+ alignments = alignments.strip().split()
+ for alignment in alignments:
+ alignment = alignment.split('-')
+ align_dict[int(alignment[0])].append(int(alignment[-1]))
+
+ return align_dict
+
+
+def choose_words_for_annotation(source_sentences, alignments, pos_tagger):
+ '''
+ Based on the aligments selects wich words to annotate.
+ Returns the matches in the following format: (src_tok_idx, trg_tok_idx, nr_tokens_src_term, nr_tokens_trg_term)
+ We randomly generate a value from 0.6 to 1 for each sentence. We generate another from 0 to 1 for each word.
+ If the latter is greater than the former, and the word is either a noun or a verb we annotate that word with the
+ corresponding target lemma.
+ '''
+ # get part of speech
+ doc = pos_tagger(source_sentences)
+
+ batch_matches = []
+ for sentence, alignment in zip(doc.sentences, alignments):
+ sentence_prob = random.uniform(0.6, 1)
+ sentence_matches = []
+ for idx, word in enumerate(sentence.words):
+ word_prob = random.uniform(0, 1)
+ if word.pos in ['NOUN', 'VERB']:
+ if word_prob > sentence_prob:
+ # we check if the target tokens of the alignment are consecutive to avoid miss alignments
+ if alignment[idx] and checkConsecutive(alignment[idx]):
+ sentence_matches.append((idx, alignment[idx][0], 1, len(alignment[idx])))
+ batch_matches.append(sentence_matches)
+ return batch_matches
+
+
+def annotate(source_sentences, target_sentences, all_matches, factor_prefix):
+ '''
+ Adds factors to the source based on the matches obtained with the alignments
+
+ Ex I|p0 bought|p0 a|p0 car|p1 carro|p2
+ '''
+ source_sentences_fact = []
+ for source, target, matches in zip(source_sentences, target_sentences, all_matches):
+ matches = sorted(matches, key=lambda match: match[0], reverse=True)
+ source = [word + '|%s0' % factor_prefix for word in source]
+ for match in matches:
+ source_start = match[0]
+ target_start = match[1]
+ source_end = match[0] + match[2]
+ target_end = match[1] + match[3]
+ target_n_gram = target[target_start : target_end]
+ target_n_gram = [word + '|%s2' % factor_prefix for word in target_n_gram]
+ for i in range(source_start, source_end):
+ source[i] = source[i][:-1] + '1'
+ source[source_end : source_end] = target_n_gram
+ source_sentences_fact.append(source)
+
+ return source_sentences_fact
+
+
+def checkConsecutive(l):
+ return sorted(l) == list(range(min(l), max(l)+1))
+
+
+def update_counters(matches, lines_annotated_counter, total_lines_counter, matches_counter):
+ for match in matches:
+ total_lines_counter += 1
+ if match:
+ lines_annotated_counter += 1
+ matches_counter += len(match)
+ return lines_annotated_counter, total_lines_counter, matches_counter
+
+
+def write_to_file(sentences, f):
+ for sentence in sentences:
+ f.write(' '.join(sentence) + '\n')
+
+
+def parse_user_args():
+ parser = argparse.ArgumentParser(description="Adds target lemma annotations to the source")
+ parser.add_argument('-s', '--source_file', help="source file path", required=True)
+ parser.add_argument('-t', '--target_file', help="target file path", required=True)
+ parser.add_argument('-o', '--output_file', help="output file path", required=True)
+ parser.add_argument('--alignments_file', help="alignments file path", required=True)
+ parser.add_argument('-sl', '--src_lang', help="source language identifier", required=True)
+ parser.add_argument('--chunk_size', type=int, default=5000, help="line chunk size to feed to the lemmatizer")
+ parser.add_argument('--factor_prefix', type=str, default='p', help="prefix for the terminology factors. Factors vocab will be [|prefix0, |prefix1, |prefix2]")
+ parser.add_argument('--seed', type=int, default=1111, help="Set the random seed value")
+ return parser.parse_args()
+
+
+if __name__ == "__main__":
+ main()
diff --git a/forced-translation/scripts/align.sh b/forced-translation/scripts/align.sh
new file mode 100755
index 0000000..10217f5
--- /dev/null
+++ b/forced-translation/scripts/align.sh
@@ -0,0 +1,73 @@
+#!/bin/bash
+
+# exit when any command fails
+set -d
+
+FILE_DIR="$( cd "$( dirname "${BASH_SOURCE[0]}" )" && pwd )"
+REPO_ROOT=$FILE_DIR/..
+TOOLS=$REPO_ROOT/tools
+
+FAST_ALIGN=${FAST_ALIGN:-$TOOLS/fast_align/build}
+
+
+# check the existance of fast_align
+if [ ! -e $FAST_ALIGN/fast_align ] ; then
+ echo "fast_align executable not found. You may have to setup the FAST_ALIGN variable with the path to fast_align"
+ echo "Exiting..."
+ exit 1
+fi
+
+if [ ! -e $FAST_ALIGN/atools ] ; then
+ echo "atools executable not found. You may have to setup the FAST_ALIGN variable with the path to fast_align"
+ echo "Exiting..."
+ exit 1
+fi
+
+
+# parse options
+while getopts ":s:t:" opt; do
+ case $opt in
+ s)
+ source_file="$OPTARG"
+ ;;
+ t)
+ target_file="$OPTARG"
+ ;;
+ \?) echo "Invalid option -$OPTARG" >&2
+ ;;
+ esac
+done
+
+
+# check if files exist
+test -z $source_file && { echo "Missing Argument: source file not set"; exit 1; }
+test -z $target_file && { echo "Missing Argument: target file not set"; exit 1; }
+
+test -e $source_file || { echo "Error: $source_file file not found."; exit 1; }
+test -e $target_file || { echo "Error: $target_file file not found."; exit 1; }
+
+
+# the alignments will be store in the same directory as the source_file
+data_dir="$(cd "$(dirname "$source_file")"; pwd )"
+
+alignment_forward=$data_dir/alignment_forward
+alignment_reverse=$data_dir/alignment_reverse
+alignment=$data_dir/alignment
+
+
+# align
+paste $source_file $target_file | sed 's/\t/ ||| /g' > $data_dir/corpus.tmp
+$FAST_ALIGN/fast_align -ovd -i $data_dir/corpus.tmp > $alignment_forward
+rm $data_dir/corpus.tmp
+
+# align reverse
+paste $source_file $target_file | sed 's/\t/ ||| /g' > $data_dir/corpus.tmp
+$FAST_ALIGN/fast_align -ovd -r -i $data_dir/corpus.tmp > $alignment_reverse
+rm $data_dir/corpus.tmp
+
+# symmetrize
+$FAST_ALIGN/atools -i $alignment_forward -j $alignment_reverse -c "grow-diag" > $alignment
+rm $alignment_forward $alignment_reverse
+
+# Exit success
+exit 0
diff --git a/forced-translation/scripts/create_factored_vocab.sh b/forced-translation/scripts/create_factored_vocab.sh
new file mode 100755
index 0000000..1fa7cd9
--- /dev/null
+++ b/forced-translation/scripts/create_factored_vocab.sh
@@ -0,0 +1,51 @@
+#!/bin/bash
+
+# This file transformer a simple vocabulary file, where each line has a token into a factored vocabulary
+
+# exit when any command fails
+set -e
+
+
+# parse options
+while getopts ":i:o:p:" opt; do
+ case $opt in
+ i)
+ regular_vocab="$OPTARG"
+ ;;
+ o)
+ factored_vocab="$OPTARG"
+ ;;
+ p)
+ factor_prefix="$OPTARG"
+ ;;
+ \?) echo "Invalid option -$OPTARG" >&2
+ ;;
+ esac
+done
+
+
+# Validate options
+test -z $regular_vocab && { echo "Missing Argument: regular_vocab (option -i) not set"; exit 1; }
+test -z $factored_vocab && { echo "Missing Argument: factored_vocab (option -o) not set"; exit 1; }
+test -z $factor_prefix && { echo "Factor prefix not specified (option -p). Prefix 'p' will be used"; }
+
+factor_prefix=${factor_prefix:-"p"}
+
+test -e $regular_vocab || { echo "Error: $regular_vocab file not found."; exit 1; }
+
+# Create vocab
+echo '_lemma' > $factored_vocab
+echo "_${factor_prefix}
+${factor_prefix}0 : _${factor_prefix}
+${factor_prefix}1 : _${factor_prefix}
+${factor_prefix}2 : _${factor_prefix}" >> $factored_vocab
+
+factor_list="_has_${factor_prefix}"
+
+echo '</s> : _lemma
+<unk> : _lemma' >> $factored_vocab
+
+cat $regular_vocab | grep -v '<\/s>\|<unk>' | sed 's/$/ : _lemma '"$factor_list"'/' >> $factored_vocab
+
+# Exit success
+exit 0
diff --git a/forced-translation/scripts/eval_lemmatized_glossary.py b/forced-translation/scripts/eval_lemmatized_glossary.py
new file mode 100644
index 0000000..3b42fd2
--- /dev/null
+++ b/forced-translation/scripts/eval_lemmatized_glossary.py
@@ -0,0 +1,93 @@
+import os
+import argparse
+
+import stanza
+
+def main():
+
+ total_terms = 0
+ correct_terms = 0
+
+ args = parse_user_args()
+
+ source_fact_file = os.path.realpath(args.source_file)
+ hypothesis_file = os.path.realpath(args.hypothesis_file)
+
+ factor_prefix = args.factor_prefix
+ tgt_lang = args.tgt_lang
+
+ lemmatizer = setup_stanza(tgt_lang)
+
+ with open(source_fact_file, 'r') as source_f, \
+ open(hypothesis_file, 'r') as hyps_f:
+ for source_line, hyps_line in zip(source_f, hyps_f):
+ # we lower case everything prior to lemmatize because sometimes the lemmatizer is sensible to casing
+ hyps_line = hyps_line.strip().lower().split()
+ hyps_lemmatized = lemmatize(lemmatizer, hyps_line)
+ hyps_lemmatized = ' '.join(hyps_lemmatized)
+
+ source_line = source_line.strip().lower().split()
+ expected_terms = get_expected_terms(source_line, factor_prefix)
+
+ for term in expected_terms:
+ total_terms += 1
+ term_lemmatized = lemmatize(lemmatizer, term)
+ term_lemmatized = ' '.join(term_lemmatized)
+
+ if term_lemmatized in hyps_lemmatized:
+ correct_terms += 1
+
+ print(f"Lemmatized term exact match accuracy: {correct_terms/total_terms*100:.2f} %")
+
+
+def setup_stanza(lang):
+ stanza_dir = os.path.dirname(os.path.realpath(stanza.__file__))
+ stanza_dir = os.path.join(stanza_dir, 'stanza_resources')
+ stanza.download(lang=lang, model_dir=stanza_dir)
+ # we assume that data is already received tokenized, thus tokenize_pretokenized = True
+ return stanza.Pipeline(lang=lang,
+ dir=stanza_dir,
+ processors='tokenize,pos,lemma',
+ tokenize_pretokenized=True)
+
+
+
+def lemmatize(pipeline, sentence):
+ # stanza lemmatizer breaks if a line is passed as empty or blank, so we force it to
+ # explicitly have at least one character
+ if not sentence:
+ sentence = ['\r']
+ doc = pipeline([sentence])
+ return [word.lemma if word.lemma else word.text for word in doc.sentences[0].words]
+
+
+def get_expected_terms(toks, factor_prefix):
+ target_factor = factor_prefix + '2'
+ matches = []
+ match = []
+ for tok in toks:
+ lemma, factor = tok.split('|')
+ if factor == target_factor:
+ match.append(lemma)
+ else:
+ if match:
+ matches.append(match)
+ match = []
+ # also add last match in case we reached end of line
+ if match:
+ matches.append(match)
+ match = []
+ return matches
+
+
+def parse_user_args():
+ parser = argparse.ArgumentParser(description="Computes lemmatized term exact match accuracy")
+ parser.add_argument('-s', '--source_file', help="source file path. Should already have the factors.", required=True)
+ parser.add_argument('-hyps', '--hypothesis_file', help="hypothesis file path", required=True)
+ parser.add_argument('--factor_prefix', type=str, default='p', help="prefix for the terminology factors.")
+ parser.add_argument('-tl', '--tgt_lang', help="target language identifier", required=True)
+ return parser.parse_args()
+
+
+if __name__ == "__main__":
+ main()
diff --git a/forced-translation/scripts/evaluate.sh b/forced-translation/scripts/evaluate.sh
new file mode 100755
index 0000000..0dcc8cd
--- /dev/null
+++ b/forced-translation/scripts/evaluate.sh
@@ -0,0 +1,36 @@
+#!/bin/bash
+
+# exit if something wrong happens
+set -e
+
+# source env variables
+source "$( cd "$( dirname "${BASH_SOURCE[0]}" )" && pwd )"/../.env
+
+
+# parse options
+while getopts ":p:" opt; do
+ case $opt in
+ p)
+ prefix="$OPTARG"
+ ;;
+ \?) echo "Invalid option -$OPTARG" >&2
+ ;;
+ esac
+done
+
+# Validates files passed as argument
+test -z $prefix && { echo "Missing Argument: file prefix needed (option -p)"; exit 1; }
+
+test -e $DATA/$prefix.$SRC_LANG || { echo "Error: $DATA/$prefix.$SRC_LANG file not found."; exit 1; }
+test -e $DATA/$prefix.$TGT_LANG || { echo "Error: $DATA/$prefix.$TGT_LANG file not found."; exit 1; }
+
+
+# Evaluation steps (Lemmatized Glossary Accuracy and BLEU)
+python $SCRIPTS/eval_lemmatized_glossary.py -s $DATA/$TEST_PREFIX.tok.fact.$SRC_LANG -tl $TGT_LANG -hyps $DATA/$TEST_PREFIX.hyps.debpe.$TGT_LANG > $DATA/lemmatized_gloss_acc_score
+cat $DATA/$TEST_PREFIX.hyps.debpe.detok.$TGT_LANG | sacrebleu $DATA/$TEST_PREFIX.$TGT_LANG > $DATA/bleu_score
+
+cat $DATA/lemmatized_gloss_acc_score
+cat $DATA/bleu_score
+
+# Exit success
+exit 0
diff --git a/forced-translation/scripts/lemmatize.py b/forced-translation/scripts/lemmatize.py
new file mode 100644
index 0000000..6d5f747
--- /dev/null
+++ b/forced-translation/scripts/lemmatize.py
@@ -0,0 +1,76 @@
+import sys
+import os
+
+import argparse
+
+import stanza
+
+
+def main():
+ args = parse_user_args()
+ stanza_pipeline = setup_stanza(args.lang)
+
+ input_file = os.path.realpath(args.input_file)
+ output_file = os.path.realpath(args.output_file)
+
+ # we gather the lines in chunks to make the lemmatization faster by passing several lines
+ # to stanza at once, but to not load all the corpus in memory.
+ chunk = []
+ chunk_size = args.chunk_size
+ with open(input_file, 'r') as f_in, open(output_file, "w") as f_out:
+ for line in f_in:
+ tokens = line.strip().split()
+ # stanza lemmatizer breaks if a line is passed as empty or blank, so we force it to
+ # explicitly have at least one character
+ if not tokens:
+ tokens = ['\r']
+ chunk.append(tokens)
+
+ if len(chunk) < chunk_size:
+ continue
+
+ lemma_sents = lemmatize(stanza_pipeline, chunk)
+ write_to_file(lemma_sents, f_out)
+ chunk = []
+
+ # also lemmatize last chunk in case we reached EOF
+ if chunk:
+ lemma_sents = lemmatize(stanza_pipeline, chunk)
+ write_to_file(lemma_sents, f_out)
+
+
+def setup_stanza(lang):
+ stanza_dir = os.path.dirname(os.path.realpath(stanza.__file__))
+ stanza_dir = os.path.join(stanza_dir, 'stanza_resources')
+ stanza.download(lang=lang, model_dir=stanza_dir)
+ # we assume that data is already received tokenized, thus tokenize_pretokenized = True
+ return stanza.Pipeline(lang=lang,
+ dir=stanza_dir,
+ processors='tokenize,pos,lemma',
+ tokenize_pretokenized=True)
+
+
+def lemmatize(pipeline, text_batch):
+ doc = pipeline(text_batch)
+ lemmatized_sentences = []
+ for sentence in doc.sentences:
+ lemmatized_sentences.append([word.lemma if word.lemma else word.text for word in sentence.words])
+ return lemmatized_sentences
+
+
+def write_to_file(sentences, f):
+ for sentence in sentences:
+ f.write(' '.join(sentence) + '\n')
+
+
+def parse_user_args():
+ parser = argparse.ArgumentParser(description='Lemmatize all words in the corpus')
+ parser.add_argument('--lang', '-l', required=True, help='language identifier')
+ parser.add_argument('--input_file', '-i', required=True, help='input file path')
+ parser.add_argument('--output_file', '-o', required=True, help='output file path')
+ parser.add_argument('--chunk_size', type=int, default=1000, help='line chunk size to feed to the lemmatizer')
+ return parser.parse_args()
+
+
+if __name__ == "__main__":
+ main()
diff --git a/forced-translation/scripts/postprocess.sh b/forced-translation/scripts/postprocess.sh
new file mode 100755
index 0000000..3faf20d
--- /dev/null
+++ b/forced-translation/scripts/postprocess.sh
@@ -0,0 +1,40 @@
+#!/bin/bash
+
+# exit if something wrong happens
+set -e
+
+# source env variables
+source "$( cd "$( dirname "${BASH_SOURCE[0]}" )" && pwd )"/../.env
+
+
+# parse options
+while getopts ":p:" opt; do
+ case $opt in
+ p)
+ prefix="$OPTARG"
+ ;;
+ \?) echo "Invalid option -$OPTARG" >&2
+ ;;
+ esac
+done
+
+# Validates files passed as argument
+test -z $prefix && { echo "Missing Argument: file prefix needed (option -p)"; exit 1; }
+
+test -e $DATA/$prefix.$SRC_LANG || { echo "Error: $DATA/$prefix.$SRC_LANG file not found."; exit 1; }
+test -e $DATA/$prefix.$TGT_LANG || { echo "Error: $DATA/$prefix.$TGT_LANG file not found."; exit 1; }
+
+# Posprocessing steps (debpe, detruecase, deescape special carachters, detokenize)
+cat $DATA/$prefix.hyps.$TGT_LANG | sed 's/@@ //g' > $DATA/$prefix.hyps.debpe.$TGT_LANG
+
+cat $DATA/$prefix.hyps.debpe.$TGT_LANG | $MOSES/scripts/recaser/detruecase.perl \
+ | sed -e 's/\&htg;/#/g' \
+ -e 's/\&cln;/:/g' \
+ -e 's/\&usc;/_/g' \
+ -e 's/\&ppe;/|/g' \
+ -e 's/\&esc;/\\/g' \
+ | $MOSES/scripts/tokenizer/detokenizer.perl -l $TGT_LANG \
+ > $DATA/$prefix.hyps.debpe.detok.$TGT_LANG
+
+# Exit success
+exit 0
diff --git a/forced-translation/scripts/preprocess_test.sh b/forced-translation/scripts/preprocess_test.sh
new file mode 100755
index 0000000..a615eda
--- /dev/null
+++ b/forced-translation/scripts/preprocess_test.sh
@@ -0,0 +1,79 @@
+#!/bin/bash
+
+# exit if something wrong happens
+set -e
+
+# source env variables
+source "$( cd "$( dirname "${BASH_SOURCE[0]}" )" && pwd )"/../.env
+
+
+# parse options
+while getopts ":p:" opt; do
+ case $opt in
+ p)
+ prefix="$OPTARG"
+ ;;
+ \?) echo "Invalid option -$OPTARG" >&2
+ ;;
+ esac
+done
+
+# Validates files passed as argument
+test -z $prefix && { echo "Missing Argument: file prefix needed (option -p)"; exit 1; }
+
+test -e $DATA/$prefix.$SRC_LANG || { echo "Error: $DATA/$prefix.$SRC_LANG file not found."; exit 1; }
+test -e $DATA/$prefix.$TGT_LANG || { echo "Error: $DATA/$prefix.$TGT_LANG file not found."; exit 1; }
+
+# Tokenize
+echo "Tokenizing..."
+cat $DATA/$prefix.$SRC_LANG | $MOSES/scripts/tokenizer/tokenizer.perl -a -l $SRC_LANG > $DATA/$prefix.tok.$SRC_LANG
+cat $DATA/$prefix.$TGT_LANG | $MOSES/scripts/tokenizer/tokenizer.perl -a -l $TGT_LANG > $DATA/$prefix.tok.$TGT_LANG
+
+
+# Tokenize Glossary
+echo "Tokenizing Glossary..."
+cat $DATA/glossary.$SRC_LANG$TGT_LANG.tsv | cut -f1 > $DATA/glossary.$SRC_LANG.tmp
+cat $DATA/glossary.$SRC_LANG$TGT_LANG.tsv | cut -f2 > $DATA/glossary.$TGT_LANG.tmp
+cat $DATA/glossary.$SRC_LANG.tmp | $MOSES/scripts/tokenizer/tokenizer.perl -a -l $SRC_LANG > $DATA/glossary.tok.$SRC_LANG.tmp
+cat $DATA/glossary.$TGT_LANG.tmp | $MOSES/scripts/tokenizer/tokenizer.perl -a -l $TGT_LANG > $DATA/glossary.tok.$TGT_LANG.tmp
+paste $DATA/glossary.tok.$SRC_LANG.tmp $DATA/glossary.tok.$TGT_LANG.tmp > $DATA/glossary.$SRC_LANG$TGT_LANG.tok.tsv
+rm $DATA/glossary.*.tmp
+
+
+# Escape special carachters so that we can use factors in marian
+echo "Escaping special carachters..."
+sed -i $DATA/$prefix.tok.$SRC_LANG -e 's/#/\&htg;/g' -e 's/:/\&cln;/g' -e 's/_/\&usc;/g' -e 's/|/\&ppe;/g' -e 's/\\/\&esc;/g'
+sed -i $DATA/$prefix.tok.$TGT_LANG -e 's/#/\&htg;/g' -e 's/:/\&cln;/g' -e 's/_/\&usc;/g' -e 's/|/\&ppe;/g' -e 's/\\/\&esc;/g'
+
+
+# Add target annotations to source and apply factors
+echo "Adding target annotations..."
+python $SCRIPTS/add_glossary_annotations.py --source_file $DATA/$prefix.tok.$SRC_LANG \
+ --target_file $DATA/$prefix.tok.$TGT_LANG \
+ -o $DATA/$prefix.tok.fact.$SRC_LANG \
+ -g $DATA/glossary.$SRC_LANG$TGT_LANG.tok.tsv \
+ --test
+
+
+# We remove the factors from the annotated data to apply truecase and BPE, and later we extend the factors to the subworded text
+cat $DATA/$prefix.tok.fact.$SRC_LANG | sed "s/|${FACTOR_PREFIX}[0-2]//g" > $DATA/$prefix.tok.nofact.$SRC_LANG
+
+
+# Apply truecase
+echo "Applying truecase..."
+$MOSES/scripts/recaser/truecase.perl -model $DATA/models/tc.$SRC_LANG < $DATA/$prefix.tok.nofact.$SRC_LANG > $DATA/$prefix.tok.nofact.tc.$SRC_LANG
+$MOSES/scripts/recaser/truecase.perl -model $DATA/models/tc.$TGT_LANG < $DATA/$prefix.tok.$TGT_LANG > $DATA/$prefix.tok.tc.$TGT_LANG
+
+
+# Apply BPE
+echo "Applying BPE..."
+subword-nmt apply-bpe -c $DATA/models/$SRC_LANG$TGT_LANG.bpe --vocabulary $DATA/models/vocab.bpe.$SRC_LANG --vocabulary-threshold 50 < $DATA/$prefix.tok.nofact.tc.$SRC_LANG > $DATA/$prefix.tok.nofact.tc.bpe.$SRC_LANG
+subword-nmt apply-bpe -c $DATA/models/$SRC_LANG$TGT_LANG.bpe --vocabulary $DATA/models/vocab.bpe.$TGT_LANG --vocabulary-threshold 50 < $DATA/$prefix.tok.tc.$TGT_LANG > $DATA/$prefix.tok.tc.bpe.$TGT_LANG
+
+
+# Extend BPE splits to factored corpus
+echo "Applying BPE to factored corpus..."
+python scripts/transfer_factors_to_bpe.py --factored_corpus $DATA/$prefix.tok.fact.$SRC_LANG --bpe_corpus $DATA/$prefix.tok.nofact.tc.bpe.$SRC_LANG -o $DATA/$prefix.tok.fact.tc.bpe.$SRC_LANG
+
+# Exit success
+exit 0
diff --git a/forced-translation/scripts/preprocess_train.sh b/forced-translation/scripts/preprocess_train.sh
new file mode 100755
index 0000000..8bd3795
--- /dev/null
+++ b/forced-translation/scripts/preprocess_train.sh
@@ -0,0 +1,83 @@
+#!/bin/bash
+
+# exit if something wrong happens
+set -e
+
+
+# source env variables
+source "$( cd "$( dirname "${BASH_SOURCE[0]}" )" && pwd )"/../.env
+
+
+# Tokenize
+echo "Tokenizing..."
+cat $DATA/$TRAIN_PREFIX.$SRC_LANG | $MOSES/scripts/tokenizer/tokenizer.perl -a -l $SRC_LANG > $DATA/$TRAIN_PREFIX.tok.$SRC_LANG
+cat $DATA/$TRAIN_PREFIX.$TGT_LANG | $MOSES/scripts/tokenizer/tokenizer.perl -a -l $TGT_LANG > $DATA/$TRAIN_PREFIX.tok.$TGT_LANG
+
+
+# Escape special carachters so that we can use factors in marian
+echo "Escaping special carachters..."
+sed -i $DATA/$TRAIN_PREFIX.tok.$SRC_LANG -e 's/#/\&htg;/g' -e 's/:/\&cln;/g' -e 's/_/\&usc;/g' -e 's/|/\&ppe;/g' -e 's/\\/\&esc;/g'
+sed -i $DATA/$TRAIN_PREFIX.tok.$TGT_LANG -e 's/#/\&htg;/g' -e 's/:/\&cln;/g' -e 's/_/\&usc;/g' -e 's/|/\&ppe;/g' -e 's/\\/\&esc;/g'
+
+
+# Lemmatize target
+echo "Lemmatizing target..."
+python $SCRIPTS/lemmatize.py -i $DATA/$TRAIN_PREFIX.tok.$TGT_LANG -o $DATA/$TRAIN_PREFIX.tok.lemmas.$TGT_LANG -l $TGT_LANG
+
+
+# Align source with target lemmas
+echo "Aligning..."
+FAST_ALIGN=$FAST_ALIGN $SCRIPTS/align.sh -s $DATA/$TRAIN_PREFIX.tok.$SRC_LANG -t $DATA/$TRAIN_PREFIX.tok.lemmas.$TGT_LANG
+
+
+# Add target annotations to source and apply factors
+echo "Adding target annotations..."
+python $SCRIPTS/add_target_lemma_annotations.py --source_file $DATA/$TRAIN_PREFIX.tok.$SRC_LANG --target_file $DATA/$TRAIN_PREFIX.tok.lemmas.$TGT_LANG --alignments_file $DATA/alignment -sl $SRC_LANG -o $DATA/$TRAIN_PREFIX.tok.fact.$SRC_LANG
+
+
+# We remove the factors from the annotated data to apply truecase and BPE, and later we extend the factors to the subworded text
+cat $DATA/$TRAIN_PREFIX.tok.fact.$SRC_LANG | sed "s/|${FACTOR_PREFIX}[0-2]//g" > $DATA/$TRAIN_PREFIX.tok.nofact.$SRC_LANG
+
+
+# Train truecase
+echo "Training truecase..."
+mkdir -p $DATA/models
+$MOSES/scripts/recaser/train-truecaser.perl -corpus $DATA/$TRAIN_PREFIX.tok.nofact.$SRC_LANG -model $DATA/models/tc.$SRC_LANG
+$MOSES/scripts/recaser/train-truecaser.perl -corpus $DATA/$TRAIN_PREFIX.tok.$TGT_LANG -model $DATA/models/tc.$TGT_LANG
+
+
+# Apply truecase
+echo "Applying truecase..."
+$MOSES/scripts/recaser/truecase.perl -model $DATA/models/tc.$SRC_LANG < $DATA/$TRAIN_PREFIX.tok.nofact.$SRC_LANG > $DATA/$TRAIN_PREFIX.tok.nofact.tc.$SRC_LANG
+$MOSES/scripts/recaser/truecase.perl -model $DATA/models/tc.$TGT_LANG < $DATA/$TRAIN_PREFIX.tok.$TGT_LANG > $DATA/$TRAIN_PREFIX.tok.tc.$TGT_LANG
+
+
+# Train BPE
+echo "Training BPE..."
+subword-nmt learn-joint-bpe-and-vocab --input $DATA/$TRAIN_PREFIX.tok.nofact.tc.$SRC_LANG $DATA/$TRAIN_PREFIX.tok.tc.$TGT_LANG -s 32000 -o $DATA/models/$SRC_LANG$TGT_LANG.bpe --write-vocabulary $DATA/models/vocab.bpe.$SRC_LANG $DATA/models/vocab.bpe.$TGT_LANG
+
+
+# Apply BPE
+echo "Applying BPE..."
+subword-nmt apply-bpe -c $DATA/models/$SRC_LANG$TGT_LANG.bpe --vocabulary $DATA/models/vocab.bpe.$SRC_LANG --vocabulary-threshold 50 < $DATA/$TRAIN_PREFIX.tok.nofact.tc.$SRC_LANG > $DATA/$TRAIN_PREFIX.tok.nofact.tc.bpe.$SRC_LANG
+subword-nmt apply-bpe -c $DATA/models/$SRC_LANG$TGT_LANG.bpe --vocabulary $DATA/models/vocab.bpe.$TGT_LANG --vocabulary-threshold 50 < $DATA/$TRAIN_PREFIX.tok.tc.$TGT_LANG > $DATA/$TRAIN_PREFIX.tok.tc.bpe.$TGT_LANG
+
+
+# Extend BPE splits to factored corpus
+echo "Applying BPE to factored corpus..."
+python $SCRIPTS/transfer_factors_to_bpe.py --factored_corpus $DATA/$TRAIN_PREFIX.tok.fact.$SRC_LANG --bpe_corpus $DATA/$TRAIN_PREFIX.tok.nofact.tc.bpe.$SRC_LANG -o $DATA/$TRAIN_PREFIX.tok.fact.tc.bpe.$SRC_LANG
+
+
+# Create regular joint vocab
+echo "Creating vocab..."
+cat $DATA/$TRAIN_PREFIX.tok.nofact.tc.bpe.$SRC_LANG $DATA/$TRAIN_PREFIX.tok.tc.bpe.$TGT_LANG | $MARIAN/marian-vocab > $DATA/vocab.$SRC_LANG$TGT_LANG.yml
+
+
+# Create regular vocab
+echo "Creating factored vocab..."
+cat $DATA/vocab.$SRC_LANG$TGT_LANG.yml | sed 's/\"//g;s/:.*//g' > $DATA/vocab.$SRC_LANG$TGT_LANG.yml.tmp # makes the regular vocab only a token per line
+$SCRIPTS/create_factored_vocab.sh -i $DATA/vocab.$SRC_LANG$TGT_LANG.yml.tmp -o $DATA/vocab.$SRC_LANG$TGT_LANG.fsv -p $FACTOR_PREFIX
+rm $DATA/vocab.$SRC_LANG$TGT_LANG.yml.tmp
+
+# Exit success
+exit 0
diff --git a/forced-translation/scripts/transfer_factors_to_bpe.py b/forced-translation/scripts/transfer_factors_to_bpe.py
new file mode 100644
index 0000000..e4f3c54
--- /dev/null
+++ b/forced-translation/scripts/transfer_factors_to_bpe.py
@@ -0,0 +1,51 @@
+import os
+import argparse
+
+
+def main():
+ args = parse_user_args()
+
+ factored_file = os.path.realpath(args.factored_corpus)
+ bpeed_file = os.path.realpath(args.bpe_corpus)
+ output_file = os.path.realpath(args.output_file)
+
+ with open(factored_file, 'r', encoding='utf-8') as f_factored, \
+ open(bpeed_file, 'r', encoding='utf-8') as f_bpeed, \
+ open(output_file, 'w', encoding='utf-8') as f_output:
+
+ for l_fact, l_bpe in zip(f_factored, f_bpeed):
+
+ l_fact_toks = l_fact.strip().split()
+ l_bpe_toks = l_bpe.strip().split()
+
+ l_bpe_factors = []
+
+ fact_toks_idx = 0
+ for bpe_tok in l_bpe_toks:
+ current_factor = get_factor(l_fact_toks[fact_toks_idx])
+ if bpe_tok[-2:] != '@@':
+ fact_toks_idx += 1
+ l_bpe_factors.append(bpe_tok+current_factor)
+
+ if len(l_bpe_toks) != len(l_bpe_factors):
+ raise Exception('Unequal number of bpe tokens in original bpe line {} and factored bpe line {}'
+ .format(l_bpe_toks, l_bpe_factors))
+
+ f_output.write(' '.join(l_bpe_factors) + '\n')
+
+
+def get_factor(token):
+ separator_idx = token.index("|")
+ return token[separator_idx:]
+
+
+def parse_user_args():
+ parser = argparse.ArgumentParser(description='Extend BPE splits to factored corpus')
+ parser.add_argument('--factored_corpus', required=True, help='File with factors')
+ parser.add_argument('--bpe_corpus', required=True, help='File with bpe splits')
+ parser.add_argument('--output_file', '-o', required=True, help='output file path')
+ return parser.parse_args()
+
+
+if __name__ == "__main__":
+ main()
diff --git a/forced-translation/test_data/download_data.sh b/forced-translation/test_data/download_data.sh
new file mode 100755
index 0000000..935248a
--- /dev/null
+++ b/forced-translation/test_data/download_data.sh
@@ -0,0 +1,24 @@
+#!/bin/bash
+
+# exit when any command fails
+set -e
+
+# download Europarl for en-pt
+wget https://object.pouta.csc.fi/OPUS-Europarl/v8/moses/en-pt.txt.zip -O en-pt.txt.zip
+unzip en-pt.txt.zip Europarl.en-pt.en Europarl.en-pt.pt
+
+# split corpus between train dev and test sets
+paste Europarl.en-pt.en Europarl.en-pt.pt | shuf > shuffled_corpus
+
+head -n 2000 shuffled_corpus > valid
+head -n 4000 shuffled_corpus | tail -n 2000 > test
+tail -n +4000 shuffled_corpus > training
+
+cut -f 1 training > train.en
+cut -f 2 training > train.pt
+cut -f 1 valid > valid.en
+cut -f 2 valid > valid.pt
+cut -f 1 test > test.en
+cut -f 2 test > test.pt
+
+rm shuffled_corpus valid test training en-pt.txt.zip Europarl.en-pt.en Europarl.en-pt.pt
diff --git a/forced-translation/test_data/glossary.enpt.tsv b/forced-translation/test_data/glossary.enpt.tsv
new file mode 100644
index 0000000..747f389
--- /dev/null
+++ b/forced-translation/test_data/glossary.enpt.tsv
@@ -0,0 +1,4153 @@
+en pt
+Portuguese escudo escudo português
+preferred gender género preferido
+restriction provision disposição relativa a restrição
+indoor smoke fumo em locais fechados
+slavery escravatura
+Republic of Honduras República das Honduras
+ecological civilisation civilização ecológica
+Secretariat of the Committee on Transport and Tourism Secretariado da Comissão dos Transportes e do Turismo
+shareholder of the ECB acionista do BCE
+Delegation for relations with the People's Republic of China Delegação para as Relações com a República Popular da China
+Central Transdanubia Transdanúbia Central
+Working group of the EU-Montenegro stabilisation and association parliamentary committee Grupo de Trabalho junto da Comissão Parlamentar de Estabilização e de Associação UE-Montenegro
+substitute Judge juiz suplente
+Directorate for Parliamentary and Financial Affairs Direção dos Assuntos Parlamentares e Financeiros
+United States EUA
+Bolivia Bolívia
+divorced person pessoa divorciada
+travel document documento de viagem
+German Section Secção Alemã
+insolvency proceedings processo de insolvência
+passport passaporte
+psychosocial treatment tratamento psicossocial
+substance supplier fornecedor de substâncias
+Federal Labour Court Tribunal Federal do Trabalho
+Arab Republic of Egypt República Árabe do Egito
+student visitor visa visto de residência para estudos
+Working Party on Technical Harmonisation (Pressure Equipment) Grupo da Harmonização Técnica (Equipamentos sob Pressão)
+Protocol on Article 17 of the Treaty on European Union Protocolo relativo ao Artigo 17.º do Tratado da União Europeia
+blood-borne infection infeção transmitida por via sanguínea
+Ecumenical Aid Service Serviço Ecuménico de Entreajuda
+Supreme Court Supremo Tribunal
+directorate Direção
+Convention on the Law Applicable to Matrimonial Property Regimes Convenção sobre a Lei Aplicável aos Regimes Matrimoniais
+Paediatric Committee Comité Pediátrico
+European Partnership for Integration Parceria Europeia para a Integração
+abusive disclosure divulgação abusiva
+Directorate-General for Communication Direção-Geral da Comunicação
+preliminary report relatório preliminar
+African Union União Africana
+European patent application pedido de patente europeia
+total ban proibição total
+Directorate for Resources Direção dos Recursos
+prioritised or accelerated examination of asylum application procedimento de apreciação prioritário do pedido de asilo
+direct action ações e recursos diretos
+Administrative Inquiries and Disciplinary Procedures Service Serviço de Inquéritos Administrativos e Processos Disciplinares
+European Aviation Safety Agency Agência Europeia para a Segurança da Aviação
+trading book carteira de negociação
+supplemental label element elemento de rotulagem suplementar
+Local Court Tribunal de Primeira Instância
+External Relations Unit Unidade das Relações Externas
+be deprived of one's office ser demitido das suas funções
+exceptional circumstance circunstâncias excepcionais
+impurity impureza
+sponsor licence autorização de contratação
+border control controlo fronteiriço
+Maltese Section Secção Maltesa
+tax warehouse entreposto fiscal
+Security and Safety Luxembourg Unit Unidade de Segurança e Proteção - Luxemburgo
+Bulgarian Translation Unit Unidade da Tradução Búlgara
+historical human data dados humanos históricos
+suspended sentence pena suspensa
+Codex Alimentarius Working Party (Residues of Veterinary Drugs in Food) Grupo do Codex Alimentarius (Resíduos de Medicamentos Veterinários nos Alimentos)
+site instalação
+service for the purpose of the proceedings notificações para efeitos do processo
+Tithonian Titoniano
+Directorate-General for Logistics and Interpretation for Conferences Direção-Geral da Logística e da Interpretação para Conferências
+Committee on Social Affairs, Youth and Children, Human Exchanges, Education and Culture Comissão dos Assuntos Sociais, da Juventude e da Infância, dos Intercâmbios Humanos, da Educação e da Cultura
+humanitarian task missão humanitária
+Marseilles Regional Office Antena Regional de Marselha
+European Parliament Liaison Office in the United Kingdom Gabinete de Ligação do Parlamento Europeu no Reino Unido
+French Translation Unit Unidade da Tradução Francesa
+Parliamentary Systems Service Serviço dos Sistemas Parlamentares
+Kingdom of Belgium Reino da Bélgica
+outlook opinion parecer de prospetiva
+reply réplica
+billion mil milhões
+single Judge juiz singular
+Translation Service Serviço de Tradução
+distributor distribuidor
+referral to committee atribuição do assunto a uma comissão
+Directorate for Publishing, Innovation and Data Management Direção da Edição, da Inovação e da Gestão de Dados
+Working Party on Arable Crops (Dried Fodder) Grupo das Culturas Arvenses (Forragens Secas)
+Committee of European Insurance and Occupational Pensions Supervisors Comité das Autoridades Europeias de Supervisão dos Seguros e Pensões Complementares de Reforma
+Talent Selection Unit Unidade de Seleção de Talentos
+air-ground point-to-point data communication comunicação de dados ponto-a-ponto ar-terra
+bathing water legislation legislação relativa às águas balneares
+Innovation, Intranets and Digital Solutions Unit Unidade da Inovação, Intranets e Soluções Digitais
+European Convention on the Social Protection of Farmers Convenção Europeia relativa à Proteção Social dos Agricultores
+Confederation of Family Organisations in the European Union COFACE Families Europe
+Working Party of Legal/Linguistic Experts Grupo dos Juristas-Linguistas
+Friends of the Presidency Group (Regulatory procedure with scrutiny (RPS) adaptation) Grupo dos Amigos da Presidência (Adaptação do procedimento de regulamentação com controlo (PRC))
+inquiry solicitação de informação
+European Agreement on Mutual Assistance in the matter of Special Medical Treatments and Climatic Facilities Acordo Europeu relativo à Entreajuda Médica no domínio dos Tratamentos Especiais e dos Recursos Termoclimáticos
+Brussels Current Building Projects Unit Unidade dos Projetos de Construção em Curso em Bruxelas
+migrant migrante
+Floian Floiano
+Canada Canadá
+Fortunian Fortuniano
+cross selling venda cruzada
+Provincial Tax Court Comissão Tributária Provincial
+calibration calibração
+degradation degradação
+river basin bacia hidrográfica
+long-term resident residente de longa duração
+Secretary-General/High Representative for the Common Foreign and Security Policy, of the Council of the European Union SG/AR
+CAT and Collaborative Tools Service Serviço das Ferramentas CAT e de Colaboração
+Kingdom of Swaziland Reino da Suazilândia
+Directorate for the Library and Knowledge Services Direção da Biblioteca e de Serviços do Conhecimento
+Cyprus pound libra cipriota
+non-fatal intoxication intoxicação não mortal
+service duly effected notificação regular
+Global Trends Unit Unidade Global Trends
+rights of the elderly direitos das pessoas idosas
+Directorate for Resources Direção dos Recursos
+prenuptial medical certificate certificado médico pré-nupcial
+preventing the facilitation of entry prevenção do auxílio à entrada
+district assembly assembleia distrital
+Directorate for Institutional, Budgetary and Staff Affairs Direção dos Assuntos Institucionais, Orçamentais e do Pessoal
+Isle of Man Ilha de Man
+consultation of the register consulta do registo
+Human Resources Unit Unidade dos Recursos Humanos
+Ministry of Justice Ministério da Justiça
+render anonymous impor o anonimato
+Protocol amending the protocols annexed to the Treaty on European Union, to the Treaty establishing the European Community and/or to the Treaty establishing the European Atomic Energy Community Protocolo que altera os Protocolos anexados ao Tratado da União Europeia, ao Tratado que institui a Comunidade Europeia e/ou ao Tratado que institui a Comunidade Europeia da Energia Atómica
+Common Travel Area Zona de Deslocação Comum
+abatimento abatimento
+Federal Democratic Republic of Nepal Nepal
+Technologies and Information Security Unit Unidade das Tecnologias e da Segurança da Informação
+interim report relatório provisório
+Brussels Integrated Facility Management Unit Unidade de Gestão Integrada das Instalações em Bruxelas
+Serbia and Montenegro Sérvia e Montenegro
+substantive requisites of marriage requisito de fundo do casamento
+non-legislative act ato não legislativo
+limited tendering procedure procedimento de ajuste direto
+Plenary Organisation and Follow-up Unit Unidade da Organização e do Acompanhamento das Sessões Plenárias
+Spokesperson's Unit Unidade do Porta-Voz
+Second Protocol to the General Agreement on Privileges and Immunities of the Council of Europe 2.º Protocolo Adicional ao Acordo Geral sobre os Privilégios e Imunidades do Conselho da Europa
+Working Party on Social Questions Grupo das Questões Sociais
+Republic of Chile República do Chile
+Training and Traineeships Unit Unidade da Formação e dos Estágios
+Working Party on Agricultural Questions (Pesticides/Plant Protection Products) Grupo das Questões Agrícolas (Pesticidas/Produtos Fitossanitários)
+date of delivery data da prolação
+Working Party on Fruit and Vegetables (Fresh Fruit and Vegetables) Grupo das Frutas e Legumes (Frutas e Legumes Frescos)
+Agreement between the European Atomic Energy Community and the Government of Japan for the Joint Implementation of the Broader Approach Activities in the Field of Fusion Energy Research Acordo entre o Governo do Japão e a Comunidade Europeia da Energia Atómica para a realização conjunta das atividades da abordagem mais ampla no domínio da investigação em energia de fusão
+joint consultative committee CCM
+article artigo
+family issues questão familiar
+quantitative dose (concentration) – response (effect) relationship relação quantitativa dose (concentração) — resposta (efeito)
+Parlamentarium Parlamentarium
+EU Blue Card Cartão Azul UE
+Secretariat of the Committee on Industry, Research and Energy Secretariado da Comissão da Indústria, da Investigação e da Energia
+evidence of medical insurance comprovativo de seguro de seguro médico
+Protocol on the excessive deficit procedure Protocolo sobre o Procedimento relativo aos Défices Excessivos
+Minority Rights Group International Grupo Internacional dos Direitos das Minorias
+Food Assistance Committee Comité da Assistência Alimentar
+premature mortality mortalidade prematura
+application for interpretation pedido de interpretação
+Directorate for Legislative Affairs Direção dos Assuntos Legislativos
+European Parliament Liaison Office in Italy Gabinete de Ligação do Parlamento Europeu em Itália
+read-across approach método comparativo
+common organisation of the market in wine organização comum do mercado vitivinícola
+Latvian Interpretation Unit Unidade da Interpretação Letã
+signature assinatura
+major interpellation interpelação extensa
+oral procedure fase oral
+refugee refugiado
+Regional Court Tribunal Regional
+SANROC SANROC
+oral report relatório oral
+widow viúva
+Unit for Asia, Australia and New Zealand Unidade Ásia, Austrália e Nova Zelândia
+adjournment of a debate adiamento do debate
+injecting risk behaviour comportamento de risco em matéria de injeção
+Committee on Regional Development Comissão do Desenvolvimento Regional
+EMSA Agência Europeia da Segurança Marítima
+Dominican Republic República Dominicana
+marital relationship relações entre cônjuges
+Strategic Support Unit for Liaison Offices Unidade de Apoio Estratégico aos Gabinetes de Ligação
+Joint Working Party on Research/Atomic Questions Grupo Conjunto da Investigação/Questões Atómicas
+Nordic Council Conselho Nórdico
+secure reading room sala de leitura segura
+authorisation provision disposição relativa à autorização
+delivery of a copy against a receipt entrega de cópia mediante recibo
+Republic of Latvia República da Letónia
+Additional Protocol to the Convention for the Protection of the Human Rights and Dignity of the Human Being with regard to the Application of Biology and Medicine, on the Prohibition of Cloning Human Beings Protocolo Adicional à Convenção para a Proteção dos Direitos do Homem e da Dignidade do Ser Humano face às Aplicações da Biologia e da Medicina, que proíbe a Clonagem de Seres Humanos
+provisional chair presidência interina
+Legislative Affairs Unit Unidade dos Assuntos Legislativos
+managed immigration imigração selectiva
+subsequent application pedido ulterior
+South Programme Programa Meridional
+opinion parecer
+registration provision disposição relativa ao registo
+establishing parentage estabelecimento da filiação
+Directive 2002/58/EC of the European Parliament and of the Council of 12 July 2002 concerning the processing of personal data and the protection of privacy in the electronic communications sector Diretiva 2002/58/CE do Parlamento Europeu e do Conselho, de 12 de julho de 2002, relativa ao tratamento de dados pessoais e à proteção da privacidade no setor das comunicações eletrónicas
+Working Party on Financial Services (Cross-border payments) Grupo dos Serviços Financeiros (Pagamentos Transfronteiras)
+family mediator mediador familiar
+Community Plant Variety Office Instituto Comunitário das Variedades Vegetais
+Maltese Interpretation Unit Unidade da Interpretação Maltesa
+partial view vista parcial
+official codification codificação oficial
+Working Party on Pharmaceuticals and Medical Devices Grupo dos Produtos Farmacêuticos e Dispositivos Médicos
+linguistic diversity diversidade linguística
+visa authority autoridade responsável pelos vistos
+transexualism transexualismo
+Anti-Slavery International Anti-Slavery International
+full member membro titular
+Green Paper on the role of Civil Society in Drugs Policy in the European Union Livro Verde sobre o papel da sociedade civil na luta contra a droga na União Europeia
+Temporary coordination group on the Lisbon Strategy Grupo Temporário de Coordenação para a Estratégia de Lisboa
+pre-registration period período de pré-registo
+Republic of Lithuania República da Lituânia
+blurring imagem desfocada
+International Commission of Inquiry (Rwanda) Comissão Internacional de Inquérito para o Ruanda
+Protocol on certain provisions relating to the United Kingdom of Great Britain and Northern Ireland Protocolo relativo a Certas Disposições relacionadas com o Reino Unido da Grã-Bretanha e da Irlanda do Norte
+Special Rapporteur on the right to food relator especial das Nações Unidas sobre o direito à alimentação
+Forum for Exchange of Information on Enforcement Fórum de Intercâmbio de Informações sobre o Controlo do Cumprimento
+isomer isómero
+measure of organisation of procedure medida de organização do processo
+Federal Administrative Court Tribunal Administrativo Federal
+isolated intermediate produto intermédio isolado
+Convention for the Establishment of a European Organization for Nuclear Research Convenção para o Estabelecimento de uma Organização Europeia para a Pesquisa Nuclear
+Management Board conselho de administração
+Travel Management Unit Unidade da Gestão de Viagens
+diplomatic passport passaporte diplomático
+Protocol on permanent structured cooperation established by Article 42 of the Treaty on European Union Protocolo relativo à Cooperação Estruturada Permanente estabelecida no Artigo 42.º do Tratado da União Europeia
+International Centre for Settlement of Investment Disputes Centro Internacional para a Resolução de Diferendos relativos a Investimentos
+CIREFI (Centre for Information, Discussion and Exchange on the Crossing of Frontiers and Immigration) Centro de Informação, Reflexão e Intercâmbio em matéria de Passagem das Fronteiras e Imigração
+exclusive competence competência exclusiva
+Working Party on Products not listed in Annex I Grupo dos Produtos Não Incluídos no Anexo I
+partition chromatography cromatografia por repartição
+specialised detention facility centro de instalação temporária
+fault-based divorce divórcio culposo
+step-by-step type-approval homologação multifaseada
+hearing audiência
+divorce based on acceptance of the principle of the breakdown of the marriage divórcio por aceitação do princípio da ruptura do casamento
+group visa visto coletivo
+Publication Automation Service Serviço de Automatização das Publicações
+foreign national without identity documents estrangeiro sem documentos de identidade
+lengthy documents peças ou documentos volumosos
+unnumbered paragraph parágrafo
+original of the judgment original do acórdão
+polygamy poligamia
+order of precedence ordem de precedência
+permanent resident card cartão de residente permanente
+recipient of a substance or a preparation destinatário de uma substância ou preparação
+primary right of residence direito de residência a título principal
+take the oath prestar juramento
+EUR-Lex EUR-Lex
+BMDL10 BMDL10
+county condado
+Nicolaidis Group Grupo Nicolaidis
+Justice and Home Affairs Council Conselho (Justiça e Assuntos Internos)
+air pollutant emission inventory guidebook guia do inventário relativo às emissões de poluentes atmosféricos
+Directorate-General for Infrastructure and Logistics Direção-Geral das Infraestruturas e da Logística
+treaty tratado
+health claim alegação de saúde
+Working Party on Special Plant Products (Hops) Grupo dos Produtos Vegetais Especiais (Lúpulo)
+reply réplica
+Myrtoan Sea mar Mirtoico
+Fire Prevention Brussels Unit Unidade da Prevenção de Incêndios - Bruxelas
+shading sombreamento
+European Conservatives and Reformists Group Grupo dos Conservadores e Reformistas Europeus
+IT Service Management Gestão dos Serviços TI
+right of the child to be heard direito de o menor ser ouvido
+procedural guidelines orientações de caráter processual
+Commercial Secretary to the Treasury Secretário de Estado do Tesouro encarregado do Comércio
+EU-Canada Ocean Partnership Parceria Oceanos UE-Canadá
+regional government governo regional
+Quaestor questor
+advisory procedure committee comité para o procedimento consultivo
+European Parliament Liaison Office in Finland Gabinete de Ligação do Parlamento Europeu na Finlândia
+niece sobrinha
+Working Party on Fruit and Vegetables (Bananas) Grupo das Frutas e Legumes (Bananas)
+formation of the Court formação de julgamento
+Eastern Republic of Uruguay República Oriental do Uruguai
+President's Office Gabinete do Presidente
+theft furto
+tonnage threshold limite de tonelagem
+freedom of association liberdade de associação
+Communications and Outreach Unit Unidade de Comunicação e Sensibilização
+ward of court menor protegido pelo Estado
+legally staying foreign nationals estrangeiro em situação regular
+Audit Committee Comissão de Auditoria
+judgment referring the case back acórdão de remessa
+Directorate for Statutory Bodies and Members' Working Conditions Direção dos Órgãos Estatutários e Condições de Trabalho dos Membros
+ecotoxicological ecotoxicológico
+International Coffee Organisation Organização Internacional do Café
+Directorate for Democracy Support Direção do Apoio à Democracia
+Portuguese Section Secção Portuguesa
+Eurofisc working field coordinator coordenador de área de trabalho do Eurofisc
+closure of a debate encerramento do debate
+rescue task missão de evacuação
+Directorate B - Legislative Work Direção B - Trabalhos Legislativos
+child-pornography material material de pornografia infantil
+absorption absorção
+Transatlantic Relations and G8 Unit Unidade das Relações Transatlânticas e do G8
+Council preparatory body instância preparatória do Conselho
+Civil Law Convention on Corruption Convenção Civil sobre a Corrupção
+Audit Committee of the European Investment Bank Comité de Fiscalização do Banco Europeu de Investimento
+brief intervention intervenção breve
+Latin America Unit Unidade América Latina
+Procurement Service Serviço de Adjudicação de Contratos
+Rules of Procedure Panel Comissão do Regimento
+pyrophoric liquid líquido pirofórico
+Republic of Kenya República do Quénia
+citizens' initiative Iniciativa de Cidadania Europeia
+interinstitutional register of delegated acts Registo Interinstitucional dos Atos Delegados
+retiring Judge juiz cessante
+Note Verbale nota verbal
+specimen exemplar
+EUPOL AFGHANISTAN Missão de Polícia da União Europeia no Afeganistão
+Antici Group Grupo Antici
+Resources Unit Unidade dos Recursos
+Convention on the Organisation for Economic Co-operation and Development Convenção OCDE
+orphan órfão
+High-level Advisory Group on Climate Change Financing Grupo Consultivo de Alto Nível sobre o Financiamento da Luta contra as Alterações Climáticas
+Protocol on the position of the United Kingdom and Ireland Protocolo relativo à Posição do Reino Unido e da Irlanda
+substance subject to registration substância sujeita a registo
+Contract Staff Recruitment Unit Unidade de Recrutamento de Agentes Contratuais
+part parte
+exposure estimation estimativa de exposição
+concurrent use consumo concomitante
+Working Party on Public International Law (International Criminal Court) Grupo do Direito Internacional Público (Tribunal Penal Internacional)
+Additional Protocol to the European Social Charter Providing for a System of Collective Complaints Protocolo Adicional à Carta Social Europeia prevendo um Sistema de Reclamações Coletivas
+suspension of operation or enforcement and other interim measures suspensão da execução e outras medidas provisórias
+Staff Rights and Obligations Unit Unidade dos Direitos e Obrigações do Pessoal
+extension of a time-limit prorrogação de um prazo
+Jentink's duiker cabrito-de-jentink
+European Parliament delegation to the Budgetary Conciliation Committee Delegação do Parlamento Europeu ao Comité de Conciliação Orçamental
+costs unreasonably or vexatiously caused despesas inúteis ou vexatórias
+Structural Policies Unit Unidade das Políticas Estruturais
+European Parliament Liaison Office in Belgium Gabinete de Ligação do Parlamento Europeu na Bélgica
+Statutes of the World Tourism Organisation Estatutos da Organização Mundial do Turismo
+product which constitutes a component part of a complex product produto que constitui um componente de um produto complexo
+Mertens Group Grupo Mertens
+permission to carry out paid employment autorização para o exercício de uma actividade profissional subordinada
+working of the Court funcionamento do Tribunal de Justiça
+trans-European network rede transeuropeia
+Crohn's disease doença de Crohn
+Changhsingian Changxinguiano
+Delegation for relations with Palestine Delegação para as Relações com a Palestina
+procedure without debate procedimento sem debate
+territorial integrity integridade territorial
+Ad hoc Working Party on the Follow-Up to the Council Conclusions on Cyprus of 26 April 2004 Grupo Ad Hoc para o Acompanhamento das Conclusões do Conselho de 26 de abril de 2004 sobre Chipre
+candidate candidato
+subacute toxicity toxicidade subaguda
+International Decade for the Eradication of Colonialism Década Internacional para a Erradicação do Colonialismo
+Directorate for Economic and Scientific Policies Direção das Políticas Económicas e Científicas
+route of exposure via de exposição
+electronic trading negociação eletrónica
+registrant registante
+magnified view vista ampliada
+Central Support Unit Unidade de Apoio Central
+consultative commission comissão consultiva
+European Parliament Liaison Office in Slovakia Gabinete de Ligação do Parlamento Europeu na Eslováquia
+Secretariat of the Committee on the Internal Market and Consumer Protection Secretariado da Comissão do Mercado Interno e da Proteção dos Consumidores
+registration number número de registo
+Economic and Scientific Policy Service Serviço das Políticas Económicas e Científicas
+trailer reboque
+summons convocação para ato processual
+Luxembourg franc franco luxemburguês
+Agreement establishing the International Organisation of Vine and Wine Acordo que institui a Organização Internacional da Vinha e do Vinho
+International Tropical Timber Agreement Acordo Internacional sobre as Madeiras Tropicais
+Protocol on external relations of the Member States with regard to the crossing of external borders Protocolo relativo às Relações Externas dos Estados-Membros no que respeita à Passagem das Fronteiras Externas
+Land Acts leis relativas à propriedade fundiária
+Working Party on Intellectual Property (Trademarks) Grupo da Propriedade Intelectual (Marcas)
+Finance Unit Unidade das Finanças
+Youth Working Party Grupo da Juventude
+fee for the recording of the transfer taxa de registo da transmissão
+dissolution of marriage dissolução do casamento
+Regional Administrative Court Tribunal Administrativo Regional
+resolution resolução
+Working Party on Sugar and Isoglucose Grupo do Açúcar e Isoglucose
+Russian rouble rublo
+Northgrippian Nortegripiano
+safe third country país terceiro seguro
+Working Party on the Schengen Acquis Grupo do Acervo de Schengen
+Irish Section Secção Irlandesa
+oxidising liquid líquido comburente
+Directorate for Committees Direção das Comissões
+statement of written observations observações escritas
+Greek Translation Unit Unidade da Tradução Grega
+drug service serviço de tratamento da toxicodependência
+below-ground biomass growth aumento da biomassa subterrânea
+commodity chemical produtos químicos de base
+intrinsic property propriedade intrínseca
+statement of grounds of the appeal exposição dos fundamentos de recurso
+simplified procedure processo simplificado
+Industrial and Scientific Advisory Board Conselho Consultivo Industrial e Científico
+volatile substance substância volátil
+Nordic Council of Ministers Conselho de Ministros Nórdico
+being prevented from acting impedimento
+dates and times of sittings datas e horas das sessões
+Ex-Ante Control Service Serviço de Verificação Ex Ante
+guidance orientação
+disposition of property upon death disposição por morte
+gender reassignment treatment tratamento de reatribuição de sexo
+committee Chair presidente de comissão
+adoption of a collateral relative adopção de um colateral
+adoptive mother mãe adoptiva
+Ex-Ante Control and Public Procurement Coordination Unit Unidade de Verificação Ex Ante e de Coordenação da Adjudicação de Contratos
+Disability Living Allowance and Disability Working Allowance Act lei sobre o Subsídio de Subsistência para Deficientes e sobre o Subsídio de Trabalho para Deficientes
+right of foreign nationals to stand for election direito de elegibilidade dos estrangeiros
+border check controlo de fronteira
+European Convention on Social Security Convenção Europeia de Segurança Social
+Republic of Zimbabwe República do Zimbabué
+Barremian Barremiano
+ice sheet mass balance equilíbrio de massa da cobertura de gelo
+serious eye damage lesões oculares graves
+fossil fuel combustível fóssil
+Court of Appeal Tribunal de Recurso
+ethnic discrimination discriminação étnica
+international marriage casamento internacional
+Directorate for Resources Direção dos Recursos
+Salisbury Salisbúria
+visual disclaimer identificadores
+Dutch Interpretation Unit Unidade da Interpretação Neerlandesa
+joint debate discussão conjunta
+solar cell célula solar
+conflicting presumptions of paternity conflito de presunções de paternidade
+Ectasian Ectásico
+unregistered design desenho ou modelo não registado
+Furongian Furônguico
+consideration of the substance of the application conhecer do mérito da causa
+ultimate parent undertaking empresa-mãe de que depende em última instância
+European Convention on the Suppression of Terrorism Convenção Europeia para a Repressão do Terrorismo
+fossil fuel consumption consumo de combustíveis fósseis
+Security and Safety Strasbourg Unit Unidade de Segurança e Proteção - Estrasburgo
+intervention stock reserva de intervenção
+ErC50 CEr50
+Vienna Convention on Succession of States in respect of Treaties Convenção de Viena sobre a Sucessão de Estados em matéria de Tratados
+Schengen alert for the purpose of refusing entry indicação para efeitos de não admissão
+Financial Initiation Service Serviço de Iniciativa Financeira
+Legislative Quality Unit B - Structural and Cohesion Policy Unidade da Qualidade Legislativa B - Política Estrutural e de Coesão
+toxicovigilance toxicovigilância
+Protocol on asylum for nationals of Member States of the European Union Protocolo relativo ao Direito de Asilo de Nacionais dos Estados-Membros da União Europeia
+mutual respect of husband and wife respeito mútuo entre os cônjuges
+statement of the forms of order sought by the parties pedidos das partes
+nullity of marriage nulidade do casamento
+evaluation avaliação
+Tokelau Toquelau
+InnovFin MidCap Guarantee InnovFin Garantia para as empresas de média capitalização
+European Parliament Liaison Office in Lithuania Gabinete de Ligação do Parlamento Europeu na Lituânia
+aesthetic quality qualidade estética
+cousin primo
+Administrative Court Tribunal Administrativo
+SIS/Sirene Working Party Grupo do SIS/SIRENE
+Secretariat of the Special Committee on Artificial Intelligence in a Digital Age Secretariado da Comissão Especial sobre Inteligência Artificial na Era Digital
+Croatian Parliament Parlamento croata
+enlarged presidency Presidência alargada
+Directorate for Resources Direção dos Recursos
+3D representation representação em 3D
+Protocol on protection and welfare of animals Protocolo relativo à Proteção e ao Bem-Estar dos Animais
+drug-related public nuisance perturbação da ordem pública relacionada com a droga
+C&amp;L notification notificação C&amp;L
+Court of First Instance of the European Communities Tribunal de Primeira Instância
+completion of the measures of inquiry ultimadas as diligências de instrução
+mixed mark marca mista
+government use utilização pelo Governo
+Minsk Group Grupo de Minsk
+legal aid in immigration and asylum cases assistência jurídica gratuita (estrangeiros)
+Republic of Nicaragua República da Nicarágua
+European Parliament Liaison Office in Romania Gabinete de Ligação do Parlamento Europeu na Roménia
+Protocol No 10 to the Convention for the Protection of Human Rights and Fundamental Freedoms Protocolo n.º 10 à Convenção para a Proteção dos Direitos do Homem e das Liberdades Fundamentais
+Office Allocation and Moves Unit Unidade de Atribuição de Gabinetes e das Mudanças
+Directorate for Logistics Direção L - Logística
+Special Adviser on European Defence and Security Policy conselheiro especial em matéria de Política Europeia de Defesa e Segurança
+tabling and moving of amendments entrega e apresentação das alterações
+colon cólon
+Codex Alimentarius Working Party (Task Force on Animal Feed) Grupo do Codex Alimentarius (Grupo Especial dos Alimentos para Animais)
+early release libertação antecipada
+European Council Conselho Europeu
+Committee on Transport and Tourism Comissão dos Transportes e do Turismo
+waive immunity levantar a imunidade
+child born in adultery filho adulterino
+refer the application to intervene to the Court submeter o pedido de intervenção ao Tribunal
+Financial Resources Management and Controls Unit Unidade da Gestão dos Recursos Financeiros e dos Controlos
+Supreme Court Supremo Tribunal
+disqualification of a Judge exoneração de um juiz
+Republic of Turkey República da Turquia
+Brussels Bruxelas
+Intranets and IT Publishing Tools Service Serviço Intranet
+Working Party on Plant Health (Propagating and Planting Materials) Grupo das Questões Fitossanitárias (Propágulos e Materiais de Plantio)
+Protocol amending the European Convention on transfrontier television Protocolo de Alteração à Convenção Europeia sobre a Televisão Transfronteiras
+Lithuanian Interpretation Unit Unidade da Interpretação Lituana
+seat of the Court sede do Tribunal de Justiça
+constitution of the Chambers constituição das secções
+European Union Institute for Security Studies Instituto de Estudos de Segurança da União Europeia
+on-site isolated intermediate substância intermédia isolada nas instalações
+Working Party on Aviation Grupo da Aviação
+Agreement establishing the African Development Bank Acordo de Constituição do Banco Africano de Desenvolvimento
+'A' item note nota ponto "A"
+review reapreciação
+judicial decision in criminal matters decisão judicial em matéria penal
+Treaty concerning the accession of the Kingdom of Norway, the Republic of Austria, the Republic of Finland and the Kingdom of Sweden to the European Union Tratado relativo à Adesão do Reino da Noruega, da República da Áustria, da República da Finlândia e do Reino da Suécia à União Europeia
+successor State Estado sucessor
+Transparency Unit Unidade da Transparência
+collateral line linha colateral
+dose response assessment avaliação da relação dose-resposta
+victim of human rights abuses vítima de violação dos direitos do Homem
+position of the European Parliament posição do Parlamento Europeu
+International Year of the Family Ano Internacional da Família
+BMD10 BMD10
+fugitive ink tinta fugitiva
+to claim reivindicar
+absolute majority of the votes cast maioria absoluta dos votos expressos
+flammable gas gás inflamável
+interpreting judgment acórdão interpretativo
+withdrawal of a Judge abstenção de um juiz
+Solemn proclamation of the Charter of Fundamental Rights of the European Union Proclamação solene da Carta dos Direitos Fundamentais da União Europeia
+policy implementation execução da política
+Working Party on Preparation for International Development Conferences Grupo da Preparação das Conferências Internacionais sobre o Desenvolvimento
+Directorate for the Plenary Direção da Sessão Plenária
+education or training establishment estabelecimento de ensino
+responsibility for costs tomada a cargo das despesas
+lumen lume
+direct line linha recta
+Biosafety Clearing-House Centro de Intercâmbio de Informações para a Segurança Biológica
+R-phrases frases R
+foreign seasonal worker trabalhador estrangeiro sazonal
+Cisuralian Cisurálico
+High Court of Western Denmark Tribunal Regional de Oeste
+hearing audição
+Procurement and Contract Management Unit Unidade de Gestão de Compras e Contratos
+promise of marriage promessa de casamento
+temporary committee of inquiry comissão temporária de inquérito
+Working Party on Financial Services (Financial Conglomerates) Grupo dos Serviços Financeiros (Conglomerados Financeiros)
+denunciation denúncia
+Classified Information Unit Unidade de Informações Classificadas
+Committee on Culture and Education Comissão da Cultura e da Educação
+Protocol on the Statute of the European Investment Bank Protocolo relativo aos Estatutos do Banco Europeu de Investimento
+Barcelona Process Processo de Barcelona
+host country país de acolhimento
+Conference of Delegation Chairs Conferência dos Presidentes das Delegações
+European Security and Defence College Academia Europeia de Segurança e Defesa
+Quality Coordination Unit Unidade de Coordenação da Qualidade
+Investment Management Standing Committee Comité Permanente sobre Gestão de Ativos
+T25 T25
+Research Executive Agency Agência de Execução para a Investigação
+Informatics Unit Unidade da Informática
+rehabilitation reabilitação
+primary market mercado primário
+multiple registrants vários registantes
+substitution plan plano de substituição
+Resettlement and Humanitarian Admission Network Rede de Reinstalação e de Admissão por Motivos Humanitários
+Ministry of Transport and Communications Ministério dos Transportes e das Comunicações
+complainant queixoso
+minutes of the sitting ata da sessão
+Ex-Ante Verification Service Serviço de Verificação Ex-ante
+vertical codification codificação vertical
+ice cap calota de gelo
+Secretariat of the Committee on Civil Liberties, Justice and Home Affairs Secretariado da Comissão das Liberdades Cívicas, da Justiça e dos Assuntos Internos
+complete substance dossier dossiê completo da substância
+Advisory Group on Milk Grupo Consultivo «Leite»
+authenticated copy of the order certidão do despacho
+Structured Finance Facility Instrumento de Financiamento Estruturado
+information and communication technologies tecnologias da informação e comunicação
+reasoned order despacho fundamentado
+Disability Living Allowance and Disability Working Allowance (Northern Ireland) Order Regulamento sobre o Subsídio de Subsistência para Deficientes e o Subsídio de Trabalho para Deficientes
+daughter filha
+undocumented foreign nationals estrangeiro sem papéis
+scientific proof of parentage prova biológica de filiação
+coconut coco
+Newfoundland and Labrador Terra Nova e Labrador
+Protocol concerning imports into the European Economic Community of petroleum products refined in the Netherlands Antilles Protocolo relativo às Importações na União Europeia de Produtos Petrolíferos Refinados nas Antilhas Neerlandesas
+application to establish paternity acção de investigação de paternidade
+Calymmian Calímico
+pangender pangénero
+unfinished business questões pendentes
+Directorate-General for Innovation and Technological Support Direção-Geral da Inovação e do Apoio Tecnológico
+Seafarers' Training, Certification and Watchkeeping Code Código de Formação, de Certificação e de Serviço de Quartos para os Marítimos
+humanitarian organisation organização humanitária
+alternative penalty pena substitutiva
+World Bicycle Day Dia Mundial da Bicicleta
+contact group grupo de contacto
+maintenance claim crédito de alimentos
+transition team equipa de transição
+hearing audição
+ACI Payment Unit Unidade dos Pagamentos aos Intérpretes de Conferência Auxiliares
+Implementing Provisions of the Rules of Procedure Disposições de Aplicação do Regimento
+distribution distribuição
+Paleocene Paleocénico
+Ukraine Task Force Grupo de Missão para a Ucrânia
+non-originating product produtos não originários
+Working Party on Special Plant Products (Tobacco) Grupo dos Produtos Vegetais Especiais (Tabaco)
+stepson enteado
+Convention for the Protection of the Architectural Heritage of Europe Convenção para a Salvaguarda do Património Arquitetónico da Europa
+application to set aside oposição
+explanatory statement justificação
+reimbursement of expenses reembolso das despesas
+customs official autoridade aduaneira
+composition of the Bureau composição da Mesa
+Working Party on Company Law Grupo do Direito das Sociedades
+accelerated procedure procedimento acelerado
+Customer Experience Unit Unidade de Relações com os Clientes e Comunicação
+Protocol on the application of the principles of subsidiarity and proportionality Protocolo relativo à Aplicação dos Princípios da Subsidiariedade e da Proporcionalidade
+Convention on the International Protection of Adults Convenção sobre a Proteção Internacional dos Adultos
+disjoinder desapensação
+Working Party on Space Grupo do Espaço
+Protocol No. 4 to the Convention for the Protection of Human Rights and Fundamental Freedoms, securing certain rights and freedoms other than those already included in the Convention and in the first Protocol thereto Protocolo n.º 4 à Convenção para a Proteção dos Direitos do Homem e das Liberdades Fundamentais em que se Reconhecem certos Direitos e Liberdades além dos que já Figuram na Convenção e no Protocolo Adicional à Convenção
+Working Party on Animal Products (Beef and Veal) Grupo dos Produtos Animais (Carne de Bovino)
+Economic Secretary to the Treasury Secretário de Estado do Tesouro encarregado da Economia
+natural person pessoa singular
+recovered aggregate agregado recuperado
+point of order invocação do Regimento
+Administrative Court Tribunal Administrativo
+engagement esponsais
+sector setor
+Protocol on economic, social and territorial cohesion Protocolo relativo à Coesão Económica, Social e Territorial
+Supreme Court Supremo Tribunal
+Convention on Jurisdiction and the Enforcement of Judgments in Civil and Commercial Matters Convenção Paralela
+drug strategy estratégia de luta contra a droga
+Heiligendamm Process Processo de Heiligendamm
+neighbourhood service serviço de proximidade
+substance which, in contact with water, emits flammable gases substâncias que, em contacto com a água, libertam gases inflamáveis
+FMS Competence Centre Unit Unidade Centro de Competência FMS
+periodic indicative notice anúncio periódico indicativo
+Schengen visa visto Schengen
+Delegation to the EU-North Macedonia Joint Parliamentary Committee Delegação à Comissão Parlamentar Mista UE-Macedónia do Norte
+Spanish Interpretation Unit Unidade da Interpretação Espanhola
+Editing Service Serviço da Verificação Linguística
+Communication and Outreach Unit Unidade de Comunicação e Sensibilização
+interim bureau Mesa provisória
+president of the legislative assembly presidente de assembleia legislativa
+Single European Act AUE
+technical guidance note nota técnica de orientação
+reference for a preliminary ruling reenvio prejudicial
+Anti-Doping Convention Convenção contra o Doping
+human rights dialogue diálogo sobre direitos humanos
+readmission agreement acordo de readmissão
+Wuliuan Wuliuano
+Official Mail Unit Unidade do Correio Oficial
+Thessaly Tessália
+partial ban proibição parcial
+forensic intelligence inteligência forense
+Gibraltar Gibraltar
+liquefied gas gás liquefeito
+EIB Corporate Operational Plan Plano de Atividades do BEI
+Sofia Declaration Declaração de Sófia
+Movers Service Serviço das Mudanças
+defamation in the absence of the victim difamação
+Falkland Islands Ilhas Falkland
+Comparative Law Library Unit Unidade Biblioteca de Direito Comparado
+fee for the re-establishment of rights taxa de restituição integral
+Portuguese Association for Consumer Protection Associação Portuguesa para a Defesa do Consumidor
+risk-sharing instrument instrumento de partilha de riscos
+EU anti-racism action plan 2020-2025 Plano Europeu de Ação contra o Racismo 2020-2025
+Inventory Service Serviço do Inventário
+meeting of the European Council reunião do Conselho Europeu
+sensory impairment incapacidade sensorial
+cross-claim recurso subordinado
+ICT Equipment Management Service Serviço de Gestão dos Equipamentos TIC
+Agreement establishing the World Trade Organisation Acordo que Cria a Organização Mundial do Comércio
+vote by show of hands votação por braços erguidos
+Advisory Committee on the Conduct of Members Comité Consultivo sobre a Conduta dos Deputados
+mortis causa mortis causa
+nerve agent agente neurotóxico
+defendant on whom an application initiating proceedings has been duly served demandado devidamente citado
+adaptation to scientific and technical progress adaptação ao progresso científico e técnico
+preliminary investigation inquérito
+Placement Service Serviço de Atribuição
+Projects Support Unit Unidade de Apoio aos Projetos
+South Transdanubia Transdanúbia do Sul
+temperature change mudança da temperatura
+stepfather padrasto
+Working Party on Financial Services (Investor compensation schemes) Grupo dos Serviços Financeiros (Sistemas de Indemnização dos Investidores)
+biological parentage filiação por procriação
+Center for Justice and International Law Centro pela Justiça e o Direito Internacional
+High Quality Products Service Serviço de Produção de Alta Qualidade
+son filho
+expert's task missão do perito
+region região
+Ad hoc Working Group on Sustainability Criteria for Biofuels Grupo <i>Ad Hoc</i> dos Critérios de Sustentabilidade para os Biocombustíveis
+adjourn a sitting adiar uma sessão
+cost efficiency custo-eficiência
+Strategy and Innovation Unit Unidade de Estratégia e Inovação
+repeated exposure exposição repetida
+United States Virgin Islands Ilhas Virgens dos Estados Unidos
+Interinstitutional Relations and Social Dialogue Service Serviço de Relações Interinstitucionais e Diálogo Social
+naturalisation naturalização
+Working Party on Transport - Intermodal Questions and Networks Grupo dos Transportes - Questões Intermodais e Redes
+Slovak Republic República Eslovaca
+disclosed design desenho ou modelo divulgado
+Delegation for relations with Switzerland and Norway and to the EU-Iceland Joint Parliamentary Committee and the European Economic Area (EEA) Joint Parliamentary Committee Delegação para as Relações com a Suíça e a Noruega, à Comissão Parlamentar Mista UE-Islândia e à Comissão Parlamentar Mista do Espaço Económico Europeu (EEE)
+Unit for the Recruitment of Auxiliary Conference Interpreters Unidade do Recrutamento dos Auxiliares Intérpretes de Conferência
+hearing audiência de alegações
+Delegation to the ACP-EU Joint Parliamentary Assembly Delegação à Assembleia Parlamentar Paritária ACP-UE
+High Court Tribunal Superior
+recognised installation instalação reconhecida
+blood money resgate da pena de morte
+carrier material material «de transporte»
+safe country of origin país de origem seguro
+recommendations promoção
+hospital emergency presentation admissão nas urgências do hospital
+European Agreement on the Exchanges of Blood-grouping Reagents Acordo Europeu relativo ao Intercâmbio de Reagentes para a Determinação de Grupos Sanguíneos
+discrimination on the basis of sexual orientation discriminação em razão da orientação sexual
+graphic disclaimer renúncia gráfica
+procedure in plenary without amendment and debate processo em sessão plenária sem alterações e sem debate
+Federal Democratic Republic of Ethiopia República Federal Democrática da Etiópia
+Medical Service, Luxembourg Serviço Médico do Luxemburgo
+Committee on Economic, Financial and Commercial Affairs Comissão dos Assuntos Económicos, Financeiros e Comerciais
+Europa Experience Europa Experience
+border check controlo de fronteira
+Swedish Interpretation Unit Unidade da Interpretação Sueca
+bisexual bissexual
+Council of Europe Convention on action against trafficking in human beings Convenção do Conselho da Europa relativa à Luta contra o Tráfico de Seres Humanos
+Malaysia Malásia
+Induan Indiano
+Committee on Civil Liberties, Justice and Home Affairs Comissão das Liberdades Cívicas, da Justiça e dos Assuntos Internos
+evidence-based approach abordagem baseada na evidência
+non bold post sem ser a negro
+Action Plan against Disinformation Plano de Ação contra a Desinformação
+Toarcian Toarciano
+Internal Audit Unit Unidade Auditoria Interna
+molecular formula fórmula molecular
+Applications and IT Systems Development Unit Unidade de Desenvolvimento de Aplicações e Sistemas Informáticos
+Luxembourg Buildings Management and Maintenance Unit Unidade de Gestão Imobiliária e de Manutenção no Luxemburgo
+service mark marca de serviço
+separation of husband and wife separação dos cônjuges
+committee stage fase de apreciação em comissão
+Joint Norwegian-Russian Fisheries Commission comissão conjunta de pesca noruego-russa
+Ad hoc Working Party on Economic Governance Grupo <i>Ad Hoc</i> da Governação Económica
+Republic of Liberia República da Libéria
+First Secretary of State Ministro de Estado
+State Peace and Development Council Conselho de Estado para a Paz e o Desenvolvimento
+validity of the legal basis validade da base jurídica
+advanced therapy medicinal product medicamento de terapia avançada
+official document documento oficial
+forensic profiling caracterização científica
+Committee on Political Affairs, Security and Human Rights Comissão dos Assuntos Políticos, da Segurança e dos Direitos Humanos
+indications of danger indicação de perigo
+Democratic Socialist Republic of Sri Lanka República Democrática Socialista do Seri Lanca
+Bermuda Bermudas
+request for a preliminary ruling pedido de decisão prejudicial
+EIB Loan for SMEs empréstimo BEI para as PME
+requirements for protection requisitos da proteção
+ribbon friso
+Protocol No. 2 to the Convention for the Protection of Human Rights and Fundamental Freedoms, conferring upon the European Court of Human Rights competence to give advisory opinions Protocolo n.º 2 à Convenção para a Proteção dos Direitos do Homem e das Liberdades Fundamentais, que Confere ao Tribunal Europeu dos Direitos do Homem Competência para Emitir Opiniões Consultivas
+family família
+European Union Agency for Law Enforcement Training Agência da União Europeia para a Formação Policial
+Directorate-General for Personnel Direção-Geral do Pessoal
+French Senate Senado francês
+medication error erro de medicação
+InnovFin Advisory InnovFin Aconselhamento
+Callovian Caloviano
+pre-submission consultation consulta antes de apresentar o pedido
+Legislative Planning and Coordination Unit Unidade da Coordenação e da Programação Legislativa
+National Indian Foundation Fundação Nacional do Índio
+Working Party on Agricultural Structures and Rural Development (Agricultural Structures) Grupo das Estruturas Agrícolas e do Desenvolvimento Rural (Estruturas Agrícolas)
+victim vítima de um crime
+Policy Department for Structural and Cohesion Policies Departamento Temático das Políticas Estruturais e de Coesão
+Supervision and Operations Supervisão e Operações
+category categoria
+loss of rights perda dos direitos
+psychosis psicose
+screening panel comissão de pré-seleção
+Directorate for Interpretation Direção da Interpretação
+production of documents apresentação de documentos
+closed session conferência
+right of priority direito de prioridade
+Protocol on the Statute of the Court of Justice of the European Coal and Steel Community Protocolo relativo ao Estatuto do Tribunal de Justiça da Comunidade Europeia da Carvão e do Aço
+Architecture, planning and coordination Unit Unidade de Arquitetura, Planeamento e Coordenação
+Fourth Protocol to the General Agreement on Privileges and Immunities of the Council of Europe 4.º Protocolo Adicional ao Acordo Geral sobre os Privilégios e Imunidades do Conselho da Europa
+internet monitoring monitorização através da Internet
+Advisory Committee on the Prerogative of Mercy Comité Consultivo para a Concessão de Indultos
+lats lats
+Turks and Caicos Islands Ilhas Turcas e Caicos
+Estonian Interpretation Unit Unidade da Interpretação Estónia
+General Commission for Refugees and Stateless Persons Comissariado Geral para os Refugiados e Apátridas
+European Union Agency for Network and Information Security Agência da União Europeia para a Segurança das Redes e da Informação
+well defined substance substância bem definida
+Gzhelian Gjeliano
+common position posição comum
+technical dossier dossiê técnico
+recent extract from the register of companies certidão recente do registo comercial
+Economic and Scientific Policy Service Serviço das Políticas Económicas e Científicas
+EIB Information BEI Informações
+Territory of Norfolk Island Território da Ilha Norfolk
+National Peace Accord Acordo Nacional de Paz
+ACP Investment Facility FI
+Working Party on Arable Crops (Rice) Grupo das Culturas Arvenses (Arroz)
+annulment of visa anulação de visto
+Delegation for relations with Iran Delegação para as Relações com o Irão
+Friends of the Presidency Group (Implementation of Action 1 of the Joint Framework on countering hybrid threats) Grupo dos Amigos da Presidência (Execução da ação 1 do quadro comum em matéria de luta contra as ameaças híbridas)
+order in which cases are dealt with ordem de tratamento dos processos
+reprimand censura
+Friends of the Presidency Group (Valletta Summit on Migration) Grupo dos Amigos da Presidência (Cimeira de Valeta sobre Migração)
+draft proposal projeto de proposta
+oral testimony prova testemunhal
+normal course of business decurso da atividade corrente
+spirit of tolerance espírito de tolerância
+Working Party on the Court of Justice Grupo do Tribunal de Justiça
+target organism organismo visado
+Parliamentary Conference on the WTO Conferência Parlamentar sobre a OMC
+dossier evaluation avaliação do dossiê
+Vice-President of the Court vice-presidente do Tribunal de Justiça
+Logistical Support Unit for Liaison Offices Unidade de Apoio Logístico aos Gabinetes de Ligação
+European Union União Europeia
+Law Office of the Republic of Cyprus Procuradoria-Geral da República
+prevention of the crime of genocide prevenção do crime de genocídio
+short presentation breve apresentação
+decoking descoqueamento
+predator predador
+Media Services Unit Unidade dos Serviços aos Meios de Comunicação
+Channel Islands Ilhas Anglo-Normandas
+perjury violação do juramento
+succession to the estate of a deceased person sucessão por morte
+Working Party on Agricultural Questions Grupo das Questões Agrícolas
+object to a witness or expert impugnar a admissão de uma testemunha ou de um perito
+daughter-in- law nora
+joint hearing of two or more cases audiência de alegações comum a vários processos
+descending colon cólon descendente
+germ cell mutagenicity mutagenicidade em células germinativas
+reinsertion reinserção
+non-acute porphyria porfiria hepática não aguda
+Directorate for Logistics Direção da Logística
+biological mother mãe biológica
+working party grupo de trabalho do Comité das Regiões
+European Investment Bank Banco Europeu de Investimento
+guardian tutor
+environmental fate destino no ambiente
+Directorate D - Communication and Interinstitutional Relations Direção D - Comunicação e Relações Interinstitucionais
+conciliation proceedings procedimento de conciliação
+Codex Alimentarius Working Party (Task Force on Fruit Juices) Grupo do Codex Alimentarius (Grupo Especial dos Sumos de Frutas)
+Codex Alimentarius Working Party (Food Import and Export Inspection and Certification Systems) Grupo do Codex Alimentarius (Sistemas de Inspeção e Certificação das Importações e Exportações de Alimentos)
+annotated draft agenda projeto de ordem do dia anotada
+Working Party on Financial Services Grupo dos Serviços Financeiros
+Regulation on the financial rules applicable to the general budget of the Union Regulamento relativo às disposições financeiras aplicáveis ao orçamento geral da União
+electronic voting system sistema de votação eletrónica
+special agreement compromisso
+modus operandi formas de funcionamento
+controlled substance substância regulamentada
+Working Party on Technical Harmonisation (Dangerous substances-Chemicals) Grupo da Harmonização Técnica (Substâncias Perigosas – Produtos Químicos)
+Community rolling action plan for substance evaluation plano de acção evolutivo comunitário de avaliação das substâncias
+Financial Secretary to the Treasury Secretário de Estado do Tesouro encarregado das Finanças
+Member of the General Court membro do Tribunal Geral
+European Agreement on continued Payment of Scholarships to students studying abroad Acordo Europeu sobre a Continuação do Pagamento das Bolsas aos Estudantes que prosseguem os Estudos no Estrangeiro
+transphobic hate crime crime de ódio transfóbico
+Belgian Senate Senado belga
+Community of Democracies Comunidade das Democracias
+Security Committee Comité de Segurança
+lone parent progenitor que educa os filhos sozinho
+Langhian Languiano
+pictogram pictograma
+Protocol on the Statute of the Court of Justice Protocolo relativo ao Estatuto do Tribunal de Justiça da União Europeia
+sharing of costs repartição das despesas
+World Oceans Day Dia Mundial dos Oceanos
+foreign student estudante estrangeiro
+reasoned statement requerimento fundamentado
+corrosive to metal corrosivo para os metais
+internal security segurança interna
+criminal proceedings julgamento
+Dapingian Dapinguiano
+European Year of Equal Opportunities for All Ano Europeu da Igualdade de Oportunidades para Todos
+impunity Impunidade
+disclaimer declaração de renúncia
+Dutch Section Secção Neerlandesa
+financial instrument instrumento financeiro
+Protocol No 9 to the Convention for the Protection of Human Rights and Fundamental Freedoms Protocolo n.º 9 à Convenção para a Proteção dos Direitos do Homem e das Liberdades Fundamentais
+free and informed consent consentimento livre e esclarecido
+common child filho comum
+Council of State Conselho de Estado, em formação jurisdicional
+European Parliament Parlamento Europeu
+Engineering for Telecom Network and Access Services Service Serviço de Engenharia de Redes e Acesso às Telecomunicações
+Protocol to the European Code of Social Security Protocolo ao Código Europeu de Segurança Social
+no data, no market ausência de dados, ausência de mercado
+Climate Action Research and Tracking Service Serviço de Acompanhamento da Investigação sobre a Ação Climática
+Policy Department for External Relations Departamento Temático das Relações Externas
+Republic of Poland República da Polónia
+manifestly unfounded appeal recurso manifestamente improcedente
+Portuguese Republic República Portuguesa
+Delegation for relations with the NATO Parliamentary Assembly Delegação para as Relações com a Assembleia Parlamentar da NATO
+Parliamentary Assistance and Members' General Expenditure Unit Unidade da Assistência Parlamentar e das Despesas Gerais dos Deputados
+exposure level nível de exposição
+search busca
+rectification of an obvious inaccuracy rectificação dos lapsos manifestos
+subsequent application for asylum pedido de asilo subsequente
+Conference of Committee Chairs Conferência dos Presidentes das Comissões
+European Convention relating to Questions on Copyright Law and Neighbouring Rights in the framework of Transfrontier Broadcasting by Satellite Convenção Europeia relativa a Questões de Direito de Autor e de Direitos Conexos no quadro da Radiodifusão Transfronteiras por Satélite
+Republic of Guinea República da Guiné
+Directorate for Support and Technological Services for Translation Direção do Apoio e dos Serviços Tecnológicos para a Tradução
+solid sólido
+Treaty establishing a Constitution for Europe Tratado Constitucional
+Directorate for Campaigns Direção das Campanhas
+Statements by the High Representative for the common foreign and security policy and by other special representatives Declarações do Alto Representante para a Política Externa e de Segurança Comum e de outros representantes especiais
+Barcelona Regional Office Antena Regional de Barcelona
+Directorate for Regions Direção das Regiões
+official or other servant carrying out temporarily the duties of Registrar funcionário ou agente encarregado de desempenhar as funções de secretário
+Risk Assessment Unit Unidade de Avaliação dos Riscos
+Information Technology and IT Support Unit Unidade de Informática e de Apoio TI
+Visa for stay between 3 and 6 months visto de estada por um período de três a seis meses
+ALA Interim Mandate mandato ALA interino
+lack of competence incompetência
+IT Unit Unidade da Informática
+manner laid down by national law forma prevista na lei nacional
+World Food Day Dia Mundial da Alimentação
+design applied to or incorporated in a product desenho ou modelo aplicado ou incorporado num produto
+slamming festa psiconáutica
+Protocol to the European Interim Agreement on Social Security Schemes Relating to Old Age, Invalidity and Survivors Protocolo Adicional ao Acordo Provisório Europeu sobre os Regimes de Segurança Social relativos à Velhice, Invalidez e Sobrevivência
+crime victim vítima da criminalidade
+Budapest High Court Tribunal de Budapeste-Capital
+commission for financial and budgetary affairs Grupo do Orçamento
+civil partnership parceria registada entre pessoas do mesmo sexo
+coloured line linha colorida
+substance dataset conjunto de dados sobre uma substância
+transsexual transexual
+list of speakers lista de oradores
+diversion of medicines desvio de medicamentos
+Truth and Reconciliation Commission Comissão para a Verdade e Reconciliação
+Commonwealth of Australia Comunidade da Austrália
+Purchases, management of goods and inventory Unit Unidade de Compras, Gestão dos Bens e Inventário
+Secretariat of the Committee on Women's Rights and Gender Equality Secretariado da Comissão dos Direitos das Mulheres e da Igualdade dos Géneros
+Manual of Decisions and Opinions Manual de Decisões e Pareceres
+conviction condenação
+Events and Exhibitions Unit Unidade dos Eventos e Exposições
+genocide genocídio
+granuloma granuloma
+social costs of illegal drugs custos sociais das drogas ilícitas
+N/A autoridade sobre a pessoa do menor
+Working Party on Animal Products (Eggs and Poultry) Grupo dos Produtos Animais (Ovos e Aves de Capoeira)
+combating trafficking in women combate ao tráfico de mulheres
+freedom of conscience liberdade de consciência
+tabling of amendments apresentação de alterações
+joint holder cotitular
+single vote votação única
+Sint Maarten São Martinho
+Municipal Court Tribunal Municipal
+refugee camp campo de refugiados
+Bulgarian Parliament Parlamento búlgaro
+decision on the appeal decisão sobre o recurso
+Personnel Unit Unidade do Pessoal
+N/A (UK) casamento cinzento
+renewal renovação quinquenal
+abandoned new-born infant recém-nascido abandonado
+right to an effective remedy and to a fair trial direito à ação e a um tribunal imparcial
+biological parent progenitor biológico
+N/A N/A (NL &gt; PT)
+precautionary approach abordagem precaucionária
+STOA Secretariat Secretariado da STOA
+Single Resolution Board Conselho Único de Resolução
+European awareness consciência europeia
+Constitutional Affairs and Citizens' Rights Service Serviço dos Assuntos Constitucionais e dos Direitos dos Cidadãos
+supplementary question pergunta complementar
+refusal of leave to enter não admissão
+lamina propria lâmina própria
+Warning atenção
+Interinstitutional style guide <i>Código de Redação Interinstitucional</i>
+ICT Security Unit Unidade de Segurança das TIC
+successor to the President substituição do presidente
+Orosirian Orosírico
+condition of confidentiality condição de confidencialidade
+Agreement between the Member States of the Council of Europe on the issue to Military and Civilian War-Disabled of an International Book of Vouchers for the repair of Prosthetic and Orthopaedic Appliances Acordo entre os Estados Membros do Conselho da Europa sobre a Atribuição aos Mutilados de Guerra Militares e Civis de uma Caderneta Internacional de Senhas de Reparação de Próteses e Aparelhos Ortopédicos
+United in diversity Unida na diversidade
+Orderly Departure Programme Programa de Saídas Ordenadas
+alternate position posição alternada
+Republic of Ecuador República do Equador
+Union legislation legislação da União
+shared competence competência partilhada
+research chemical substância química destinada a investigação
+Lithuanian Section Secção Lituana
+Executive Director director executivo
+settlement of costs liquidação das custas
+presumption of validity presunção de validade
+Directorate for HR Development Direção do Desenvolvimento dos Recursos Humanos
+emergency meeting reunião urgente
+grand-daughter neta
+fee for the cancellation taxa de cancelamento
+registration registo
+Delegation for relations with the United States Delegação para as Relações com os Estados Unidos
+member of the European Economic and Social Committee membro efetivo
+proving of certain facts by witnesses submeter certos factos a prova testemunhal
+Economic and Scientific Policies Unit Unidade das Políticas Económicas e Científicas
+initial boiling point ponto de ebulição inicial
+to give evidence depor
+obstructing a public tendering procedure obstrução aos procedimentos de concursos públicos
+withdrawn application pedido retirado
+prevalence prevalência
+Ad Hoc Working Party on General Food Law Grupo <i>ad hoc</i> da Legislação Alimentar Geral
+immaterial detail pormenor insignificante
+general meeting reunião geral
+euro euro
+Cloud Competence Centre Service Serviço do Centro de Competências Cloud
+Eurojust Agência da União Europeia para a Cooperação Judiciária Penal
+Anguilla Anguila
+Epirus Epiro
+oral explanation of vote declaração de voto oral
+InnovFin SME Guarantee InnovFin Garantia para as PME
+Protocol No 8 to the Convention for the Protection of Human Rights and Fundamental Freedoms Protocolo n.º 8 à Convenção para a Proteção dos Direitos do Homem e das Liberdades Fundamentais
+per year por ano
+monomer monómero
+Human Resources Service Serviço dos Recursos Humanos
+temporary protection protecção temporária
+Coordination Working Party Grupo de Coordenação
+internal relocation protecção interna no país de origem
+de facto separation separação de facto
+consent to marriage consentimento matrimonial
+standing delegation delegação permanente
+eco-labelling scheme rotulagem ecológica
+Constitutional Court Tribunal Constitucional
+Subtitling and Voice-over Unit Unidade de Legendagem e Voice-over
+German Institute for Standardisation Instituto Alemão de Normalização
+Directorate for Citizens' Rights and Constitutional Affairs Direção dos Direitos dos Cidadãos e dos Assuntos Constitucionais
+establishment of the identity of a witness verificação da identidade de uma testemunha
+Global Infrastructure Initiative Iniciativa para a Infraestrutura Mundial
+direct exposure exposição directa
+agreement of the parties on costs acordo entre as partes sobre as despesas
+publication of banns publicação de banhos ou proclamas
+written declaration declaração escrita
+household agregado
+Working Party on Structural Measures Grupo das Ações Estruturais
+split vote votação por partes
+parliamentary question pergunta parlamentar
+retired foreign national cidadão estrangeiro reformado
+industrial item artigo industrial
+CLH report relatório CRH
+ground for the decision fundamentos do acórdão
+exposure control controlo da exposição
+Codex Alimentarius Working Party Grupo do Codex Alimentarius
+Delegation to the EU-Serbia Stabilisation and Association Parliamentary Committee Delegação à Comissão Parlamentar de Estabilização e Associação UE-Sérvia
+term of protection duração da proteção
+First Lord of the Treasury Primeiro Lorde do Tesouro
+European Added Value Unit Unidade do Valor Acrescentado Europeu
+risk assessment avaliação do risco
+Working Party on Intellectual Property (Enforcement) Grupo da Propriedade Intelectual (Aplicação)
+EIT EIT
+of its own motion oficioso
+voting recommendation recomendação de voto
+Codex Alimentarius Working Party (Fish and Fishery Products) Grupo do Codex Alimentarius (Peixe e Produtos da Pesca)
+Customs Convention on the Temporary Importation of Commercial Road Vehicles Convenção Aduaneira sobre a Importação Temporária de Veículos Rodoviários Comerciais
+XML, Indexation and Metadata Service Serviço de XML, Indexação e Metadados
+data subject's consent consentimento da pessoa em causa
+Judge-Rapporteur juiz-relator
+European Parliament Liaison Office in Sweden Gabinete de Ligação do Parlamento Europeu na Suécia
+common foreign and security policy política externa e de segurança comum
+commission chairman presidente de comissão
+hazard profile perfil de risco
+refugee status estatuto de refugiado
+Members' Administration Unit Unidade de Administração dos Deputados
+Population Registration Act Repeal Act lei que revoga a lei sobre o registo da população em função da raça
+verification of financial compatibility verificação da compatibilidade financeira
+visitor in transit visa visto de trânsito
+priority question pergunta prioritária
+perjury on the part of an expert falsa declaração de perito
+Republic of Tunisia República Tunisina
+Pre-Trial Chamber juízo de instrução
+conditions of use condição de utilização
+response resposta
+inquiry hearing audiência de instrução
+border area zona fronteiriça
+vicarious liability of a child's parents responsabilidade civil por actos praticados por um menor
+European Public Prosecutor's Office Procuradoria Europeia
+Working Party on Insurance Grupo dos Seguros
+EU Agenda on Drugs Agenda da UE de Luta contra a Droga
+revocation of visa revogação de visto
+single person pessoa solteira
+preparatory inquiry diligência de instrução
+climate zone zona climática
+lawful residence residência legal
+unknown parentage filiação de pais incógnitos
+Financial statements of the European Coal and Steel Community at 31 December 1989 and 31 December 1988 Contas da Comunidade Europeia do Carvão e do Aço em 31 de dezembro de 1989 e em 31 de dezembro de 1988
+Final Act Ato Final
+married person pessoa casada
+patient capital «capital paciente»
+Concept and Design Unit Unidade de Conceção e Design
+administration of the Court administração do Tribunal de Justiça
+substance of the application procedência do pedido
+witness testemunha
+severely disadvantaged worker trabalhador seriamente desfavorecido
+Committee on the Environment, Public Health and Food Safety Comissão do Ambiente, da Saúde Pública e da Segurança Alimentar
+application which does not need to be made through a lawyer pedido que pode ser feito sem patrocínio de advogado
+Directorate-General for Translation Direção-Geral da Tradução
+Working Party on Customs Union (Common Customs Tariff) Grupo da União Aduaneira (Pauta Aduaneira Comum)
+counter-opinion contraparecer
+Universal Children's Day Dia dos Direitos da Criança e do Adolescente
+Working Party on Non-Proliferation Grupo da Não Proliferação
+hormone therapy terapia hormonal
+minority opinion opinião minoritária
+draft agenda projeto de ordem do dia
+Web Communication Unit Unidade da Comunicação Web
+allocation of costs imputação das despesas
+informal economy economia informal
+Legislative Quality Unit D - Budget Affairs Unidade da Qualidade Legislativa D - Assuntos Orçamentais
+European Agreement relating to Persons participating in Proceedings of the European Commission and Court of Human Rights Acordo Europeu relativo aos Participantes em Processos Pendentes na Comissão e no Tribunal Europeu dos Direitos do Homem
+aspect view vistas de diferentes ângulos
+oral amendment alteração oral
+Secretariat of the Special Committee on Beating Cancer Secretariado da Comissão Especial sobre a Luta contra o Cancro
+separated parent progenitor separado
+energy security segurança energética
+High Court of Justice (England and Wales), Queen’s Bench Division Tribunal Superior de Justiça (Inglaterra e País de Gales), Secção do Foro da Rainha
+primary distribution of income accounts contas de distribuição primária do rendimento
+Romanian Section Secção Romena
+Protocol No 7 to the Convention for the Protection of Human Rights and Fundamental Freedoms Protocolo n.º 7 à Convenção para a Proteção dos Direitos do Homem e das Liberdades Fundamentais
+Strasbourg Conference and Visitor Services Unit Unidade de Conferências e Serviços aos Visitantes em Estrasburgo
+away day jornada fora do local habitual de trabalho
+Working Party for Schengen Matters Grupo para as Questões de Schengen
+gender-based violence violência de género
+dispense with the oral part of the appeal procedure decidir julgar o recurso prescindindo da fase oral
+policy framework quadro estratégico
+transformable design desenho ou modelo transformável
+referral back after setting aside remessa após anulação
+Competitiveness Council (Internal Market, Industry and Research) Conselho (Competitividade - Mercado Interno, Indústria e Investigação)
+transphobic bullying bullying transfóbico
+partial disclaimer nulidade parcial
+Working Party of Directors-General of Fisheries Departments Grupo dos Diretores-Gerais das Pescas
+Brussels Court of First Instance (Dutch-speaking) Tribunal de Primeira Instância de língua neerlandesa de Bruxelas
+prior use uso anterior
+completeness check verificação da integralidade
+Registrar secretário
+Republic of Maldives República das Maldivas
+New Zealand Nova Zelândia
+excision excisão
+referral consulta
+marriage certificate assento de casamento
+hazardous substance substância perigosa
+polygender poligénero
+Carnian Carniano
+examination of witnesses and experts audição de testemunhas e peritos
+correct deficiencies irregularidades sanadas
+manifestly inadmissible appeal recurso manifestamente inadmissível
+HR Systems Service Serviço de Sistemas para Recursos Humanos
+Presidency and Plenary Translation Request Service Serviço de Pedidos de Tradução para a Presidência e a Sessão Plenária
+plea in law not raised in the appeal fundamento aduzido na petição de recurso
+standard opinion parecer-tipo
+default procedure processo à revelia
+forgery falsificação
+Career Development and Ethics Unit Unidade do Desenvolvimento da Carreira e da Ética
+Working Party on Public Health Grupo da Saúde Pública
+European System of Central Banks SEBC
+intellectual property collective rights-management body organismos de gestão dos direitos coletivos de propriedade intelectual
+proprietary position posição própria
+N/A (FR &gt; UK) acção para obtenção de alimentos
+proper administration of justice boa administração da justiça
+agricultural bioenergy production produção agrícola de bioenergia
+Centre for Legal and Social Studies Centro de Estudos Legais e Sociais
+Maltese Translation Unit Unidade da Tradução Maltesa
+indirect exposure exposição indirecta
+Rhodes Rodes
+registration fee taxa de registo
+sustainable and non-inflationary growth crescimento sustentável e não inflacionista
+PHS Project Unit Unidade Projeto PHS
+rapporteur-general relator-geral
+Rules of Procedure and Evidence Regulamento Processual
+ad hoc Working Party on Article 50 TEU Grupo <i>ad hoc</i> do Artigo 50.º do TUE
+environmental regulations regulamentação ambiental
+service by the parties notificação por iniciativa das partes
+N/A (FR &gt; UK) N/A (FR &gt; PT)
+Central Greece Grécia Central
+mixed type-approval homologação mista
+motor vehicle veículo a motor
+Third Additional Protocol to the Protocol to the European Agreement on the Protection of Television Broadcasts Terceiro Protocolo Adicional ao Protocolo ao Acordo Europeu para a Proteção das Emissões Televisivas
+claim to priority reivindicação de prioridade
+Sandbian Sandbiano
+Polish Interpretation Unit Unidade da Interpretação Polaca
+bigamy bigamia
+foreign national writer, composer or artist artista estrangeiro de espectáculos
+relationship by affinity familiar por afinidade
+counterfeiting contrafação
+Regional Administrative Court Tribunal Administrativo de província
+Working Party on Agricultural Products Grupo dos Produtos Agrícolas
+Policy Department for Budgetary Affairs Departamento Temático dos Assuntos Orçamentais
+medically assisted reproduction after death of man providing sperm fecundação com sémen do marido falecido
+Public Procurement Coordination Service Serviço de Coordenação dos Contratos Públicos
+Danish Section Secção Dinamarquesa
+member of the legislative assembly deputado à assembleia legislativa
+ambivalent gender identity identidade de género ambivalente
+Agreement on the withdrawal of the United Kingdom of Great Britain and Northern Ireland from the European Union and the European Atomic Energy Community Acordo sobre a saída do Reino Unido da Grã-Bretanha e da Irlanda do Norte da União Europeia e da Comunidade Europeia da Energia Atómica
+Court of Appeal Tribunal de Recurso
+Estonian Translation Unit Unidade da Tradução Estónia
+Member of the Court membro do Tribunal
+Agreement between the European Union and the Republic of Iceland and the Kingdom of Norway on the surrender procedure between the Member States of the European Union and Iceland and Norway Acordo entre a União Europeia e a República da Islândia e o Reino da Noruega sobre os processos de entrega entre os Estados-Membros da União Europeia e a Islândia e a Noruega
+Agreement on Cooperation in Research, Conservation and Management of Marine Mammals in the North Atlantic Acordo de Cooperação em matéria de Investigação, Conservação e Gestão dos Mamíferos Marinhos do Atlântico Norte
+Territory of American Samoa Território da Samoa Americana
+issue of visa emissão de visto
+Luxembourg and Strasbourg Major Construction Projects Unit Unidade dos Grandes Projetos de Construção no Luxemburgo e em Estrasburgo
+legislative own-initiative report relatório de iniciativa legislativa
+Administrative Court of Appeal Tribunal Administrativo de Recurso
+right to found a family direito de constituir família
+court costs encargos judiciais
+toxic for reproduction category 3 substância tóxica para a reprodução da categoria 3
+St Helena and Dependencies Santa Helena, Ascensão e Tristão da Cunha
+International Civil Aviation Day Dia da Aviação Civil Internacional
+European Interim Agreement on Social Security other than Schemes for Old Age, Invalidity and Survivors Acordo Provisório Europeu sobre Segurança Social, à exceção dos Regimes relativos à Velhice, Invalidez e Sobrevivência
+harmonised index of consumer prices índice harmonizado de preços no consumidor
+substance identification identificação de substâncias
+District Court Tribunal de Primeira Instância
+Annex XVII anexo XVII
+fee for the late payment taxa de atraso no pagamento
+Education Committee Comité da Educação
+European Parliament Liaison Office in Bulgaria Gabinete de Ligação do Parlamento Europeu na Bulgária
+MFG Facilidade Mezzanine para o Crescimento
+internet-based treatment tratamento baseado na Internet
+Bouvet Island Ilha Bouvet
+Publishing Support and Visual Projects Unit Unidade de Apoio Editorial e Projetos Visuais
+admissibility of a plea in law admissibilidade de um fundamento
+transfer transmissão
+Secretariat of the Committee on International Trade Secretariado da Comissão do Comércio Internacional
+nasal insufflation insuflação nasal
+quick win benefícios rápidos
+birth nascimento
+parental responsibility responsabilidade parental
+Working Party on Land Transport Grupo dos Transportes Terrestres
+Resolution setting out the grounds on which it is based resolução fundamentada
+Tournaisian Turnaciano
+Slovak Section Secção Eslovaca
+International Day for the Remembrance of the Slave Trade and its Abolition Dia Internacional de Recordação do Tráfico de Escravos e da sua Abolição
+Quaestors' Group Grupo dos Questores
+Unit for Africa,Caribbean and Pacific Unidade África, Caraíbas e Pacífico
+Committee of Inquiry into the crisis of the Equitable Life Assurance Society Comissão de Inquérito sobre a Crise da Equitable Life Assurance Society
+President-elect presidente eleito
+Eurofisc liaison official funcionário de ligação do Eurofisc
+Exceptional Assistance Measure medida de assistência de caráter excecional
+degrading treatment tratamento degradante
+Administrative Court Tribunal Administrativo
+merits of the appeal mérito do recurso
+Prevention and Protection at Work Service Serviço da Prevenção e Proteção no Trabalho
+Working Party on E-Law Grupo do Direito em Linha
+preferential origin of goods origem preferencial das mercadorias
+supplementary opinion parecer complementar
+Subcommittee on Security and Defence Subcomissão da Segurança e da Defesa
+transferee cessionário
+duty to consent to sexual intercourse débito conjugal
+Software and Cloud Assets Management Service Serviço de Gestão dos Recursos de Software e Cloud
+Provision of information to Parliament in the fields of police and judicial cooperation incriminal matters Informação do Parlamento nos domínios da cooperação policial e judiciária em matéria penal
+language of filing língua do depósito
+Nobel Prize Prémio Nobel
+Directorate for Translation Direção da Tradução
+refused application pedido recusado
+items and documents peças e documentos
+Socialist Republic of Vietnam República Socialista do Vietname
+registrant's own use utilização própria do registante
+Republic of Djibouti República do Jibuti
+neutral background fundo neutro
+apportionment of costs repartição das custas
+Territory of Heard Island and McDonald Islands Território da Ilha Heard e das Ilhas McDonald
+Working Party on Financial Services (Solvency II) Grupo dos Serviços Financeiros (Solvência II)
+Spanish peseta peseta espanhola
+Working Party on Horizontal Agricultural Questions Grupo das Questões Agrícolas Horizontais
+costs despesas
+Working Party on Enlargement and Countries Negotiating Accession to the EU Grupo do Alargamento e dos Países em Negociações de Adesão à UE
+psychiatric morbidity morbidade psiquiátrica
+same-sex parent family família homoparental
+Roadmap for Maritime Spatial Planning: Achieving Common Principles in the EU Roteiro para o ordenamento do espaço marítimo: definição de princípios comuns na UE
+injection of liquidity injeção de liquidez
+Congress of Racial Equality CORE
+IUPAC nomenclature nomenclatura IUPAC
+general political guidelines orientações políticas gerais
+genocide genocídio
+Ireland Irlanda
+Estonian Parliament Parlamento estónio
+Katian Katiano
+discharge to the Commission quitação à Comissão
+expert's progress in carrying out his task execução da missão confiada ao perito
+European Police Office Serviço Europeu de Polícia
+Administrative Court Tribunal Administrativo
+claimed feature característica reivindicada
+Policy Department for Economic, Scientific and Quality of Life Policies Departamento Temático das Políticas Económicas e Científicas e da Qualidade de Vida
+category of danger categoria de perigo
+animated icon ícone animado
+Catering and Staff Shop Unit Unidade da Restauração e do Supermercado
+Republic of Bulgaria República da Bulgária
+ICT Service for Members Serviço TIC para os Deputados
+recreational drug use consumo recreativo da/de droga
+Protocol on the application of the Charter of fundamental rights to Poland and to the United Kingdom Protocolo relativo à Aplicação da Carta dos Direitos Fundamentais da União Europeia à Polónia e ao Reino Unido
+Committee on Energy, Environment and Water Comissão da Energia, do Ambiente e da Água
+sexual assault agressão sexual
+only representative representante único
+CNIS Confederação Nacional das Instituições de Solidariedade
+international arrest warrant mandado de detenção internacional
+Conference Ushers Unit Unidade dos Contínuos de Conferência
+non-discrimination clause cláusula de não discriminação
+principle of sincere cooperation princípio da cooperação leal
+closure of the sitting interrupção da sessão
+Secretariat of the Committee on Fisheries Secretariado da Comissão das Pescas
+respiratory sensitiser sensibilizante respiratório
+scope of protection âmbito da proteção
+Montserrat Monserrate
+European Medicines Agency EMEA
+Constitutional Court Tribunal Constitucional
+Pliensbachian Pliensbaquiano
+colour shading sombreado de cores
+supplier of a substance or a preparation fornecedor de uma substância ou preparação
+attempt tentativa
+request for a preliminary ruling pedido de decisão prejudicial
+Republic of Equatorial Guinea República da Guiné Equatorial
+Kingdom of Lesotho Reino do Lesoto
+label element elemento de rotulagem
+Budgetary Planning and Execution Service Serviço de Programação e Acompanhamento Orçamental
+Ad hoc Working Party for the implementation of the Strategic Africa/EU Partnership. Grupo Ad Hoc para a Implementação da Parceria Estratégica África-UE
+Latvian Parliament Parlamento letão
+Plurilateral Trade Agreement acordo comercial plurilateral
+G20 High-Level Principles on Beneficial Ownership Transparency princípios de alto nível do G20 sobre a transparência da propriedade efetiva
+extraordinary debate debate extraordinário
+Legislative Processes Service Serviço dos Processos Legislativos
+basic salary salário-base
+fictitious civil partnership união de facto de conveniência
+Protocol on the Decision of the Council relating to the implementation of Article 16(4) of the Treaty on European Union and Article 238(2) of the Treaty on the Functioning of the European Union between 1 November 2014 and 31 March 2017 on the one hand, and as from 1 April 2017 on the other Protocolo relativo à Decisão do Conselho relativa à Aplicação do n.º 4 do Artigo 16.º do Tratado da União Europeia e do n.º 2 do Artigo 238.º do Tratado sobre o Funcionamento da União Europeia entre 1 de novembro de 2014 e 31 de março de 2017, por um lado, e a partir de 1 de abril de 2017, por outro
+same-sex parenting homoparentalidade
+Democratic Republic of São Tomé and Príncipe República Democrática de São Tomé e Príncipe
+date of filing data de depósito
+delegation of a case devolução de um processo
+code of conduct código de conduta
+deinstitutionalisation desinstitucionalização
+war crime crime de guerra
+European Parliament Parlamento Europeu
+interchangeable products produtos intermutáveis
+I count on Europe for Conto com a Europa para
+pyrophoric solid sólido pirofórico
+uncertified extract extrato não certificado
+European Court of Human Rights Tribunal Europeu dos Direitos do Homem
+intergender intergénero
+Permanent Secretary Secretário de Estado de Assuntos Administrativos
+in vitro testing ensaio in vitro
+common position posição comum
+European Economic Congress Congresso Económico Europeu
+Audio and Podcast Unit Unidade de Áudio e Podcasts
+Delegation to the EU-Chile Joint Parliamentary Committee Delegação à Comissão Parlamentar Mista UE-Chile
+agreement at the stage of Council common position acordo na fase da posição comum do Conselho
+Directorate-General for Parliamentary Research Services Direção-Geral dos Serviços de Estudos do Parlamento Europeu
+directive diretiva
+written explanation of vote declaração de voto escrita
+infringing goods mercadorias que infringem os DPI
+Euroscola Euroscola
+bureau Mesa do Comité Económico e Social Europeu
+nullity of marriage on grounds of error anulação do casamento fundada em erro
+Protocol on the Euro Group Protocolo relativo ao Eurogrupo
+unanimously por unanimidade
+vacancy in the office of the President vacatura da presidência
+Additional Protocol to the Convention on Human Rights and Biomedicine, on Transplantation of Organs and Tissues of Human Origin Protocolo Adicional à Convenção sobre os Direitos do Homem e a Biomedicina relativo à Transplantação de Órgãos e Tecidos de Origem Humana
+fair trading comércio leal
+European commitment empenho europeu
+Republic of the Philippines República das Filipinas
+Working Party on Agricultural Questions (Harmful Organisms) Grupo das Questões Agrícolas (Organismos Nocivos)
+clerical mistake erros de escrita
+Purchases Service Serviço de Compras
+defaulting witness testemunha faltosa
+non-animal testing ensaios que não envolvem animais
+Harassment Service Serviço "Assédio"
+emancipated child menor emancipado
+authorisation autorização
+scientific opinion parecer científico
+state-sponsored violence violência de Estado
+the Union's external action ação externa da União
+Legislative and Judicial Coordination Unit Unidade da Coordenação Legislativa e Judicial
+Post-2012 Carbon Credit Fund Fundo de Ccréditos de Ccarbono Ppós-2012; Fundo de carbono pós‑2012
+Unit for the Building Management of the Liaison Offices Unidade de Gestão Imobiliária dos Gabinetes de Ligação
+Cooperative Republic of Guyana República Cooperativa da Guiana
+waiver of immunity levantamento da imunidade
+reference for a preliminary ruling reenvio prejudicial
+Services Management Service Serviço da Gestão dos Serviços
+family mediation mediação familiar
+point ponto
+Working Party on New Buildings Grupo dos Novos Edifícios
+Slovak Interpretation Unit Unidade da Interpretação Eslovaca
+Committee on Constitutional Affairs Comissão dos Assuntos Constitucionais
+Strategic HR Planning Unit Unidade da Programação Estratégica dos Recursos Humanos
+urgent procedure processo de urgência
+medium threshold limiar médio
+packaging embalagem
+Working Party on Research Grupo da Investigação
+alternative motion for a resolution proposta de resolução alternativa
+party to a case parte num processo
+interim measure medida provisória
+Committee on Fisheries Comissão das Pescas
+Supreme Court of the United Kingdom Supremo Tribunal do Reino Unido
+Network of Regional Governments for Sustainable Development Rede dos Governos Regionais para o Desenvolvimento Sustentável
+drug precursor precursor de droga
+Secretariat of the Committee on Legal Affairs Secretariado da Comissão dos Assuntos Jurídicos
+OMC método aberto de coordenação
+EIB Staff Representatives representantes do pessoal
+levy in execution execução forçada
+World Humanitarian Day Dia Mundial Humanitário
+half-brother meio-irmão
+Financial Resources Management Unit Unidade de Gestão dos Recursos Financeiros
+Security Management Service Serviço de Gestão da Segurança
+joint proprietorship cotitularidade
+legislative resolution resolução legislativa
+European Convention on the General Equivalence of Periods of University Study Convenção Europeia sobre a Equivalência Geral dos Períodos de Estudos Universitários
+adoption of a descendant adopção de um descendente
+Authority for European Political Parties and European Political Foundations Autoridade para os Partidos Políticos Europeus e as Fundações Políticas Europeias
+Working Party on Fruit and Vegetables (Processed Fruit and Vegetables) Grupo das Frutas e Legumes (Frutas e Legumes Transformados)
+IUCLID5 IUCLID 5
+Council decision decisão do Conselho
+Institutional and Budgetary Law Unit Unidade do Direito Institucional e Orçamental
+full adoption adopção plena
+non-inflationary economic growth crescimento não inflacionista
+Secretariat of the Committee on Agriculture and Rural Development Secretariado da Comissão da Agricultura e do Desenvolvimento Rural
+Republic of Estonia República da Estónia
+Lord Advocate Procurador-Geral da Escócia
+Abolition of Racially Based Land Measures Act Lei sobre a abolição de disposições fundiárias baseadas em critérios raciais
+Higher Regional Court Tribunal Regional Superior
+incompatible office função incompatível
+separated father pai separado
+administrative discretion poder discricionário
+Kyrgyz Republic República Quirguiz
+Danish Translation Unit Unidade da Tradução Dinamarquesa
+Pridoli Pridólico
+gas gás
+Delegation for relations with Bosnia and Herzegovina, and Kosovo Delegação para as Relações com a Bósnia-Herzegovina e o Kosovo
+Ministry of the Environment Ministério do Ambiente
+trade facilitation facilitação do comércio
+District Court Tribunal de Primeira Instância
+property ownership of spouses relação patrimonial entre os cônjuges
+Migration and Mobility Dialogue diálogo sobre migração e mobilidade
+Request Management Unit Unidade da Gestão dos Pedidos
+chemical category of substances categoria química das substâncias
+procedural motion ponto de ordem
+consolidated appeal apelo consolidado
+brief general description of the use descrição breve e genérica da utilização
+liquid líquido
+component componente
+handicraft item artigo de artesanato
+Codex Committee on Fats and Oils Comité do Codex sobre Gorduras e Óleos
+Counter-Terrorism Coordination Coordenação da Luta Antiterrorista
+telemedicine telemedicina
+European Convention on the Equivalence of Periods of University Study Convenção Europeia sobre a Equivalência de Períodos de Estudos Universitários
+parent-in-law sogro ou sogra
+Protocol to the European Convention on Social and Medical Assistance Protocolo Adicional à Convenção Europeia de Assistência Social e Médica
+intermediate packaging embalagem intermédia
+scope of the register âmbito do registo
+molar mass massa molecular
+Cornwall Cornualha
+declaration of enforceability declaração de executoriedade
+Delegation to the EU-Moldova Parliamentary Association Committee Delegação à Comissão Parlamentar de Associação UE-Moldávia
+continuity of care continuidade dos cuidados de saúde
+homelessness estado de sem-abrigo
+delivery of the judgment prolação do acórdão
+telephone helpline linha telefónica de apoio
+visa to seek employment visto para procurar emprego
+Budget Unit Unidade do Orçamento
+stepmother madrasta
+European Convention on Cinematographic Co-production Convenção Europeia sobre Coprodução Cinematográfica
+eluate eluato
+transsexualism transexualismo
+Crab Pulsar pulsar da nebulosa de Crab
+town município urbano
+Working Party on Information Grupo da Informação
+inadmissibility of asylum application where another Member State has granted refugee status inadmissibilidade do pedido por ter sido concedido asilo noutro Estado
+Secretariat of the Bureau and the Quaestors Secretariado da Mesa e dos Questores
+rapporteur relator
+European Film Forum Fórum do Filme Europeu
+Kingdom of Sweden Reino da Suécia
+plenary assembly Assembleia Plenária
+Bulgarian Interpretation Unit Unidade da Interpretação Búlgara
+European Parliament Liaison Office ASEAN Gabinete de Ligação do Parlamento Europeu na ASEAN
+European Parliament Liaison Office in the Netherlands Gabinete de Ligação do Parlamento Europeu nos Países Baixos
+separate vote votação em separado
+Procurement, Contracts and Grant Management Unit Unidade de Gestão de Compras, Contratos e Subvenções
+European agenda for adult learning Agenda Europeia para a Educação de Adultos
+N/A (IT &gt; UK) pena pecuniária
+Czech Interpretation Unit Unidade da Interpretação Checa
+curator curador
+petroleum product produto petrolífero
+Working Party on Financial Services (Prospectus) Grupo dos Serviços Financeiros (Prospeto)
+new time-limit for the further steps in the proceedings novo prazo para os trâmites processuais ulteriores
+Visits and Seminars Unit Unidade das Visitas e dos Seminários
+Secretariat of the Committee on Development Secretariado da Comissão do Desenvolvimento
+work permit autorização de trabalho
+French Section Secção Francesa
+toxicological toxicológico
+clarify the points at issue between the parties clarificar os pontos controvertidos entre as partes
+first Vice-President of the Committee of the Regions primeiro vice-presidente do Comité das Regiões
+endogamy endogamia
+Contracts Execution Service Serviço de Execução de Contratos
+Codex Alimentarius Working Party (Food Additives and Contaminants) Grupo do Codex Alimentarius (Aditivos Alimentares e Contaminantes)
+to perform the duties loyally, discreetly and conscientiously exercer as funções com toda a lealdade, discrição e consciência
+Black Communities Development Act lei relativa ao desenvolvimento de comunidades negras
+civil government governo civil
+contested use uso em litígio
+Protection Unit Unidade da Proteção
+N/A (IT &gt; UK) N/A (IT &gt; PT)
+Argentine Republic República Argentina
+Directorate for Resources Direção dos Recursos
+EU Forest Strategy estratégia da UE para as florestas
+authentic text textos que fazem fé
+CLH proposal proposta de CRH
+centralised procedure procedimento centralizado
+half-carcase meia-carcaça
+Agreement between the European Community, the European Space Agency and the European Organisation for the Safety of Air Navigation on a European Contribution to the development of a global navigation satellite system (GNSS) Acordo entre a Comunidade Europeia, a Agência Espacial Europeia e a Organização Europeia para a Segurança da Navegação Aérea sobre uma Contribuição Europeia para o Desenvolvimento de um Sistema Mundial de Navegação por Satélite (GNSS)
+Eoarchean Eoarcaico
+fruit marc spirit aguardente de bagaço de frutos
+executing judicial authority autoridade judiciária de execução
+Officials and Temporary Staff Recruitment Unit Unidade de Recrutamento de Funcionários e de Agentes Temporários
+Kingdom of Norway Reino da Noruega
+reacted form forma reactiva
+Directorate for Relations with the Political Groups Direção para as Relações com os Grupos Políticos
+United States Minor Outlying Islands Ilhas Menores Afastadas dos Estados Unidos
+third gender terceiro género
+child filho
+posthumous marriage casamento póstumo
+torture tortura
+allow the intervention admitir a intervenção
+General Report on the Activities of the European Union Relatório Geral sobre a Atividade da União Europeia
+aunt tia
+Somalia República da Somália
+ice loss perda de gelo
+credit card cartão de crédito
+Data Mgt, Doc.Processing Service Serviço do Tratamento Automatizado de Documentos
+proof of parentage prova da filiação
+bear one's own costs suportar as suas próprias despesas
+Vice-Presidents' Secretariat Secretariado dos Vice-Presidentes
+Court of Justice Tribunal de Justiça
+gas which causes or contributes to the combustion of other material more than air gás que pode causar ou favorecer, mais do que o ar, a combustão de outras matérias
+dust poeira
+Advocate-General Advogado-Geral
+High Commissioner on National Minorities Alto-Comissário para as Minorias Nacionais
+deferment of a case adiamento do julgamento de um processo
+where equity so requires por razões de equidade
+Members IT Support Unit Unidade de Apoio TI aos Deputados
+detention order medida de segurança privativa de liberdade
+Portuguese Commerce and Services Confederation CCP
+endpoint parâmetro de perigo
+Administrative Court Tribunal Administrativo
+draft amendment projeto de alteração
+Barcelona Declaration Declaração de Barcelona
+Guadalupian Guadalúpico
+mono-constituent substance substância monoconstituinte
+Personnel Unit Unidade do Pessoal
+Lithuanian Translation Unit Unidade da Tradução Lituana
+Protocol on special arrangements for Greenland Protocolo relativo ao Regime Especial aplicável à Gronelândia
+Neogene Neogénico
+dismissal of the Ombudsman destituição do Provedor de Justiça
+rejoinder tréplica
+view vista
+drug-related harm dano relacionado com a droga
+Finnish Section Secção Finlandesa
+Republic of Botswana República do Botsuana
+border surveillance vigilância de fronteiras
+case that falls within the jurisdiction of the Court of Justice processo da competência do Tribunal de Justiça
+Working Party on Financial Services (Settlement Finality/Financial Collateral) Grupo dos Serviços Financeiros (Carácter Definitivo da Liquidação/Garantia Financeira)
+Working Party on the Law of the Sea Grupo do Direito do Mar
+European Agreement on the Exchange of Tissue-Typing Reagents Acordo Europeu sobre a Troca de Reagentes para a Determinação dos Grupos Tissulares
+Euromed and Middle East Unit Unidade Euromed e Médio Oriente
+opinion in the form of a letter parecer sob a forma de carta
+Committee on Sustainable Development, the Environment, Energy Policy, Research, Innovation and Technology Comissão do Desenvolvimento Sustentável, do Ambiente, da Política Energética, da Investigação, da Inovação e da Tecnologia
+petition petição
+Working Party on Data Protection Grupo da Proteção de Dados
+APA Front Office Unit Unidade de «Front Office» para APA
+clarify the forms of order sought, the pleas in law and arguments delimitar o alcance dos pedidos bem como dos fundamentos e argumentos das partes
+Working Party on Technical Harmonisation (Recreational Craft) Grupo da Harmonização Técnica (Embarcações de Recreio)
+Belgian Chamber of Representatives Câmara dos Representantes belga
+European Parliament Liaison Office in Hungary Gabinete de Ligação do Parlamento Europeu na Hungria
+N/A (FR &gt; UK) N/A (FR &gt; PT)
+Euratom Comunidade Europeia da Energia Atómica
+committee asked for an opinion comissão encarregada de emitir parecer
+freedom of the arts and sciences liberdade das artes e das ciências
+Working Party on Financial Services (SEPA) Grupo dos Serviços Financeiros (SEPA)
+Financial Resources Unit Unidade dos Recursos Financeiros
+Kingdom of Bhutan Reino do Butão
+penalty order sentença condenatória proferida em processo sumaríssimo
+Citizens' Parliament Parlamento dos Cidadãos
+Munich Regional Office Antena Regional de Munique
+Planning Unit Unidade de Programação
+Republic of Albania República da Albânia
+Advocate General advogado-geral
+Accounting and Treasury Unit Unidade da Contabilidade e da Tesouraria
+Netherlands Antilles Antilhas Neerlandesas
+Policy Department for Citizens' Rights and Constitutional Affairs Departamento Temático dos Direitos dos Cidadãos e dos Assuntos Constitucionais
+plant material material vegetal
+Central Systems Service Serviço dos Sistemas Centrais
+chemical commercial waste resíduos químicos comerciais
+binding mandate ordem
+exchange of letters troca de cartas
+Finnish Translation Unit Unidade da Tradução Finlandesa
+Arrangement for the Application of the European Agreement of 17 October 1980 concerning the Provision of Medical Care to Persons during Temporary Residence Convénio para a Aplicação do Acordo Europeu de 17 de Outubro de 1980 relativo à Assistência Médica às Pessoas em Estadia Temporária
+Office of the Deputy Secretary-General Gabinete do Secretário-Geral Adjunto
+Additional Protocol to the European Agreement on the Exchange of Therapeutic Substances of Human Origin Protocolo Adicional ao Acordo Europeu relativo ao Intercâmbio de Substâncias Terapêuticas de Origem Humana
+Darriwilian Darriwiliano
+congenital dysplasia displasia congénita
+N/A N/A (FR &gt; PT)
+transitional measure medida transitória
+disputed paternity conflito de paternidade
+exclusive licence licença exclusiva
+final recovery recuperação final
+national helpdesk serviço nacional de assistência
+assay teste
+objection impugnação da admissão
+joint chairmanship presidência conjunta
+municipal councillor vereador
+Kimmeridgian Kimeridgiano
+European Citizen's Prize Chancellery Chancelaria para o Prémio do Cidadão Europeu
+composition of Parliament composição do Parlamento
+confidential procedure procedimento confidencial
+Ad hoc Working Party on the Cooperation and Verification Mechanism for Bulgaria and Romania Grupo Ad Hoc para o Mecanismo de Cooperação e de Verificação para a Bulgária e a Roménia
+ecological resilience resiliência ecológica
+wihdrawal of caveat against issue of marriage certificate or licence suprimento da oposição ao casamento
+European Parliament Liaison Office in Slovenia Gabinete de Ligação do Parlamento Europeu na Eslovénia
+Working Party on Public Procurement Grupo dos Contratos Públicos
+Directive 2006/48/EC of the European Parliament and of the Council relating to the taking up and pursuit of the business of credit institutions (recast) Diretiva 2006/48/CE do Parlamento Europeu e do Conselho relativa ao acesso à atividade das instituições de crédito e ao seu exercício (reformulação)
+Ministry of Education Ministério da Educação
+reconciliation reconciliação dos cônjuges
+Commonwealth of Dominica Comunidade da Domínica
+ERIAFF ERIAFF
+Democracy Fellowship Programme Programa de Bolsas para a Democracia
+Protocol No 11 to the Convention for the Protection of Human Rights and Fundamental Freedoms, restructuring the control machinery established thereby Protocolo n.º 11 à Convenção para a Proteção dos Direitos do Homem e das Liberdades Fundamentais, relativo à Reestruturação do Mecanismo de Controlo estabelecido pela Convenção
+East African Legislative Assembly Assembleia Legislativa da África Oriental
+personal independence independência pessoal
+sensitisation sensibilização
+Council of State Conselho de Estado, em formação jurisdicional
+ecosystem interaction interação do ecossistema
+patent box regime fiscal preferencial para patentes
+parentage by adoption filiação adoptiva
+disarmament desarmamento
+Scotland Escócia
+Bali Action Plan Plano de Ação de Bali
+electronic voting votação eletrónica
+trespass N/A (EN &gt; PT)
+nuclear family família nuclear
+authentic goods mercadorias autênticas
+Media Intelligence Unit Unidade de Análise Estratégica e Acompanhamento dos Meios de Comunicação Social
+necessary expenses despesas indispensáveis
+multiannual financial framework quadro financeiro plurianual
+remarriage novo casamento
+Project Coordination Service Serviço da Coordenação dos Projetos
+deferment of publication adiamento da publicação
+European Railway Agency Agência Ferroviária Europeia
+abandonment of a child abandono de menor
+World Television Day Dia Mundial da Televisão
+guest officer agente convidado
+Jamaica Jamaica
+first reading primeira leitura
+reception of asylum seekers acolhimento dos requerentes de asilo
+refoulement repulsão
+exceptional review procedure recursos extraordinários
+cut-off value valor-limite
+Annex I country país do Anexo I
+Working Party on Technical Harmonisation (Standardisation) Grupo da Harmonização Técnica (Normalização)
+order removing the case from the register despacho de cancelamento
+judicial cooperation in criminal matters cooperação judiciária em matéria penal
+borough concelho
+governance governação
+marriage documentation processo de casamento
+Republic of Uzbekistan República do Usbequistão
+European Survey on Language Competences inquérito europeu sobre competências linguísticas
+Delegation for relations with Afghanistan Delegação para as Relações com o Afeganistão
+REACH guidance package pacote de orientações REACH
+draft recommendation projeto de recomendação
+Environment Council Conselho (Ambiente)
+simplified Treaty revision revisão simplificada dos Tratados
+repudiation repúdio
+polymer polímero
+internal appeal procedure via de recurso interna
+inter-parliamentary meeting reunião interparlamentar
+provisional agenda ordem do dia provisória
+European Convention for the protection of the Audiovisual Heritage Convenção Europeia relativa à Proteção do Património Audiovisual
+reasonable accommodation adaptações razoáveis
+best practice portal portal de boas práticas
+European Fisheries Control Agency Agência Comunitária de Controlo das Pescas
+Hashemite Kingdom of Jordan Reino Haxemita da Jordânia
+provision of compensation prestação compensatória
+European Road Safety Day Dia Europeu da Segurança Rodoviária
+Working Party on Technical Harmonisation Grupo da Harmonização Técnica
+penalties which may be imposed on defaulting witnesses sanções aplicáveis às testemunhas faltosas
+father pai
+Swedish Translation Unit Unidade da Tradução Sueca
+Protocol on Article 40.3.3 of the Constitution of Ireland Protocolo relativo ao Artigo 40.3.3 da Constituição da Irlanda
+freedom of assembly and of association liberdade de reunião e de associação
+danger symbols símbolos de perigo
+final vote votação final
+operative part of the judgment dispositivo do acórdão
+Working Party on Intellectual Property (Design) Grupo da Propriedade Intelectual (Desenhos e Modelos)
+European order for payment procedure procedimento europeu de injunção de pagamento
+Helsinki Foundation for Human Rights Fundação de Helsínquia para os Direitos Humanos na Polónia
+Lao People's Democratic Republic República Democrática Popular do Laos
+indirect discrimination discriminação indireta
+finished state forma acabada
+limited exploitation exploração limitada
+Republic of Sierra Leone República da Serra Leoa
+unilineal family família unilinear
+convening of Parliament convocação do Parlamento
+Webmaster Unit Unidade da Gestão do Sítio Web
+explanatory statement exposição de motivos
+husband marido
+displaced person pessoa deslocada
+Kingdom of Bahrain Reino do Barém
+intercultural dialogue diálogo intercultural
+abandoned application pedido abandonado
+transgender female-to-male homem transexual
+Serbian dinar dinar sérvio
+substance evaluation avaliação de substâncias
+Standing Committee on Traditional Specialities Guaranteed Comité Permanente das Especialidades Tradicionais Garantidas
+interim president presidente provisório
+Additional Protocol to the Protocol to the European Agreement on the Protection of Television Broadcasts Protocolo Adicional ao Protocolo ao Acordo Europeu para a Proteção das Emissões Televisivas
+Communication Systems Service Serviço dos Sistemas de Comunicação
+environmental space espaço ambiental
+Directorate for Conference Organisation Direção da Organização de Conferências
+Bolivarian Republic of Venezuela República Bolivariana da Venezuela
+flood prevention prevenção de inundações
+Working Party on Plant Health (Protection and Inspection) Grupo das Questões Fitossanitárias (Proteção e Inspeção)
+Secretariat of the Subcommittee on Tax Matters Secretariado da Subcomissão dos Assuntos Fiscais
+Protocol on the location of the seats of the institutions and of certain bodies, offices, agencies and departments of the European Union Protocolo relativo à Localização das Sedes das Instituições e de Certos Órgãos, Organismos e Serviços da União Europeia
+Delegation for relations with the Korean Peninsula Delegação para as Relações com a Península da Coreia
+classification classificação
+expert's report relatório do perito
+special security regime regime de segurança especial
+Directorate for Infrastructure and Equipment Direção das Infraestruturas e dos Equipamentos
+Criminal Law Convention on Corruption Convenção Penal sobre a Corrupção
+classification and labelling inventory inventário de classificação e rotulagem
+explosive substance substância explosiva
+special Chamber secção especial
+Directorate for Human Resources and Finance Direção dos Recursos Humanos e Finanças
+Finance Court Tribunal Tributário
+war crime crime de guerra
+complex emergency emergência complexa
+election panel comissão preparatória
+plea in law fundamento
+national court or tribunal órgão jurisdicional nacional
+Director-General diretor-geral
+examining magistrate juiz de instrução
+Commission for Economic Policy Comissão da Política Económica
+description explaining the representation or the specimen descrição explicativa da representação ou do exemplar fornecido
+degree of freedom of the designer grau de liberdade do criador
+principle that penalties must be specific to the offender princípio da individualização das penas e das sanções
+Euramis Pre-Translation Unit Unidade de Pré-Tradução/Euramis
+European Agency for the Management of Operational Cooperation at the External Borders of the Member States of the European Union Agência Europeia de Gestão da Cooperação Operacional nas Fronteiras Externas dos Estados-Membros da União Europeia
+Members' Activities Unit Unidade das Atividades dos Deputados
+ethnic cleansing limpeza étnica
+Charter on Inclusion of Persons with Disabilities in Humanitarian Action Carta para a Inclusão das Pessoas com Deficiência na Ação Humanitária
+Family and Juvenile Court Tribunal de Família e Menores
+principle of cumulation princípio da cumulação
+European Parliament Liaison Office in Ireland Gabinete de Ligação do Parlamento Europeu na Irlanda
+gender dysphoria disforia de género
+consummation of the marriage consumação do casamento
+rapporteur relator
+Paris Club Clube de Paris
+Conference Technicians Unit Unidade dos Técnicos de Conferência
+acceptance of documents receção dos documentos
+removal of a Judge destituição de um juiz
+Ministry of Social Affairs and Health Ministério dos Assuntos Sociais e da Saúde
+Federal Office for Migration and Refugees Serviço Federal para as Migrações e os Refugiados
+city cidade
+Delegation for relations with the countries of the Andean Community Delegação para as Relações com os Países da Comunidade Andina
+Republic of Burundi República do Burundi
+N/A aprovar a sua escolha
+gender recognition reconhecimento de género
+visible during normal use visível durante a utilização normal
+Codex Alimentarius Working Party (Meat Hygiene) Grupo do Codex Alimentarius (Higiene da Carne)
+Mobility and New Solutions Service Serviço de Mobilidade e Novas Soluções
+Protocol on Denmark Protocolo respeitante à Dinamarca
+additional element elemento adicional
+trafficking route rota de tráfico
+exposure assessment avaliação da exposição
+human health hazard assessment avaliação dos perigos para a saúde humana
+half-sister meia-irmã
+judicial proceedings processo judicial
+Working Party on Terrorism (International Aspects) Grupo do Terrorismo (Aspetos Internacionais)
+procedure before the Court processo no Tribunal
+dose response relationship relação dose-resposta
+marriage not in a register office or approved premises casamento celebrado fora da conservatória
+oxidising gas gás comburente
+angiotensin angiotensina
+Advisory Committee on Freedom of Movement for Workers Comité Consultivo para a Livre Circulação dos Trabalhadores
+Protocol No 6 to the Convention for the Protection of Human Rights and Fundamental Freedoms concerning the Abolition of the Death Penalty Protocolo n.º 6 à Convenção para a Proteção dos Direitos do Homem e das Liberdades Fundamentais relativo à Abolição da Pena de Morte
+operational condition condição de funcionamento
+lifecycle ciclo de vida
+inhuman treatment tratamento desumano
+vice-president vice-presidente
+nephew sobrinho
+Konsumtion consunção
+end use utilização final
+entry as a general visitor estada com carácter familiar e particular
+working day dia útil
+Working Group on the Middle East Grupo de Trabalho sobre o Médio Oriente
+ad hoc group grupo eventual
+Contractual and Financial Law Unit Unidade do Direito Contratual e Financeiro
+exempt vignette visto diplomático
+development policy Política de Desenvolvimento
+organic soil improver corretivo de solos orgânico
+European Interim Agreement on Social Security Schemes Relating to Old Age, Invalidity and Survivors Acordo Provisório Europeu sobre os Regimes de Segurança Social relativos à Velhice, Invalidez e Sobrevivência
+NEAFC Comissão de Pescas do Atlântico Nordeste
+right to good administration direito a uma boa administração
+Working Party of Veterinary Experts (Public Health) Grupo dos Peritos Veterinários (Saúde Pública)
+Republic of Tajikistan República do Tajiquistão
+Saint Lucia Santa Lúcia
+summarised balance sheet balanço sintético
+public consultation consulta pública
+Christmas Island Territory Território da Ilha do Natal
+plastiglomerate plastiglomerado
+Programming Unit Unidade da Programação
+Protocol on the application of the principles of subsidiarity and proportionality Protocolo relativo à Aplicação dos Princípios da Subsidiariedade e da Proporcionalidade
+Compliance Monitoring Unit Unidade de Controlo da Observância da Regulamentação
+order despacho
+Supreme Court Supremo Tribunal
+ACP-EU Joint Parliamentary Assembly Assembleia Parlamentar Paritária
+boundary linha contínua de delimitação
+Hirnantian Hirnantiano
+give a solemn undertaking assumir o compromisso solene
+Members Professional Training Formação Profissional dos Deputados
+committee meeting reunião de comissão
+combating trafficking in children combate ao tráfico de crianças
+Antigua and Barbuda Antígua e Barbuda
+amended form forma alterada
+Working Party on Wines and Alcohol (Alcohol) Grupo dos Vinhos e Álcoois (Álcool)
+Tremadocian Tremadociano
+proceedings that are free of charge processo gratuito
+notification notificação
+Paibian Paibiano
+deceased child filho falecido
+European Convention on the Protection of the Archaeological Heritage (Revised) Convenção Europeia para a Proteção do Património Arqueológico (revista)
+Dublin Convention Convenção de Dublim
+quality standard padrão de qualidade
+Convention on Jurisdiction and the Recognition and Enforcement of Judgments in Matrimonial Matters Convenção relativa à Competência, ao Reconhecimento e à Execução de Decisões em Matéria Matrimonial
+Working Party on Foodstuff Quality (Certificates of Specific Character) Grupo da Qualidade dos Alimentos (Certificados de Especificidade)
+action manifestly bound to fail ação ou recurso manifestamente destinado a ser rejeitado
+ITA Acordo sobre o Comércio de Produtos das Tecnologias da Informação
+European Agreement for the Prevention of Broadcasts transmitted from Stations outside National Territories Acordo Europeu para a Repressão das Emissões de Radiodifusão efetuadas por Estações fora dos Territórios Nacionais
+Principality of Andorra Principado de Andorra
+joint motion for a resolution proposta de resolução comum
+fee for deferment of publication taxa de adiamento da publicação
+Spanish Section Secção Espanhola
+high threshold limiar alto
+Fact Sheets on the European Union Fichas temáticas sobre a União Europeia
+decision of stay decisão de suspensão
+Human Resources Unit Unidade dos Recursos Humanos
+immigration imigração
+Pragian Praguiano
+Working Party on Wines and Alcohol (Aromatised Wines) Grupo dos Vinhos e Álcoois (Vinhos Aromatizados)
+Specialised Criminal Court Tribunal Criminal Especial
+European Defence Agency Agência Europeia de Defesa
+working document documento de trabalho
+posted worker trabalhador estrangeiro destacado
+Antarctica Antártida
+testing proposal proposta de ensaio
+intensive user consumidor intensivo
+police cooperation cooperação policial
+grant discharge concessão de quitação
+Working Party on the European Judicial Network Grupo da Rede Judiciária Europeia
+constitutive sitting sessão constitutiva
+legal gender recognition procedure procedimento de reconhecimento jurídico do género
+Archean Arcaico
+Secretariat of the Committee on the Environment, Public Health and Food Safety Secretariado da Comissão do Ambiente, da Saúde Pública e da Segurança Alimentar
+Convention for the Suppression of the Traffic in Persons and of the Exploitation of the Prostitution of Others Convenção para a Supressão do Tráfico de Pessoas e da Exploração da Prostituição de Outrem
+European Communities Act 1972 Lei das Comunidades Europeias de 1972
+Rear Party grupo de retaguarda
+ICT Operations and Hosting Unit Unidade de Operações e Acolhimento das TIC
+visa application pedido de visto
+Economic Governance Support Unit Unidade de Apoio à Governação Económica
+European Year against Racism Ano Europeu contra o Racismo
+right of initiative direito de iniciativa
+Vice-President for the Euro and Social Dialogue, also in charge of Financial Stability, Financial Services and Capital Markets Union vice-presidente da Comissão Europeia responsável pelo Euro e Diálogo Social
+toxic for reproduction category 2 substância tóxica para a reprodução da categoria 2
+high security prison centro de detenção de segurança
+animal testing ensaios em animais
+Government Delegate Delegado do Governo
+Working Party on Technical Harmonisation (Toys) Grupo da Harmonização Técnica (Brinquedos)
+concentration threshold limiar de concentração
+Additional Protocol to the European Agreement on the Exchange of Blood-grouping Reagents Protocolo Adicional ao Acordo Europeu relativo ao Intercâmbio de Reagentes para Determinação de Grupos Sanguíneos
+trade in abandoned children comércio ligado ao abandono de crianças
+several separate acts punishable under the criminal law concurso real de crimes
+infringing design desenho ou modelo delituoso
+renewal renovação
+sister irmã
+Secretariat of the Committee on Economic and Monetary Affairs Secretariado da Comissão dos Assuntos Económicos e Monetários
+interpretation of a judgment interpretação do acórdão
+ordinary Treaty revision revisão ordinária dos Tratados
+order for escort to the border N/A
+Syrian Arab Republic República Árabe Síria
+N/A UK período legal de concepção
+Directorate for Interinstitutional Affairs and Legislative Coordination Direção dos Assuntos Interinstitucionais e da Coordenação Legislativa
+conscientious objection objeção de consciência
+Title XI Título XI
+committee coordinator coordenador de comissão
+Bajocian Bajociano
+Ediacarian Ediacárico
+group grupo
+German Translation Unit Unidade da Tradução Alemã
+UNFCCC Convenção-Quadro das Nações Unidas sobre Alterações Climáticas
+concentration/dose level nível de concentração/dose
+adoptive parent pai ou mãe adoptivos
+assault agressão
+Finance Unit Unidade das Finanças
+Multilingualism Day Dia do Multilinguismo
+European Economic Area Index of Consumer Prices Índice de Preços no Consumidor do Espaço Económico Europeu
+Constitutional Court Tribunal Constitucional
+lead registrant registante principal
+Cryogenian Criogénico
+Fifth Protocol to the General Agreement on Privileges and Immunities of the Council of Europe Quinto Protocolo Adicional ao Acordo Geral sobre Privilégios e Imunidades do Conselho da Europa
+adoption adopção
+Canadian dollar dólar canadiano
+Directorate-General for Health and Consumers Direção-Geral da Saúde e dos Consumidores
+order from which no appeal lies despacho irrecorrível
+Slovene Section Secção Eslovena
+marriage with a foreigner or of foreigners casamento de estrangeiros em território nacional
+venue of sittings and meetings local de reunião
+escort to the border condução à fronteira
+void marriage nulidade absoluta do casamento
+child born before marriage of parents filho nascido antes do casamento
+Phanerozoic Fanerozoico
+Andean Community of Nations Comunidade Andina de Nações
+terrorist activity atividade terrorista
+buyer profile perfil de adquirente
+Working Party on Agricultural Structures and Rural Development Grupo das Estruturas Agrícolas e do Desenvolvimento Rural
+Commissioner for Financial Services, Financial Stability and the Capital Markets Union comissária dos Serviços Financeiros, Estabilidade Financeira e a União dos Mercados de Capitais
+interrupted trace tracejado
+report relatório
+materiality materialidade
+Committee on Legal Affairs and Citizens' Rights Comissão dos Assuntos Jurídicos e dos Direitos dos Cidadãos
+Romanian Translation Unit Unidade da Tradução Romena
+public record of proceedings publicidade dos trabalhos
+Stenian Esténico
+German Interpretation Unit Unidade da Interpretação Alemã
+Operational Management Service Serviço de Gestão Operacional
+Slovene Translation Unit Unidade da Tradução Eslovena
+infringement action ação de contrafação
+General Confederation of Portuguese Workers CGTP
+make available to the public divulgado ao público
+Codex Alimentarius Working Party (Fresh Fruit and Vegetables) Grupo do Codex Alimentarius (Frutas e Legumes Frescos)
+Medical Service, Brussels Serviço Médico de Bruxelas
+follow-up procedure processo de acompanhamento
+public inspection inspeção pública
+asylum shopping asylum shopping
+political affinity afinidade política
+human community comunidade humana
+immigration imigração
+mother mãe
+blocking minority minoria de bloqueio
+ecosystem vulnerability vulnerabilidade do ecossistema
+prenatal test teste pré-natal
+Working Party on Agricultural Products (Sugar and Isoglucose) Grupo dos Produtos Agrícolas (Açúcar e Isoglucose)
+Japanese amberjack charuteiro-do-japão
+Working Party on Company Law (Accounting and Statutory Auditing) Grupo do Direito das Sociedades (Contabilidade e Revisão Legal de Contas)
+Hungarian Interpretation Unit Unidade da Interpretação Húngara
+divorce by mutual consent divórcio por mútuo consentimento
+Svalbard and Jan Mayen Svalbard e Jan Mayen
+Spanish General Courts Cortes Gerais espanholas
+European Equal Pay Day Dia Europeu da Igualdade Salarial
+NRDS NRRDS
+Business Continuity Planning and Security Accreditation Authority Unit Unidade de Planeamento da Continuidade das Atividades e Autoridade de Acreditação de Segurança
+label rótulo
+Individual Equipment and Logistics Unit Unidade de Equipamento Individual e Logística
+EudraVigilance EudraVigilance
+Directorate for Building Projects Direção dos Projetos Imobiliários
+Friends of the Presidency Group (Macro-Regional Strategies) Grupo dos Amigos da Presidência (Estratégias Macrorregionais)
+fair trade comércio justo
+witness on his [the defendant's] behalf testemunha de defesa
+legitimate holder legítimo titular
+Communication Group Comissão da Comunicação
+recovery plan plano de recuperação
+brother irmão
+APA Desk Section Secção «APA Desk»
+mental health disorder doença mental
+delivering as one Unidos na Ação
+Convention on Choice of Court Agreements Convenção sobre os Acordos de Eleição do Foro
+manufacturer fabricante
+N/A (DE &gt; UK) N/A (DE &gt; PT)
+intravenous drug user consumidores de drogas por via intravenosa
+central industrial property office of a Member State instituto central da propriedade industrial de um Estado-Membro
+Working Party on Intellectual Property (Copyright) Grupo da Propriedade Intelectual (Direitos de Autor)
+import importação
+Mixed Committee at ministerial level Comité Misto a nível ministerial
+grandparent avô ou avó
+West Transdanubia Transdanúbia Ocidental
+First Advocate General primeiro advogado-geral
+N/A (IT &gt; UK) ordem de afastamento
+referral back to committee devolução à comissão
+voting procedure processo de votação
+stepdaughter enteada
+cancel the pecuniary penalty não aplicação da multa
+central bank intervention intervenção do banco central
+Multilingualism and Succession Planning Unit Unidade do Multilinguismo e do Planeamento da Sucessão
+Fire and Safety Training Unit Unidade da Formação e Segurança contra Incêndios
+replacement of a party substituição de uma parte
+joint communication comunicação conjunta
+topical matter assunto de atualidade
+study group grupo de estudo
+European Parliament Liaison Office in Greece Gabinete de Ligação do Parlamento Europeu na Grécia
+security union União da Segurança
+PPP PPP
+claim for costs pedido sobre as despesas
+Hosting &amp; Service Request Management Gestão dos Pedidos de Acolhimento e Serviço
+Working Party on Financial Services (Alternative Investment Fund Managers) Grupo dos Serviços Financeiros (Gestores de Fundos de Investimento Alternativos)
+manifestly lacking any foundation in law manifestamente desprovido de fundamento jurídico
+sign language interpreter intérprete de língua gestual
+divorced mother mãe divorciada
+TACIS TACIS
+Republic of Mauritius República da Maurícia
+rights of grandparents direitos dos avós
+sufficient evidence indícios suficientes
+open drug scene locais a céu aberto
+European Parliament Liaison Office in Spain Gabinete de Ligação do Parlamento Europeu em Espanha
+entitlement direito
+indiscriminate attack ataque indiscriminado
+seagrass ervas marinhas
+summary of the facts exposição sumária dos factos
+Aalenian Aaleniano
+Federal Constitutional Court Tribunal Constitucional Federal
+International Day of Innocent Children Victims of Aggression Dia Internacional das Crianças Vítimas Inocentes de Agressão
+foreign worker trabalhador estrangeiro
+Strategy and Innovation Unit Unidade da Estratégia e Inovação
+goods in temporary storage mercadorias em depósito temporário
+controlled drug droga controlada
+Legislative Systems Service Serviço dos Sistemas Legislativos
+Republic of South Africa República da África do Sul
+swindling burla
+English Section Secção Inglesa
+ERIO ERIO
+Czech Translation Unit Unidade da Tradução Checa
+Turkmenistan Turquemenistão
+vulnerable group grupo vulnerável
+preparation of a case for hearing preparação dos processos para julgamento
+recovered substance substância recuperada
+visa visto
+Working Party of Veterinary Experts (Animal Husbandry) Grupo dos Peritos Veterinários (Zootecnia)
+Confederation of Portuguese Business Confederação Empresarial de Portugal
+language department departamento linguístico
+Standing Group on Milk grupo permanente do leite
+exclude from the proceedings afastar do processo
+freedom of opinion liberdade de opinião
+treatment outcome resultados do tratamento
+non-legislative text texto não legislativo
+Council of Ethnic Communities 'We are all Equal' Conselho de Comunidades Étnicas "Runujel Junam"
+Italian lira lira italiana
+pre-SIEF pré-FIIS
+Staff Careers Unit Unidade das Carreiras do Pessoal
+exposure exposição
+COR-UK Contact Group Grupo de Contacto CR-Reino Unido
+Conference Infrastructure and Innovation Unit Unidade das Infraestruturas e da Inovação para Conferências
+manufacturing fabrico
+resource productivity produtividade dos recursos
+submission of the expert's report apresentação do relatório do perito
+full Court tribunal pleno
+European Central Bank Banco Central Europeu
+decide what action to take on the proposals of the Judge-Rapporteur decidir sobre o seguimento a dar às propostas do juiz-relator
+Directorate Members' Research Service Direção dos Serviços de Estudos de Apoio aos Deputados
+Speech-to-text Unit Unidade de Transcrição de Voz para Texto
+object of property objeto de propriedade
+Prague City Court Tribunal de Praga
+organised gang bando
+IIHR Instituto Interamericano de Direitos Humanos
+bureau Mesa
+emission level nível de emissão
+official holiday feriado oficial
+procedural issue incidente processual
+multi-constituent substance substância multiconstituinte
+Delegation for relations with Iraq Delegação para as Relações com o Iraque
+separated mother mãe separada
+endogamous marriage casamento endogâmico
+bill of indictment despacho de acusação
+maintaining family unity preservação da unidade familiar
+Working Party on Public International Law Grupo do Direito Internacional Público
+asylum asilo
+statement of the form of order sought by the intervener in support of or opposing, in whole or in part, the form of order sought by one of the parties exposição em que o interveniente declare as razões por que entende que os pedidos de uma das partes deveriam ser indeferidos, no todo ou em parte
+illicit traffic in narcotic drugs tráfico de estupefacientes
+EIB-Universities Research Action Programa de ação do BEI em favor da investigação universitária
+Republic of Nauru República de Nauru
+academic visitor professor estrangeiro
+draft decision projeto de decisão
+international protection proteção internacional
+Committee on Economic and Monetary Affairs Comissão dos Assuntos Económicos e Monetários
+Protocol No. 5 to the Convention for the Protection of Human Rights and Fundamental Freedoms, amending Articles 22 and 40 of the Convention Protocolo n.º 5 à Convenção para a Proteção dos Direitos do Homem e das Liberdades Fundamentais Emendando os Artigos 22.º e 40.º da Convenção
+urgency procedure processo de urgência
+Ypresian Ipresiano
+Visa Information System Sistema de Informação sobre Vistos
+close relationship relação de proximidade
+disclosure divulgação
+substitute suplente
+transitional waters águas de transição
+Estonian Section Secção Estoniana
+intoxication intoxicação
+case management gestão de casos
+Ministry of the Interior Ministério do Interior
+Convention relating to the Status of Stateless Persons Convenção relativa ao Estatuto dos Apátridas
+protocol protocolo
+Protocol relating to Article 6(2) of the Treaty on the European Union on the accession of the Union to the European Convention on the Protection of Human Rights and Fundamental Freedoms Protocolo relativo ao n.º 2 do Artigo 6.º do Tratado da União Europeia respeitante à Adesão da União à Convenção Europeia para a Proteção dos Direitos do Homem e das Liberdades Fundamentais
+Assistant Rapporteur relator adjunto
+Upper Tribunal (Immigration and Asylum Chamber) Tribunal Superior (Secção da Imigração e do Asilo)
+verbatim report of the proceedings relato integral dos debates
+myopathy miopatia
+Swedish Parliament Parlamento sueco
+Transatlantic Legislators' Dialogue Diálogo Transatlântico entre Legisladores
+session Sessão
+co-rapporteur correlator
+bulk notification notificação agrupada
+ethnic tension tensão étnica
+European Parliament Liaison Office in Germany Gabinete de Ligação do Parlamento Europeu na Alemanha
+Committee on Economic Development, Finance and Trade Comissão do Desenvolvimento Económico, das Finanças e do Comércio
+United Nations Day Dia das Nações Unidas
+hazard classification classificação do perigo
+International Refugee Organisation Organização Internacional para os Refugiados
+breakdown of the family relationship ruptura dos laços familiares
+assisted reproduction PMA
+list of professional representatives lista de mandatários autorizados
+Cook Islands Ilhas Cook
+Protocol to the General Agreement on Privileges and Immunities of the Council of Europe Protocolo Adicional ao Acordo Geral sobre os Privilégios e Imunidades do Conselho da Europa
+reconstituted family família recomposta
+Working Party on Wines and Alcohol (OIV) Grupo dos Vinhos e Álcoois (OIV)
+reimbursement of travel and subsistence expenses reembolso de despesas de deslocação e de estada
+European Area of Justice espaço europeu de justiça
+N/A (FR &gt; UK) N/A (FR &gt; PT)
+term of office mandato
+ecosystem boundary fronteira do ecossistema
+civil rights direitos civis
+European Securities and Markets Authority Autoridade Europeia dos Valores Mobiliários e dos Mercados
+Delegation to the EU-Albania Stabilisation and Association Parliamentary Committee Delegação à Comissão Parlamentar de Estabilização e Associação UE-Albânia
+referring court or tribunal órgão jurisdicional de reenvio
+uncle tio
+Multimedia Service Serviço de Criação Multimédia
+bisexuality bissexualidade
+mist névoa
+remuneration of agents, advisers or lawyers honorários de agentes, consultores ou advogados
+Secretariat of the Committee of Inquiry on the Protection of Animals During Transport within and outside the EU Secretariado da Comissão de Inquérito sobre a Proteção dos Animais durante o Transporte dentro e fora da UE
+principle of mutual recognition princípio do reconhecimento mútuo
+Legislative Quality Assurance and Publications Unit Unidade Garantia da Qualidade Legislativa e Publicações
+Europe Unit: Enlargement, Western Europe and Northern Cooperation Unidade Europa: Alargamento, Europa Ocidental e Cooperação Setentrional
+28 Times Cinema 28 vezes cinema
+European Animal Welfare Platform Plataforma Europeia para o Bem-Estar dos Animais
+legal entity entidade jurídica
+Kingdom of Denmark Reino da Dinamarca
+Upper Cretaceous Cretácico Superior
+decomposition decomposição
+Convention on Psychotropic Substances, 1971 Convenção sobre as Substâncias Psicotrópicas
+Carbon Fund for Europe Fundo de Carbono para a Europa
+total fine for multiple offences pena de multa única
+therapeutic community comunidade terapêutica
+de-psychopathologisation statement declaração de despsicopatologização
+Chief Whip Chefe de bancada
+non-priority question pergunta não prioritária
+guidance document documento de orientação
+Greek Parliament Parlamento grego
+document check by carrier prior to boarding controlo de documentos pela transportadora
+Air Quality Directives Diretivas Qualidade do Ar
+Committee on the Internal Market and Consumer Protection Comissão do Mercado Interno e da Proteção dos Consumidores
+palliative care cuidados paliativos
+Serpukhovian Serpukoviano
+Election Observation and Follow-up Unit Unidade de Observação e Acompanhamento de Eleições
+insolvency proceedings processo de insolvência
+Delegation for relations with Israel Delegação para as Relações com Israel
+Secretariat of the Committee on Budgets Secretariado da Comissão dos Orçamentos
+Polish Section Secção Polaca
+Inter-Governmental Consultations on Asylum, Refugee and Migration Policies in Europe, North America and Australia consultas intergovernamentais sobre as políticas em matéria de asilo, de refugiados e de migração na Europa, na América do Norte e na Austrália
+Working Party on Customs Union (Customs Legislation and Policy) Grupo da União Aduaneira (Legislação e Política Aduaneiras)
+European Convention on the Transfer of Proceedings in Criminal Matters Convenção Europeia sobre a Transmissão de Processos Penais
+omitted act ato não cumprido
+Secretariat of the Committee on Culture and Education Secretariado da Comissão da Cultura e da Educação
+Delegation for relations with the countries of South-East Europe Delegação para as relações com os Países do Sudeste da Europa
+Supreme Court Supremo Tribunal
+Ministry of Defence Ministério da Defesa
+Directorate for Integrated Facility Management Direção da Gestão Integrada das Infraestruturas
+community freguesia
+Nobel Foundation Fundação Nobel
+e-infrastructure infraestrutura eletrónica
+single exposure exposição única
+Working Party on Wines and Alcohol Grupo dos Vinhos e Álcoois
+Working Party on Postal Services Grupo dos Serviços Postais
+Directorate for Resources Direção dos Recursos
+judgment acórdão
+delegation of legislative powers delegação de poderes legislativos
+Directorate 6 - Planning and Strategy Direção 6 – Planeamento e Estratégia
+EC Inventory EC Inventory
+Working Time and Childcare Facilities Unit Unidade do Tempo de Trabalho e dos Infantários
+Security Committee (GNSS experts) Comité de Segurança (Peritos GNSS)
+Protocol No. 12 to the Convention for the Protection of Human Rights and Fundamental Freedoms Protocolo n.º 12 à Convenção para a Proteção dos Direitos do Homem e das Liberdades Fundamentais
+income approach ótica do rendimento
+phase-in substance substância de integração progressiva
+follow-up food alimento de transição
+European Chemicals Agency Agência Europeia dos Produtos Químicos
+standards of conduct regras de conduta
+exchange of pleadings troca de articulados
+principle of environmental protection princípio da protecção do ambiente
+External Policies Service Serviço das Políticas Externas
+divorced parent progenitor divorciado
+codification codificação
+People's Republic of Bangladesh República Popular do Bangladexe
+duty to provide help and comfort dever de cooperação
+Jean Monnet's House at Bazoches-sur-Guyonne Casa Jean Monnet de Bazoches-sur-Guyonne
+pecuniary penalty multa
+House Standing Committee on Refugees, Enclaved, Missing and Adversely Affected Persons Comissão para os refugiados e as pessoas residentes em enclaves, desaparecidas e em situações difíceis
+immigrant imigrante
+Schengen area espaço Schengen
+Republic of Mozambique República de Moçambique
+non-observance não observância
+European Maritime Force Força Marítima Europeia
+widowed person pessoa viúva
+long-term resident status estatuto de residente de longa duração
+French Interpretation Unit Unidade da Interpretação Francesa
+common market mercado comum
+isolated substance substância isolada
+Supreme Court of Cassation Supremo Tribunal de Cassação
+Information Technology Unit Unidade das Tecnologias da Informação
+Fire Prevention Strasbourg Unit Unidade da Prevenção de Incêndios - Estrasburgo
+Protocol on internal market and competition Protocolo relativo ao Mercado Interno e à Concorrência
+biserrula bisserula
+European Forest Fire Information System Sistema Europeu de Informação sobre Fogos Florestais
+reintegration into society reinserção civil
+drug epidemiology epidemiologia do consumo de drogas
+main constituent constituinte principal
+third country national nacional de países terceiros
+Exchequer Secretary to the Treasury Secretário de Estado do Tesouro encarregado do Tesouro Público
+human health and environmental risk assessment avaliação dos riscos para a saúde humana e o ambiente
+Paleoproterozoic Paleoproterozoico
+criminal activity atividade criminosa
+budget implementation power poderes de execução do orçamento
+Telychian Teliquiano
+visitors' gallery tribuna dos visitantes
+emission characterisation caracterização das emissões
+European Consensus on Development Consenso Europeu sobre o Desenvolvimento
+Schengen acquis acervo de Schengen
+good governance boa governação
+postgraduate student aluno de pós-graduação
+natural or legal person having the nationality of a Member State pessoa singular ou colectiva de um Estado-Membro
+judicial authority autoridade judiciária
+participating Eurofisc liaison official funcionário de ligação participante no Eurofisc
+Multilingual Doc. Prep. Service Serviço de Informação e Dados Multilingues
+Statute of the Hague Conference on Private International Law Estatuto da Conferência da Haia de Direito Internacional Privado
+Vice-President of the European Central Bank vice-presidente do Banco Central Europeu
+Statutory Rights' Service Serviço dos Direitos Estatutários
+Committee on the Elimination of Racial Discrimination Comité para a Eliminação da Discriminação Racial
+probation regime de prova
+mutation mutação
+leave to enter granted to businessmen and the self-employed autorização de residência para exercício de actividade profissional independente
+Delegation for relations with the Arab Peninsula Delegação para as Relações com a Península Arábica
+Additional Protocol to the European Convention on State Immunity Protocolo Adicional à Convenção Europeia sobre a Imunidade dos Estados
+forgery of administrative documents falsificação de documentos administrativos
+appeal proceedings processo de recurso
+United Nations Convention on Jurisdictional Immunities of States and Their Property Convenção das Nações Unidas sobre as Imunidades Jurisdicionais dos Estados e dos Seus Bens
+succession of states sucessão de Estados
+Web Conception Service Serviço de Conceção do Sítio Web
+Business Analysis and Project Methods Service Serviço de Análise Empresarial e Metodologias dos Projetos
+qualified majority maioria qualificada
+absolute majority maioria absoluta
+Visitors Services Coordination Unit Unidade de Coordenação dos Serviços de Visitantes
+penalty sanção
+agenda item ponto da ordem do dia
+crime against humanity crime contra a humanidade
+Paleoarchean Paleoarcaico
+multicoloured background fundo multicolor
+marital status situação matrimonial
+superintendent registrar oficial do registo civil
+internal energy market mercado interno da energia
+ballot paper boletim
+Republic of Kiribati República de Quiribáti
+Parliament's delegation to the Conciliation Committee Delegação do Parlamento Europeu ao Comité de Conciliação
+exercise of parental responsibility exercício das responsabilidades parentais
+Supplementary Agreement for the Application of the European Convention on Social Security Acordo Complementar para Aplicação da Convenção Europeia de Segurança Social
+N/A UK não apresentação de menor
+Brno City Court Tribunal de Brno
+Global Infrastructure Hub Centro Mundial para as Infraestruturas
+Convention for the Safeguarding of Intangible Cultural Heritage Convenção para a Salvaguarda do Património Cultural Imaterial
+Czech Senate Senado checo
+justification justificação
+Compact for Growth and Jobs Pacto para o Crescimento e o Emprego
+parliamentary cooperation committee comissão parlamentar de cooperação
+due care diligência
+Treaty on European Union Tratado da União Europeia
+Secretariat of the Committee on Foreign Affairs Secretariado da Comissão dos Assuntos Externos
+Romania Roménia
+Official Journal of the European Union Jornal Oficial da União Europeia
+Maltese lira lira maltesa
+Republic of Indonesia República da Indonésia
+information document ficha de informações
+Directorate-General for Internal Policies of the Union Direção-Geral das Políticas Internas da União
+marine fuel combustível naval
+region região
+nationality of ship nacionalidade do navio
+statement of reasons exposição de motivos
+error in calculation erros de cálculo
+Portuguese Interpretation Unit Unidade da Interpretação Portuguesa
+actors in the supply chain agentes da cadeia de abastecimento
+animated design desenho ou modelo animado
+defendant demandado
+solidarity clause cláusula de solidariedade
+standard-essential patent patente essencial a uma norma
+Clients and Projects Service Serviço de Pedidos dos Clientes e Projetos
+dissolution of a relationship other than marriage dissolução de uma união não matrimonial
+employment service serviço de emprego
+police and judicial cooperation in criminal matters cooperação policial e judiciária em matéria penal
+dangerous preparation preparação perigosa
+drafting panel comissão de redação
+Information Technology and IT Support Unit Unidade da Informática e do Apoio às Tecnologias da Informação
+Corfu Corfu
+professional user utilizador profissional
+not being a proper person to act indignidade
+EU VAT Forum Fórum da UE sobre o IVA
+Republic of Namibia República da Namíbia
+rescind a decision taken revogar uma decisão tomada
+HIV transmission transmissão do VIH
+Norwegian krone coroa norueguesa
+surname apelido
+Community-wide roaming itinerância comunitária
+Cybersecurity Act Regulamento Cibersegurança
+Republic of Ghana República do Gana
+Working Party on Tax Questions (Indirect Taxation) Grupo das Questões Fiscais (Fiscalidade Indireta)
+discrimination discriminação
+Belize Belize
+Europa Experience Service Serviço Europa Experience
+perpetrator autor de uma infração penal
+appeal recurso principal
+hybrid meeting reunião híbrida
+Republic of Angola República de Angola
+Council configuration formação do Conselho
+Data Protection Proteção de Dados
+candidate list lista de substâncias candidatas
+individual designer criador individual
+Joint Parliamentary Meeting Reunião parlamentar conjunta
+Codex Alimentarius Working Party (Sugars) Grupo do Codex Alimentarius (Açúcares)
+Declaration on the inadmissibility of intervention in the domestic affairs of States and the protection of their independence and sovereignty Declaração sobre a Inadmissibilidade da Intervenção nos Assuntos Internos dos Estados e a Proteção da sua Independência e Soberania
+Codex Alimentarius Working Party (Food Hygiene) Grupo do Codex Alimentarius (Higiene Alimentar)
+referral of a case to a Chamber composed of a different number of Judges remessa do processo a uma secção composta por um número diferente de juízes
+Anisian Anisiano
+Cork Cork
+Working Party on Collective Evaluation Grupo da Avaliação Coletiva
+regular national filing depósito nacional regular
+agenda for new skills and jobs Agenda para Novas Competências e Empregos
+Commonwealth of the Northern Mariana Islands Comunidade das Ilhas Marianas do Norte
+human toxicity toxicidade humana
+relevant substance substância em causa
+open a preparatory inquiry iniciar a instrução
+terrorism terrorismo
+client utente
+S-phrases frases S
+eugenic practice prática eugénica
+Directorate 3 - Fisheries, including external relations Direção 3 - Pescas, incluindo as relações externas
+criminal responsibility of children responsabilidade penal do menor
+High Level Group on Agriculture Grupo de Alto Nível da Agricultura
+reach a settlement of the dispute chegar a acordo sobre a solução a dar ao litígio
+acute inhalation toxicity toxicidade aguda por via inalatória
+be under the supervision of the Judge-Rapporteur actuar sob a autoridade do juiz-relator
+accordance check verificação da conformidade
+intangible cultural heritage património cultural imaterial
+rights deriving from a residence order direito de guarda
+Arab Peace Initiative Iniciativa de Paz Árabe
+loss of amenity prejuízo de prazer
+Working Party on Horizontal Agricultural Questions (Strengthening of Controls) Grupo das Questões Agrícolas Horizontais (Reforço dos Meios de Controlo)
+rehabilitation of victims reabilitação das vítimas
+municipal assembly assembleia municipal
+drachma dracma
+Republic of Vanuatu República de Vanuatu
+Commission on Human Rights CDH
+particulars of the voting resultado da votação
+Working Party on Olive Oil Grupo do Azeite
+autonomous region região autónoma
+structured consultation consulta estruturada
+EU-Pakistan 5-year Engagement Plan Plano quinquenal de aproximação UE-Paquistão
+Group of the Alliance of Liberals and Democrats for Europe Grupo da Aliança dos Democratas e Liberais pela Europa
+harmful event facto danoso
+surname and first name apelido e nome próprio
+disturbances agitação
+Legislative IT Systems Unit Unidade dos Sistemas Informáticos Legislativos
+perjury on the part of a witness falso testemunho
+regular format formato habitual
+sameness similaridade
+Italian Senate Senado italiano
+Secretariat of the Subcommittee on Human Rights / Human Rights Unit Secretariado da Subcomissão dos Direitos do Homem / Unidade dos Direitos do Homem
+Zakynthos Zacinto
+Press Unit Unidade da Imprensa
+lek lek
+Togolese Republic República Togolesa
+Working Party on the Staff Regulations Grupo do Estatuto
+Publications Management and Editorial Unit Unidade de Edição e de Gestão das Publicações
+Council of Europe Convention on Access to official Documents Convenção do Conselho da Europa sobre o Acesso aos Documentos Públicos
+authority to accept service mandato para receber notificações
+Members' Salaries and Social Entitlements Unit Unidade das Remunerações e dos Direitos Sociais dos Deputados
+finished article artigo acabado
+conduct of sittings condução das sessões
+Members’ Rights Unit Unidade dos Direitos dos Deputados
+voting procedure processo de votação
+European Foundation for the Improvement of Living and Working Conditions Fundação Europeia para a Melhoria das Condições de Vida e de Trabalho
+Missions Unit Unidade das Missões
+Schengen Facility mecanismo financeiro Schengen
+public procurement contratação pública
+duty of fidelity dever de fidelidade
+Codex Alimentarius Working Party (Natural Mineral Waters) Grupo do Codex Alimentarius (Águas Minerais Naturais)
+joint action ação comum
+common action ação em comum
+forint forint
+CSEC World Congress Congresso Mundial contra a exploração sexual de crianças para fins comerciais
+independent mandate independência do mandato
+reasoned opinion parecer fundamentado
+development cooperation cooperação para o desenvolvimento
+reserve a decision on an application reservar para final a decisão sobre um pedido
+International Electrotechnical Commission Comissão Eletrotécnica Internacional
+Higher Regional Court Tribunal Regional Superior
+E-Learning Unit Unidade de Aprendizagem em Linha
+Treaty establishing the European Community Tratado que institui a Comunidade Económica Europeia
+Ministry of Finance Ministério das Finanças
+Annual Report of the European Investment Bank Relatório Anual do Banco Europeu de Investimento
+European Agreement on the Restriction of the Use of certain Detergents in Washing and Cleaning Products Acordo Europeu sobre a Limitação do Emprego de certos Detergentes nos Produtos de Lavagem e de Limpeza
+termination of the proceedings termo do processo
+French National Assembly Assembleia Nacional francesa
+Economic Policies Unit Unidade das Políticas Económicas
+incoming Presidency próxima Presidência
+production site instalações de produção
+Hauterivian Hauteriviano
+parental responsibility responsabilidade parental
+full study report relatório completo do estudo
+submission number número de apresentação
+Statement of Madrid concerning Doctors, Ethics and Torture Declaração de Madrid sobre os médicos, a ética e a tortura
+European Agreement on the Instruction and Education of Nurses Acordo Europeu sobre a Instrução e a Formação do Pessoal de Enfermagem
+European Parliament Liaison Office in Portugal Gabinete de Ligação do Parlamento Europeu em Portugal
+evidence prova
+surname, forenames, description and address of the witness nome completo, profissão e morada das testemunhas
+compromise amendment alteração de compromisso
+Financial Support Unit for Liaison Offices Unidade de Apoio Financeiro aos Gabinetes de Ligação
+concession concessão
+Committee for Fisheries and Aquaculture Comité das Pescas e da Aquicultura
+N/A procurador
+Working Party on Financial Services (Financial Supervision) Grupo dos Serviços Financeiros (Supervisão Financeira)
+mutualisation fund fundo de mutualização
+deemed date of payment data de pagamento considerada
+Directorate for HR Support and Social Services Direção dos Serviços Sociais e de Apoio aos Recursos Humanos
+delegated act ato delegado
+Vice-President Vice-Presidente
+polydrug use policonsumo de drogas
+Working Party on Financial Services (OTC derivatives) Grupo dos Serviços Financeiros (Derivados OTC)
+European Parliament Liaison Office in Luxembourg Gabinete de Ligação do Parlamento Europeu no Luxemburgo
+Schedule of meetings Service Serviço do Calendário das Reuniões
+by-product subproduto
+Customer Service Enhancements Service Serviço de Melhoria do Serviço aos Clientes
+District Court Tribunal de Primeira Instância
+son-in-law genro
+repatriation repatriamento de um estrangeiro
+United Republic of Tanzania República Unida da Tanzânia
+guilt culpabilidade
+Protocol amending the Treaty establishing the European Atomic Energy Community Protocolo que altera o Tratado que institui a Comunidade Europeia da Energia Atómica
+Working Party on CFSP Administrative Affairs and Protocol Grupo dos Assuntos Administrativos e Protocolo da PESC
+used in trade utilizado no comércio
+time-limit prescribed prazo fixado
+Electronic Voting and Associated Services Service Serviço da Votação Eletrónica e Serviços Associados
+Directorate for Resources Direção dos Recursos
+armed and organised group grupo armado e organizado
+Macao SAR RAEM
+Working Party on External Fisheries Policy Grupo da Política Externa das Pescas
+second earner segunda fonte de rendimento
+women's rights Direitos da Mulher
+discontinue the proceedings desistência da instância
+joint text projeto comum
+Aeronian Aeroniano
+Court of Appeal Tribunal de Recurso
+graphic representation representação gráfica
+Directorate for Prevention, First Aid and Fire Safety Direção da Prevenção, dos Primeiros Socorros e da Segurança contra Incêndios
+Delegation to the EU-Armenia Parliamentary Partnership Committee, EU-Azerbaijan Parliamentary Cooperation Committee and the EU-Georgia Parliamentary Association Committee Delegação às Comissões Parlamentares de Cooperação UE-Arménia e UE-Azerbaijão e à Comissão Parlamentar de Associação UE-Geórgia
+flood hazard risco de inundação
+Common Joint Committee Comissão Paritária Comum
+Parliamentary Support and Capacity Building Unit Unidade de Apoio Parlamentar e Reforço das Capacidades
+standing interparliamentary delegation delegação interparlamentar permanente
+rules of procedure of the national court or tribunal regras processuais aplicáveis nos órgãos jurisdicionais nacionais
+use utilização
+climate change impact impacto das alterações climáticas
+Martinique Martinica
+Members' Travel and Subsistence Expenses Unit Unidade das Despesas de Viagem e de Estadia dos Deputados
+two-generation reproductive toxicity study estudo de efeitos tóxicos na reprodução em duas gerações
+national territory território nacional
+list of harmonised classification and labelling lista de classificações e rotulagens harmonizadas
+minutes of the hearing acta da audiência
+shipping incident incidente de navegação
+Federal Republic of Nigeria República Federal da Nigéria
+homosexual parent progenitor homossexual
+System Administration Service Serviço da Administração dos Sistemas
+suspend enforcement suspensão da execução coerciva
+Curaçao Curaçau
+Commission for Education, Youth, Culture and Research Comissão de Educação, Juventude, Cultura e Investigação
+uniform electoral procedure processo eleitoral uniforme
+dispose of the substantive issues in part only conhecer parcialmente do mérito do litígio
+Eco-management and audit scheme Unit (EMAS) Unidade do Sistema de Ecogestão e Auditoria (EMAS)
+APA Contracts Section Secção de Contratos de APA
+humanitarian treatment tratamento humanitário
+Directorate-General for Finance Direção-Geral das Finanças
+political offence infração política
+circumstance giving rise to urgency razões da urgência
+Rules of Procedure of the General Council of the European Central Bank Regulamento Interno do Conselho Geral do Banco Central Europeu
+Council of Europe Convention on the Prevention of Terrorism Convenção do Conselho da Europa para a Prevenção do Terrorismo
+homophobic homofóbico
+Working Party on Special Plant Products Grupo dos Produtos Vegetais Especiais
+Protocol to the European Agreement on the Protection of Television Broadcasts Protocolo ao Acordo Europeu para a Proteção das Emissões Televisivas
+Service for Pensions under PEAM Rules Serviço de Pensões (Regulamentação DSD)
+CLH dossier dossiê CRH
+modular system sistema modular
+Directorate for Resources Direção dos Recursos
+persecution perseguição
+Individual Entitlements Unit Unidade dos Direitos Individuais
+non-contractual liability responsabilidade extracontratual
+Working Party on Technical Harmonisation (New legal framework) Grupo da Harmonização Técnica (Novo Quadro Jurídico)
+isomeric composition composição isomérica
+preparatory act ato preparatório
+Islamic Republic of Mauritania República Islâmica da Mauritânia
+family council conselho de família
+questioner autor de uma pergunta
+punishment of the crime of genocide repressão do crime de genocídio
+simultaneous use consumo simultâneo
+alternate member of the Committee of the Regions suplente do Comité das Regiões
+blue card cartão azul
+European Parliament Liaison Office in the Czech Republic Gabinete de Ligação do Parlamento Europeu na República Checa
+Justice and Civil Liberties Unit Unidade da Justiça e Liberdades Públicas
+Question Time período de perguntas
+European Parliament Liaison Office in Malta Gabinete de Ligação do Parlamento Europeu em Malta
+Scientific Foresight Service Serviço de Estudos Científicos Prospetivos
+Republic of Cyprus República de Chipre
+parent progenitor
+identity identidade
+Structural and Cohesion Policy Service Serviço das Políticas Estruturais e de Coesão
+Working Party on Financial Services (Credit rating agencies) Grupo dos Serviços Financeiros (Agências de Notação)
+claim pedido
+child abandonment abandono de menor
+identical design desenho ou modelo idêntico
+Implementation Service Serviço de Execução
+ground for non-registrability fundamento para a recusa do pedido de registo
+Directorate for Budgetary Affairs Direção dos Assuntos Orçamentais
+allocation of cases among the Chambers distribuição dos processos entre as secções
+Swedish Section Secção Sueca
+complex substance substância complexa
+issue letters rogatory expedir cartas rogatórias
+Scientific Foresight Unit Unidade da Prospetiva Científica
+Republic of the Marshall Islands República das Ilhas Marshall
+Council of State Conselho de Estado, em formação jurisdicional
+compelling indications fortes indícios
+International Court of Justice Tribunal Internacional de Justiça
+non-legislative motion for a resolution proposta de resolução não legislativa
+interim effect of an order carácter provisório de um despacho
+Working Party on Energy Grupo da Energia
+au pair placement colocação au pair
+application to establish maternal parentage acção de investigação de maternidade
+identity of the design identidade do desenho ou modelo
+withdrawal of an arrest warrant revogação do mandado de detenção
+family reunification sponsor reagrupante
+EU national cidadão da UE
+lodging of security constituição de uma provisão
+large intestine intestino grosso
+Commission for Social Policy, Education, Employment, Research and Culture Comissão SEDEC
+prescription prescrição
+motion for a resolution proposta de resolução
+displacement effect efeito de deslocação
+N/A (DE &gt; UK) detenção ordenada pelo juiz
+Directorate-General for Maritime Affairs and Fisheries Direção-Geral dos Assuntos Marítimos e das Pescas
+Europol Working Party Grupo Europol
+Sultanate of Oman Sultanato de Omã
+certified correct conforme com os factos
+relationship rape violação entre cônjuges
+Irish Translation Unit Unidade de Tradução Irlandesa
+respect for minorities respeito das minorias
+migrant migrante
+Finance and Information Technology Unit Unidade das Finanças e da Informática
+verification of credentials verificação de poderes
+free movement of goods livre circulação de mercadorias
+aspiration aspiração
+synthesis síntese
+computer-animated representation representação com animação por computador
+recommendation for second reading recomendação para segunda leitura
+Code of Conduct for International Election Observers Código de Conduta do Observador Eleitoral Internacional
+Supreme Administrative Court Supremo Tribunal Administrativo
+Legislative Quality Unit C - Citizens' Rights Unidade da Qualidade Legislativa C - Direitos dos Cidadãos
+Administrative Court Tribunal Administrativo
+Republic of Finland República da Finlândia
+stateless person apátrida
+Special Committee on the Union’s authorisation procedure for pesticides Comissão Especial sobre o Procedimento de Autorização da União para os Pesticidas
+rapporteur relator
+abandonment of a new-born infant abandono de recém-nascido
+adultery adultério
+Greek Section Secção Grega
+High Court of Justice Tribunal Superior de Justiça
+toxic for reproduction category 1 substância tóxica para a reprodução da categoria 1
+Citizens' Policies Unit Unidade das Políticas dos Cidadãos
+issuing judicial authority autoridade judiciária de emissão
+Corporate IT Systems Unit Unidade dos Sistemas Informáticos de Gestão
+third reading terceira leitura
+Directorate for Liaison Offices Direção dos Gabinetes de Ligação
+facilitate the taking of evidence facilitar a produção da prova
+modular product produto modular
+feature of appearance característica da aparência
+European Parliament Liaison Office in Austria Gabinete de Ligação do Parlamento Europeu na Áustria
+landfill waste resíduos depositados em aterro
+non-attached Member deputado não inscrito
+dispose of a procedural issue pôr termo a um incidente processual
+bisexuality bissexualidade
+Republic of El Salvador República do Salvador
+supplier of an article fornecedor de um artigo
+Working Party on Arable Crops (Cereals) Grupo das Culturas Arvenses (Cereais)
+Payroll Unit Unidade das Remunerações
+determination of suitability to adopt autorização para a adopção
+Republic of Armenia República da Arménia
+Directorate for Resources Direção dos Recursos
+High-Level Contact Group for Relations with the Turkish-Cypriot Community in the Northern Part of the Island Grupo de Contacto de Alto Nível para as Relações com a Comunidade Cipriota Turca no Norte da Ilha
+procreation procriação
+knowledge of the birth conhecimento do nascimento
+Your Europe A sua Europa
+Cayman Islands Ilhas Caimão
+exclusive rights direitos exclusivos
+naloxone naloxona
+gamete intra-fallopian transfer transferência intratubária de gâmetas
+Convention for the drawing up of a draft Charter of Fundamental Rights of the European Union Convenção para a elaboração do projeto de Carta dos Direitos Fundamentais da União Europeia
+European Parliament Liaison Office in Cyprus Gabinete de Ligação do Parlamento Europeu em Chipre
+Regional Court Tribunal Regional
+relative by affinity afim
+Delegation for relations with the Pan-African Parliament Delegação para as Relações com o Parlamento Pan-Africano
+independent work of creation trabalho de criação independente
+General Committee Comissão dos Assuntos Gerais
+ANS Painel dos Aditivos Alimentares e Fontes de Nutrientes Adicionados a Géneros Alimentícios
+broken line linha tracejada
+Working Party on Wines and Alcohol (Wines) Grupo dos Vinhos e Álcoois (Vinho)
+Delegation for relations with the countries of South Asia and the South Asia Association for Regional Cooperation (SAARC) Delegação para as Relações com os Países da Ásia do Sul e a Associação para a Cooperação Regional da Ásia do Sul (SAARC)
+Statute for Members of the European Parliament Estatuto dos Deputados
+Intergovernmental Oceanographic Commission Comissão Oceanográfica Intergovernamental
+Benchmarking and Knowledge Diffusion Service Serviço de Avaliação e Divulgação de Conhecimentos
+sitting of the Court sessão do Tribunal
+Directorate C - Legislative Work Direção C - Trabalhos Legislativos
+Directorate-General for Security and Safety Direção-Geral da Segurança e da Proteção
+Bashkirian Basquiriano
+preliminary objection exceção
+appropriateness of the legal basis pertinência da base jurídica
+Legal Service Serviço Jurídico
+Maintenance Assistance Service Serviço de Assistência à Manutenção
+Terreneuvian Terranóvico
+Réunion Reunião
+proceedings in camera reunião à porta fechada
+civil peace paz civil
+question referred questão prejudicial
+Audiovisual Working Party Grupo do Audiovisual
+formal requisites of marriage requisito de forma do casamento
+own-initiative procedure processo de iniciativa
+Additional Protocol to the European Charter of Local Self-Government on the right to participate in the affairs of a local authority Protocolo Adicional à Carta Europeia de Autonomia Local sobre o Direito de Participar nos Assuntos das Autarquias Locais
+Protocol to the European Agreement on the Exchange of Therapeutic Substances of Human Origin Protocolo ao Acordo Europeu relativo ao Intercâmbio de Substâncias Terapêuticas de Origem Humana
+transcription transcrição
+sexual violence violência sexual
+single opinion parecer único
+immigrant imigrante
+request for an Opinion pedido de parecer prévio
+Hungarian Section Secção Húngara
+animal waste management gestão de resíduos de animais
+Regulation (EC) No 2201/2003 concerning jurisdiction and the recognition and enforcement of judgments in matrimonial matters and the matters of parental responsibility, repealing Regulation (EC) No 1347/2000 Regulamento relativo à competência, ao reconhecimento e à execução de decisões em matéria matrimonial e em matéria de responsabilidade parental
+Working Party on Genetic Resources in Agriculture Grupo dos Recursos Genéticos Agrícolas
+custody of documents conservação dos documentos
+Directorate for Translation Direção da Tradução
+professional defence body organismo de defesa da profissão
+Republic of Zambia República da Zâmbia
+international child abduction rapto internacional de crianças
+Group of the Progressive Alliance of Socialists and Democrats in the European Parliament Grupo da Aliança Progressista dos Socialistas e Democratas no Parlamento Europeu
+Youth Outreach Unit Unidade de Proximidade com os Jovens
+plant material material vegetal
+legislative report relatório de caráter legislativo
+group president presidente de grupo
+annual activity and monitoring report relatório anual de atividade e de acompanhamento
+collective expulsion expulsão coletiva
+Republic of Senegal República do Senegal
+Paymaster General Tesoureiro-Geral
+Central Financial Unit Unidade Financeira Central
+Directorate for Structural and Cohesion Policies Direção das Políticas Estruturais e de Coesão
+granting authority autoridade que concede a autorização
+selective recovery recuperação selectiva
+Annual Meeting of the Board of Governors of the European Investment Bank Sessão Anual do Conselho de Governadores do Banco Europeu de Investimento
+Consultation of Parliament in the fields of police and judicial cooperation in criminalmatters Consulta do Parlamento nos domínios da cooperação policial e judiciária em matéria penal
+acknowledgment of the child reconhecimento do filho
+religious marriage casamento religioso
+Protocol to the European Convention on Social Security Protocolo à Convenção Europeia de Segurança Social
+Budget Memorandum relatório do orçamento
+Committee on Budgets Comissão dos Orçamentos
+chemical agent agente químico
+Legislative Quality Unit E - External Policies Unidade da Qualidade Legislativa E - Políticas Externas
+Working Party on Agricultural Questions (Feedingstuffs) Grupo das Questões Agrícolas (Alimentos para Animais)
+Communication Service Serviço de Comunicação
+Kimberley Process Certificate Certificado do Processo de Kimberley
+end user utilizador final
+Solutions Service Serviço de Soluções
+serious and effective preparation preparativos sérios e efetivos
+Budget Unit Unidade do Orçamento
+Subcommittee on Human Rights Subcomissão dos Direitos do Homem
+Montenegro Montenegro
+widower viúvo
+municipality município
+elect by acclamation eleito por aclamação
+political dialogue diálogo político
+Clerk of the Parliaments Secretário dos Parlamentos
+Protocol on the role of national parliaments in the European Union Protocolo relativo ao Papel dos Parlamentos Nacionais na União Europeia
+non-discrimination não discriminação
+attribution of liability imputação de uma infração
+Directorate for Resources Direção dos Recursos
+put and take fishery pesqueiro de largada e captura
+tolar tolar
+special committee comissão especial
+Bureau Mesa
+Additional Protocol to the Interim Agreement on trade and trade-related matters between the European Community, the European Coal and Steel Community and the European Atomic Energy Community, of the one part, and the Republic of Slovenia, of the other part, and to the Europe Agreement between the European Communities and their Member States, of the one part, and the Republic of Slovenia, of the other part Protocolo que adapta os Aspetos Institucionais do Acordo Europeu que cria uma Associação entre as Comunidades Europeias e os seus Estados-Membros, por um lado, e a República Eslovaca, por outro, a fim de ter em conta a Adesão da República da Áustria, da República da Finlândia e do Reino da Suécia à União Europeia
+Supreme Court of Cassation Supremo Tribunal de Cassação
+Secretariat of the Committee on Petitions Secretariado da Comissão das Petições
+appeal recurso hierárquico
+sister-in-law cunhada
+Legislative Quality Unit A - Economic and Scientific Policy Unidade da Qualidade Legislativa A - Política Económica e Científica
+unknown parents pais desconhecidos
+e-Parliament suite Service Serviço do Pacote e-Parliament
+judicial vacations férias judiciais
+Republic of Malta República de Malta
+application to intervene pedido de intervenção
+initialling rubrica
+officials and other servants of the Court funcionários e outros agentes do Tribunal
+District Court (Criminal Division) Tribunal de Primeira Instância, secção criminal
+Third Protocol to the General Agreement on Privileges and Immunities of the Council of Europe Terceiro Protocolo Adicional ao Acordo Geral sobre os Privilégios e Imunidades do Conselho da Europa
+suspect suspeito
+framework contract acordo-quadro
+Maritime and Commercial Court Tribunal Marítimo e Comercial
+Antici Group (Article 50) Grupo Antici (Artigo 50.º)
+Delegation for relations with the countries of South Asia Delegação para as Relações com os Países da Ásia do Sul
+vapour vapor
+European Union Agency for Law Enforcement Cooperation Agência da União Europeia para a Cooperação Policial
+heat stress <i>stress</i> térmico
+stand-by arrangement acordo de crédito contingente
+Eurofisc Eurofisc
+securitisation titularização
+minimum quality standard norma de qualidade mínima
+Directorate for Budget and Financial Services Direção do Orçamento e dos Serviços Financeiros
+Supreme Court Supremo Tribunal
+grandson neto
+CSDP Orientation Course Curso de Orientação no domínio da PESD
+proof of private accommodation comprovativo de alojamento
+Green Paper on the future of the European migration network Livro Verde sobre o futuro da rede europeia das migrações
+Strasbourg Current Building Projects Unit Unidade dos Projetos de Construção em Curso em Estrasburgo
+Deputy Secretary-General of the Council Secretário-Geral Adjunto do Conselho da União Europeia
+Additional Protocol to the European Social Charter Protocolo Adicional à Carta Social Europeia
+crime against the peace and security of mankind crime contra a paz e a segurança da humanidade
+Danger perigo
+Institutional Cooperation Unit Unidade da Cooperação Institucional
+LUX Film Days Dias do cinema LUX
+Secretariat of the Committee on Regional Development Secretariado da Comissão do Desenvolvimento Regional
+Protocol to the European Interim Agreement on Social Security other than Schemes for Old Age, Invalidity and Survivors Protocolo Adicional ao Acordo Provisório Europeu sobre Segurança Social, à exceção dos Regimes relativos à Velhice, Invalidez e Sobrevivência
+resolution of a dispute resolução dos litígios
+Multilingualism and External Relations Unit Unidade do Multilinguismo e das Relações Externas
+Statute of the European Investment Bank Estatutos do Banco Europeu de Investimento
+term of office of a Judge mandato dos juízes
+European Citizens' Charter Carta dos Cidadãos Europeus
+Agreement on the Temporary Importation, free of duty, of Medical, Surgical and Laboratory Equipment for use on free loan in Hospitals and other Medical Institutions for purposes of Diagnosis or Treatment Acordo para a Importação Temporária com Isenção de Direitos Alfandegários, a título de Empréstimo Gratuito e para fins de Diagnóstico ou Terapêutica, de Material Médico-Cirúrgico e de Laboratório destinado aos Estabelecimentos de Saúde
+Brussels I Regulation Regulamento do Conselho relativo à competência judiciária, ao reconhecimento e à execução de decisões em matéria civil e comercial
+family relationship laço de parentesco
+formal requirement requisito formal
+Taiwan Taiwan
+Delegation to the EU-Russia Parliamentary Cooperation Committee Delegação à Comissão Parlamentar de Cooperação UE-Rússia
+Working Party on Intellectual Property (Trade Secrets) Grupo da Propriedade Intelectual (Segredos Comerciais)
+Directorate-General for External Policies of the Union Direção-Geral das Políticas Externas da União
+Italian Interpretation Unit Unidade da Interpretação Italiana
+permanent residence (EEA nationals) residência de duração ilimitada
+procedural document ato processual
+European Parliament Liaison Office in Strasbourg Gabinete de Ligação do Parlamento Europeu em Estrasburgo
+legislative assembly assembleia legislativa
+Bulgarian Section Secção Búlgara
+Rhuddanian Rudaniano
+non-attached member membro não filiado
+Commonwealth of the Bahamas Comunidade das Baamas
+Republic of Fiji República das Fiji
+decision of the President decisão do presidente
+request for information pedido de informações
+mother-in-law sogra
+Archives Unit Unidade dos Arquivos
+Anti-Racist Network for Equality in Europe rede antirracista a favor da igualdade na Europa
+JUSSCANNZ JUSSCANNZ
+adjournment of the session interrupção da Sessão
+resolution on topical subjects resolução sobre assuntos de atualidade
+Administration and Logistics Service Serviço de Administração e Logística
+Greenland Gronelândia
+Mesoarchean Mesoarcaico
+robust study summary resumo circunstanciado do estudo
+transported isolated intermediate substância intermédia isolada transportada
+Personnel Unit Unidade do Pessoal
+Working Party on Financial Services (Comitology) Grupo dos Serviços Financeiros (Comitologia)
+summary execution execução sumária
+Canterbury Cantuária
+inadmissibility of a matter questão prévia
+principle of sustainable development princípio do desenvolvimento sustentável
+communicable disease doença transmissível
+ballot escrutínio
+artificial insemination inseminação artificial
+French Republic República Francesa
+Additional Protocol to the European Agreement on the Exchange of Tissue-Typing Reagents Protocolo Adicional ao Acordo Europeu sobre a Troca de Reagentes para a Determinação dos Grupos Tissulares
+Working Party on Electronic Communications Grupo das Comunicações Eletrónicas
+Working Party on Frontiers Grupo das Fronteiras
+Clear Language and Editing Unit Unidade da Linguagem Clara e da Verificação Linguística
+flag referência
+Grand Chamber grande secção
+functional food alimentação funcional
+International Code of Zoological Nomenclature Código Internacional de Nomenclatura Zoológica
+foreign national in transit cidadão estrangeiro em trânsito
+witness's oath juramento da testemunha
+service of the application on the defendant notificação da petição ao demandado
+Expert Group on Taxation of the Digital Economy Grupo de Peritos sobre a Tributação da Economia Digital
+identity check controlo de identidade
+Workflow Applications Service Serviço das Aplicações do Fluxo de Trabalho
+take cognisance of an action conhecer de um pedido
+Protocol Unit Unidade do Protocolo
+servitude servidão
+Mayotte Maiote
+unsuccessful party parte vencida
+public and fair trial julgamento justo e público
+xenophobia xenofobia
+Republic of Panama República do Panamá
+European Convention on Transfrontier Television Convenção Europeia sobre a Televisão Transfronteiras
+urgent preliminary ruling procedure tramitação prejudicial urgente
+Kingdom of Morocco Reino de Marrocos
+Working Party of Veterinary Experts Grupo dos Peritos Veterinários
+mobile satellite system sistemas móveis por satélite
+consent to adoption consentimento para a adopção
+Cabinet Office Gabinete do Primeiro-Ministro
+Innovation Service Serviço da Inovação
+Swiss franc franco suíço
+international security segurança internacional
+Structural and Cohesion Policy Service Serviço das Políticas Estruturais e de Coesão
+Counsellors/Attachés Conselheiros/Adidos
+Federal Finance Court Tribunal Tributário Federal
+right to non-discrimination direito à não discriminação
+lawyer’s disbursements and fees encargos e honorários do advogado
+Trainee Outreach and Recruitment Unit Unidade de Recrutamento de Estagiários
+cutaneous porphyria porfiria cutânea
+chemical element elemento químico
+Working Party on JHA Information Exchange Grupo do Intercâmbio de Informações JAI
+Customer Relationship Management Service Serviço de Gestão das Relações com os Clientes
+value as part of a going concern valor parcial
+derived right of residence direito de residência derivado
+Norian Noriano
+joint submission apresentação conjunta
+Protocol to the Convention on the Elaboration of a European Pharmacopoeia Protocolo à Convenção relativa à Elaboração de uma Farmacopeia Europeia
+prioritisation for authorisation definição de prioridades para efeitos de procedimento de autorização
+Constitutional Court Tribunal Constitucional
+Sea of Marmara mar de Mármara
+wrongful removal of a child deslocação ilícita de menor
+Luxembourg Crèches Section Secção de Creches do Luxemburgo
+order to pay the costs condenar nas despesas
+poison control controlo de produtos venenosos
+oral address declaração oral
+Directorate for Proximity and Assistance, Security and Safety Direção para a Proximidade e a Assistência, a Segurança e a Proteção
+Facilities Management Unit Unidade de Gestão de Instalações
+Protocol on the acquisition of property in Denmark Protocolo relativo à Aquisição de Bens Imóveis na Dinamarca
+Delegation to the Euro-Latin American Parliamentary Assembly Delegação à Assembleia Parlamentar Euro-Latino-Americana
+People Transport Unit Unidade do Transporte de Pessoas
+transgender male-to-female mulher transexual
+IRMM Instituto de Materiais e Medições de Referência
+restriction dossier dossiê relativo às restrições
+Statherian Estatérico
+free base base livre
+Protocol on the application of certain aspects of Article 26 of the Treaty on the Functioning of the European Union to the United Kingdom and Ireland Protocolo relativo à Aplicação de Certos Aspetos do Artigo 14.º do Tratado que institui a Comunidade Europeia ao Reino Unido e à Irlanda
+pregnancy gravidez
+UN High Commissioner for Refugees Alto-Comissário das Nações Unidas para os Refugiados
+Administrative Court Tribunal do Contencioso Administrativo
+European Union (Notification of Withdrawal) Act 2017 Lei de 2017 de Notificação da Saída da União Europeia
+Codex Alimentarius Working Party (Cocoa Products and Chocolate) Grupo do Codex Alimentarius (Produtos do Cacau e Chocolate)
+renewed referral to Parliament nova consulta do Parlamento
+right to life direito à vida
+entitlement to sponsor a worker autorização de contratação
+preventive measure medida de segurança
+draft implementing measure projeto de medidas de execução
+disappeared person desaparecido
+multidimensional family therapy terapia familiar multidimensional
+homosexuality homossexualidade
+Republic of the Sudan República do Sudão
+Czech Section Secção Checa
+Swiss Confederation Confederação Suíça
+"I/A" item note nota ponto "I/A"
+European Convention on the Academic Recognition of University Qualifications Convenção Europeia sobre o Reconhecimento Académico de Habilitações Universitárias
+Working Party on Wines and Alcohol (Spirit Drinks) Grupo dos Vinhos e Álcoois (Bebidas Espirituosas)
+Space Strategy for Europe Estratégia Espacial para a Europa
+non-stabilised form forma não estabilizada
+ballot escrutínio
+legal status of children condição jurídica do filho
+consumer use utilização pelo consumidor final
+assembly centre centro de reagrupamento
+late pre-registration pré-registo tardio
+decision on the admissibility of a new plea in law decisão sobre a admissibilidade de um fundamento novo
+risk risco
+External Policies Unit Unidade das Políticas Externas
+European Parliament Liaison Office in Poland Gabinete de Ligação do Parlamento Europeu na Polónia
+Convention on Cooperation in the Northwest Atlantic Fisheries Convenção NAFO
+working environment condições de trabalho
+micronutrient micronutriente
+language of the national court or tribunal língua do órgão jurisdicional nacional
+logic model modelo lógico
+tax avoidance elisão fiscal
+cohabiting partner membro da união de facto
+annex anexo
+deliberations deliberação
+Conciliation Committee Comité de Conciliação
+pierce the corporate veil desconsideração da personalidade jurídica coletiva
+Ex-Post Evaluation Unit Unidade de Avaliação Ex Post
+European Social Agenda Agenda Social Europeia
+Principality of Monaco Principado do Mónaco
+Asylum Working Party Grupo do Asilo
+request for urgent debate pedido de debate urgente
+cross-sex hormone therapy terapia hormonal para efeitos de mudança de sexo
+grandmother avó
+Ad hoc Working Party on the European Institute of Technology (EIT) Grupo Ad Hoc para o Instituto Europeu de Tecnologia (IET)
+Siderian Sidérico
+Republic of Chad República do Chade
+Directorate for Visitors Direção dos Visitantes
+Security Operations Service Serviço de Segurança Operacional
+professional representative mandatário autorizado
+sectional view vista em corte
+Protocol to the European Convention on the Equivalence of Diplomas leading to Admission to Universities Protocolo Adicional à Convenção Europeia sobre a Equivalência de Diplomas que dão Acesso a Estabelecimentos Universitários
+Secretariat of the Committee on Budgetary Control Secretariado da Comissão do Controlo Orçamental
+voting time período de votação
+Client Liaison Service Serviço de Relações com Clientes
+forested land superfície florestal
+Independent State of Samoa Estado Independente de Samoa
+legal commitment compromisso jurídico
+Directorate-General for the Presidency Direção-Geral da Presidência
+taking back an asylum seeker retoma a cargo de um requerente de asilo
+Copenhagen political criteria critérios políticos de Copenhaga
+Delegation for relations with Belarus Delegação para as Relações com a Bielorrússia
+Instructions to the Registrar instruções ao secretário
+grandfather avô
+Republic of Yemen República do Iémen
+Working Party on Technical Harmonisation (Cosmetics) Grupo da Harmonização Técnica (Cosméticos)
+explosive article artigo explosivo
+Unified Printing Service Serviço de Impressão Unificado
+N/A (FR &gt; UK) N/A (FR &gt; PT)
+Kingdom of Cambodia Reino do Camboja
+Working Party on Financial Services (Transport of euro cash) Grupo dos Serviços Financeiros (Transporte de Notas e Moedas de Euro)
+give a decision as to costs decidir sobre as despesas
+reviewing Chamber secção de reapreciação
+novelty novidade
+Internal Communication Service Serviço de Comunicação
+differentiation diferenciação
+single investment project projeto único de investimento
+European Youth Press European Youth Press
+General Agreement on Privileges and Immunities of the Council of Europe Acordo Geral sobre os Privilégios e Imunidades do Conselho da Europa
+Civil Protection Financial Instrument Instrumento Financeiro para a Proteção Civil
+Budget and Finances Service Serviço do Orçamento e das Finanças
+parliamentary committee comissão parlamentar
+binding nature força obrigatória
+child custody guarda do menor
+vesicle vesícula
+speech intervenção
+pre-registration pré-registo
+dumping site aterro
+Delegation to the EU-Kazakhstan, EU-Kyrgyzstan, EU-Uzbekistan and EU-Tajikistan Parliamentary Cooperation Committees and for relations with Turkmenistan and Mongolia Delegação às Comissões Parlamentares de Cooperação UE-Cazaquistão, UE-Quirguistão, UE-Usbequistão e UE-Tajiquistão e para as Relações com o Turquemenistão e a Mongólia
+section secção
+Treaty of Nice amending the Treaty on European Union, the Treaties establishing the European Communities and certain related Acts Tratado de Nice
+adviser consultor
+Kingdom of Thailand Reino da Tailândia
+Member State of origin Estado-Membro de origem
+expedited procedure tramitação acelerada
+legislative objective objetivo legislativo
+rape violação
+Section President presidente de secção
+Strasbourg Buildings Management and Maintenance Unit Unidade de Gestão Imobiliária e de Manutenção em Estrasburgo
+Working Party on Technical Harmonisation (Machinery) Grupo da Harmonização Técnica (Máquinas)
+interpretation of the voting interpretação da votação
+Codex Alimentarius Working Party (Oils and Fats) Grupo do Codex Alimentarius (Óleos e Gorduras)
+European Convention on the Promotion of a Transnational Long-Term Voluntary Service for Young People Convenção Europeia sobre a Promoção de um Serviço Voluntário Transnacional de Longo Prazo para os Jovens
+European Union Visitors Programme Unit (EUVP) Unidade do Programa de Visitas da União Europeia (EUVP)
+imprisonment for default of payment of a fine Conversão da multa não paga em prisão subsidiária
+sub-chronic toxicity study estudo de toxicidade subcrónica
+LUX Film Prize winner vencedor do Prémio LUX
+Kingdom of the Netherlands Reino dos Países Baixos
+cohesion financial instrument instrumento financeiro de coesão
+obligation to carry papers and documents obrigação de posse, de porte e de apresentação de documento
+Demand Management Service Serviço de Gestão da Procura
+unmarried parent progenitor solteiro
+Barents Sea Mar de Barents
+declaration of invalidity declaração de nulidade
+Valanginian Valanginiano
+unit Unidade
+Public Procurement Board instância administrativa competente em matéria de contratos públicos
+police officer autoridade da polícia
+JAIEX Working Party Grupo JAIEX
+Informatics Unit Unidade da Informática
+Delegation for relations with Australia and New Zealand Delegação para as Relações com a Austrália e a Nova Zelândia
+Working Party on Plant Health Grupo das Questões Fitossanitárias
+religious minority minoria religiosa
+e-Portal Service Serviço e-Portal
+hazard endpoint parâmetro de perigo
+casting vote voto de qualidade
+air traffic flow management gestão do fluxo de tráfego aéreo
+surrogacy gestação para outrem
+Mediation and Dialogue Support Unit Unidade de Apoio à Mediação e ao Diálogo
+Earth Hour Hora do Planeta
+Equality, Inclusion and Diversity Unit Unidade da Igualdade, da Inclusão e da Diversidade
+Permanent Study Group on Sustainable Food Systems Grupo de Estudo Permanente para Sistemas Alimentares Sustentáveis
+product indication indicação do produto
+prior subsisting marriage casamento anterior não dissolvido
+Capacity &amp; Continuity Capacidade e Continuidade
+agender agénero
+World AIDS Day Dia Mundial da Sida
+intensive use consumo intensivo
+Committee on Improving Quality of Life, Exchanges between Civil Societies and Culture Comissão para a Promoção da Qualidade de Vida, dos Intercâmbios entre as Sociedades Civis e da Cultura
+plenum conferência plenária
+Treasury Service Serviço de Tesouraria
+number of views número de vistas
+Thanetian Tanetiano
+Working Party on Financial Questions Grupo das Questões Financeiras
+criminal responsibility responsabilidade criminal
+International Day in Support of Victims of Torture Dia Internacional de Apoio às Vítimas da Tortura
+Southern Africa África Austral
+Rules of Procedure Regulamento de Processo
+suspension of the sitting suspensão da sessão
+Logistics Service Serviço de Logística
+European Convention on the Protection of the Archaeological Heritage Convenção Europeia para a Proteção do Património Arqueológico
+Working Party on Agricultural questions (Labelling of Processed Agricultural Products) Grupo das Questões Agrícolas (Rotulagem dos Produtos Agrícolas Transformados)
+grant the application deferir o pedido
+rejoinder tréplica
+European Agreement on the Exchange of Therapeutic Substances of Human Origin Acordo Europeu relativo ao Intercâmbio de Substâncias Terapêuticas de Origem Humana
+matters of fact elementos de facto
+responsibility for return to the country of origin regresso a seu cargo ao país de procedência
+product incorporating a design produto com incorporação de um desenho ou modelo
+Council's Rules of Procedure Regulamento Interno do Conselho
+ordinary suspension suspensão simples
+final judgment acórdão que põe termo à instância
+determination of paternity impugnação da paternidade
+World Development Information Day Dia Mundial da Informação sobre o Desenvolvimento
+abortion aborto
+Minamata Convention on Mercury Convenção de Minamata sobre o Mercúrio
+application that does not comply with the requirements petição que não obedece aos requisitos indicados
+European Year Ano Europeu
+Rules of Procedure of the European Investment Bank Regulamento Interno do Banco Europeu de Investimento
+Printing Unit Unidade de Impressão
+stay permanência
+minutes in which the evidence of each witness is reproduced auto de cada depoimento das testemunhas
+Commission for Constitutional Affairs, European Governance and the Area of Freedom, Security and Justice Comissão de Assuntos Constitucionais, Governação Europeia e Espaço de Liberdade, Segurança e Justiça
+Informatics and Logistics Service Serviço de Informática e Logística
+person's address for service domicílio escolhido pelo destinatário
+Republic of Costa Rica República da Costa Rica
+MEPs' Staff Colaboradores dos Deputados
+Structural and Cohesion Policies Unit Unidade das Políticas Estruturais e de Coesão
+design of interconnections modelo de interconexões
+Delegation for relations with Japan Delegação para as Relações com o Japão
+official auxiliary auxiliar oficial
+International Convention for the Protection of All Persons from Enforced Disappearance Convenção Internacional para a Proteção de Todas as Pessoas contra os Desaparecimentos Forçados
+wrongful retention of a child retenção ilícita de menor
+Wuchiapingian Wujiapinguiano
+renewal fee taxa de renovação
+Quality Service Serviço da Qualidade
+official record documento autêntico
+Plenary Records Unit Unidade da Ata e do Relato Integral das Sessões
+Bujumbura Bujumbura
+Serravallian Serravaliano
+Vice-Chair vice-presidente
+refrigerated liquefied gas gás refrigerado liquefeito
+birth sex sexo ao nascimento
+individual character caráter singular
+protection of the dignity of women and men at work proteção da dignidade da mulher e do homem no trabalho
+the Åland Islands Alanda
+Delegation for relations with Mercosur Delegação para as relações com o Mercosul
+parentage of children born outside of marriage filiação fora do casamento
+Telecom Cabling and Specific Projects Service Serviço de Cablagem e Projetos Específicos de Telecomunicações
+Spanish Translation Unit Unidade da Tradução Espanhola
+broad guidelines of the economic policies of the Member States and of the Union Orientações Gerais das Políticas Económicas
+joint request of the parties pedido conjunto das partes
+Working Party on Animal Products (Sheepmeat and Goatmeat) Grupo dos Produtos Animais (Carne de Ovino e de Caprino)
+CAP CAP
+unitary character caráter unitário
+Orkney Islands Órcades
+right to property direito à propriedade
+Kyoto Protocol to the United Nations Framework Convention on Climate Change Protocolo de Quioto à Convenção-Quadro das Nações Unidas sobre Alterações Climáticas
+hearing of the parties contracting the marriage audição dos nubentes
+operation of a measure adopted by an institution execução de um ato de uma instituição
+sub-identity subidentidade
+Provincial Court Tribunal Provincial
+Secretariat of the Conference of Presidents Secretariado da Conferência dos Presidentes
+Dutch Translation Unit Unidade da Tradução Neerlandesa
+Directorate for Relations with National Parliaments Direção das Relações com os Parlamentos Nacionais
+MEPs' Portal Unit Unidade MEPs' Portal
+ICES subdivision subdivisão CIEM
+Court of First Instance Tribunal de Primeira Instância
+right to the integrity of the person direito à integridade pessoal
+Codex Alimentarius Working Party (Nutrition and Food for Special Dietary Uses) Grupo do Codex Alimentarius (Nutrição e Alimentos para Usos Dietéticos Especiais)
+construction waste resíduos de construção
+trigender trigénero
+weighting of votes ponderação dos votos
+Working Party on Financial Services (Capital Requirements) Grupo dos Serviços Financeiros (Requisitos de Fundos Próprios)
+joint registration apresentação conjunta
+Human Resources and Organisation Unit Unidade dos Recursos Humanos e da Organização
+Federation of Bosnia and Herzegovina Federação da Bósnia-Herzegovina
+I count on Europe Conto com a Europa
+own-initiative opinion parecer de iniciativa
+coercive measure sanção processual
+N/A decidir livremente sobre as despesas
+European Year of Citizens Ano Europeu dos Cidadãos
+Secretariat of the Special Committee on Foreign Interference in the EU's Democratic Processes Secretariado da Comissão Especial sobre a Ingerência Estrangeira nos Processos Democráticos da UE
+Supreme Administrative Court Supremo Tribunal Administrativo
+degenerative disease doença degenerativa
+summary of the pleas in law on which the application is based objecto do litígio e exposição sumária dos fundamentos do pedido
+expulsion expulsão
+Space Council Conselho Espaço
+Working Party on Agricultural Questions (Seeds and Propagating Material) Grupo das Questões Agrícolas (Sementes e Propágulos)
+Protocol on transitional provisions Protocolo relativo às Disposições Transitórias
+normal use utilização normal
+Coordination of Editorial and Communication Activities Unit Unidade para a Coordenação das Atividades Editoriais e de Comunicação
+authority properly conferred mandato regularmente outorgado
+Well-Being at Work Service Serviço do Bem-Estar no Trabalho
+Project Support Management Office Gabinete de Gestão do Apoio aos Projetos
+Security Section 2 Secção de Segurança 2
+Cyclades Cíclades
+Code for the investigation of marine casualties and incidents Código de Investigação de Acidentes e Incidentes Marítimos
+Personnel Unit Unidade do Pessoal
+marital rights and obligations direitos e deveres dos cônjuges
+constituent constituinte
+European Consensus on Humanitarian Aid consenso europeu em matéria de ajuda humanitária
+International Association of Economic and Social Councils and Similar Institutions Associação Internacional dos Conselhos Económicos e Sociais e Instituições Similares
+Lebanese Republic República Libanesa
+Working Party on Foodstuffs Grupo dos Géneros Alimentícios
+Code of Conduct for the Members of the European Commission Código de Conduta dos Membros da Comissão Europeia
+observer observador
+Convention on the Constitution of the European Company for the Chemical Processing of Irradiated Fuels (EUROCHEMIC) Convenção relativa à Constituição da Sociedade Europeia para o Tratamento Químico dos Combustíveis Irradiados "EUROCHEMIC"
+CNOP CNOP
+Republic of India República da Índia
+Neoproterozoic Neoproterozoico
+pharmaceutical product produto farmacêutico
+Convention on the European Forest Institute Convenção sobre o Instituto Florestal Europeu
+fishing logbook diário de pesca
+Citizens' Enquiries Unit Unidade de Pedidos de Informação dos Cidadãos
+Board of Appeal secção de recurso
+Codex Alimentarius Working Party (General Principles) Grupo do Codex Alimentarius (Princípios Gerais)
+Working Group on Social Europe Grupo de Trabalho sobre a Europa Social
+Republic of Croatia República da Croácia
+appeal in immigration law recursos em matéria de direito dos estrangeiros
+lineage linha de parentesco
+restriction restrição
+Constitutional Court Tribunal Constitucional
+presidency of the European Economic and Social Committee Presidência do Comité Económico e Social Europeu
+forward immediately enviar imediatamente
+use and exposure category categoria de utilização e exposição
+conduct of oral proceedings condução dos debates
+Migration Court Tribunal de Imigração
+Vice-President for Budget and Human Resources Vice-Presidente da Comissão Europeia responsável pelo Orçamento e Recursos Humanos
+verification of legal basis verificação da base jurídica
+Working Party on Statistics Grupo das Estatísticas
+immunity imunidade
+directorate Direção
+House of European History Casa da História Europeia
+curatorship curatela
+Euro-Latin American Parliamentary Assembly Assembleia Parlamentar Euro-Latino-Americana
+union união
+humanitarian crisis crise humanitária
+Contract Administration Service Serviço de Administração dos Contratos
+Working Party on Foodstuff Quality (Organic Farming) Grupo da Qualidade dos Alimentos (Agricultura Biológica)
+verbal disclaimer renúncia verbal
+domestic violence violência doméstica
+Internal Audit Unit Unidade de Auditoria Interna
+removal of the case from the register cancelamento do registo do processo
+Slovak Translation Unit Unidade da Tradução Eslovaca
+second reading segunda leitura
+point ponto
+fertiliser consumption consumo de fertilizantes
+siblings fratria
+multiannual strategic programme programa estratégico plurianual
+credit derivative derivado de crédito
+Brisbane Action Plan Plano de Ação de Brisbane
+Working Party on Substantive Criminal Law Grupo do Direito Penal Substantivo
+national minority minoria nacional
+European Convention on State Immunity Convenção Europeia sobre a Imunidade dos Estados
+racism racismo
+act of terrorism ato terrorista
+Personnel and Planning Unit Unidade do Pessoal e do Planeamento
+Project Management Office Gabinete de Gestão de Projetos
+environmental incident incidente ambiental
+Security and Safety Brussels Unit Unidade de Segurança e Proteção - Bruxelas
+Drumian Drumiano
+EU Blue Card cartão azul UE
+Delegation to the EU-Ukraine Parliamentary Association Committee Delegação à Comissão Parlamentar de Associação UE-Ucrânia
+N/A procuradoria
+ground for refusal of registration fundamentos de recusa de um registo
+principle of effectiveness princípio da eficácia
+special legislative procedure processo legislativo especial
+clandestine marriage casamento clandestino
+delegation to the Conciliation Committee delegação ao comité de conciliação
+medical examination entry requirement requisito sanitário para a entrada em território nacional
+child supervision vigilância do filho
+European Agreement on the Protection of Television Broadcasts Acordo Europeu para a Proteção das Emissões Televisivas
+Directorate for Development and Support Direção do Desenvolvimento e Apoio
+submission date data de apresentação
+Delegation to the EU-Turkey Joint Parliamentary Committee Delegação à Comissão Parlamentar Mista UE-Turquia
+multi-stage type-approval homologação em várias fases
+subject-matter of the dispute objecto do litígio
+formulator formulador
+party who discontinues or withdraws from proceedings parte que desistir
+Protocol on France Protocolo respeitante à França
+Directorate for Members' Financial and Social Entitlements Direção dos Direitos Financeiros e Sociais dos Deputados
+REACH-IT REACH-IT
+Convention on the Conflicts of Law relating to the Form of Testamentary Dispositions Convenção sobre os Conflitos de Leis em matéria de Forma das Disposições Testamentárias
+The Hague Haia
+Ad hoc Working Party on Joint EU-Africa Strategy Grupo Ad Hoc para a Estratégia Conjunta UE-África
+ELINCS number número ELINCS
+Dispatching Unit Unidade «Dispatching»
+joint parliamentary committee comissão parlamentar mista
+Constitutional Court Tribunal Constitucional
+waste resíduo
+motion of censure moção de censura
+readmission agreement acordo de readmissão
+Global March against Child Labour Marcha Global Contra o Trabalho Infantil
+alternative sanction sanção alternativa
+Working Party on Conventional Arms Exports (Arms Trade Treaty) Grupo da Exportação de Armas Convencionais (Tratado sobre o Comércio de Armas)
+lack of competence to act as a witness or expert incapacidade de uma testemunha ou de um perito
+measure involving deprivation of liberty medida privativa de liberdade
+financial endowment dotação financeira
+unitary authority autoridade unitária
+objection concerning the validity of elections as impugnações de eleições
+entry clearance autorização de entrada no território
+physicochemical hazard assessment avaliação dos perigos físico-químicos
+Committee on International Trade Comissão do Comércio Internacional
+fail to put into practice the recommendations of the Council não pôr em prática as recomendações do Conselho
+Pitcairn Islands Ilhas Pitcairn
+citation of the designer menção do criador
+procedure in committee procedimento em comissão
+extradition extradição
+InnovFin MidCap Growth Finance InnovFin Financiamento ao Crescimento das Empresas de Média Capitalização
+Committee on Agriculture and Rural Development Comissão da Agricultura e do Desenvolvimento Rural
+Caucasus Cáucaso
+Burkina Faso Burquina Fasso
+EQUAL EQUAL
+Codex Alimentarius Working Party (Milk and Milk Products) Grupo do Codex Alimentarius (Leite e Produtos Lácteos)
+European Centre for Disease Prevention and Control Centro Europeu de Prevenção e Controlo das Doenças
+expiry of the term of office of the Registrar termo do mandato do secretário
+Info Desk Section Secção «Info Desk»
+Saint Vincent and the Grenadines São Vicente e Granadinas
+extension on account of distance prazo de dilação em razão da distância
+Japan Japão
+legislative proposal proposta de lei do governo
+Sofia City Court Tribunal da cidade de Sófia
+Council of the Notariats of the European Union Conselho do Notariado da União Europeia
+European Training Foundation Fundação Europeia para a Formação
+Meteoalarm Meteoalarm
+Administrative Court of Appeal Tribunal Administrativo de Recurso
+Memory of the World Memória do Mundo
+transformative policy política transformadora
+group chairman presidente de grupo
+deadline for tabling amendments prazo para a apresentação de alterações
+letters rogatory carta rogatória
+InnovFin Large Projects InnovFin Grandes Projetos
+European partnership parceria europeia
+Additional Protocol to the Agreement on the Temporary Importation, free of duty, of Medical, Surgical and Laboratory Equipment for Use on free loan in Hospitals and Other Medical Institutions for Purposes of Diagnosis or Treatment Protocolo Adicional ao Acordo para a Importação Temporária, com Isenção de Direitos Alfandegários, a título de Empréstimo Gratuito e para fins de Diagnóstico ou Terapêutica, de Material Médico-Cirúrgico e de Laboratório destinado aos Estabelecimentos de Saúde
+Republic of Korea República da Coreia
+intention to marry intenção de contrair casamento
+policy effectiveness eficácia da política
+intervener interveniente
+voluntary departure partida voluntária
+Federated States of Micronesia Estados Federados da Micronésia
+Working Party on Animal Products (Beekeeping and Honey) Grupo dos Produtos Animais (Apicultura e Mel)
+Independent Expert perito independente
+written pleading of a party articulado de uma parte
+Danish Interpretation Unit Unidade da Interpretação Dinamarquesa
+cross-appeal recurso subordinado
+imprisonment for political crimes N/A (FR &gt; PT)
+media literacy literacia mediática
+additive aditivo
+date of inclusion data de inclusão
+Pensions and Social Insurance Unit Unidade das Pensões e da Segurança Social
+Understanding on Commitments in Financial Services Memorando de Entendimento sobre os Compromissos em matéria de Serviços Financeiros
+Audiovisual Unit Unidade do Audiovisual
+information requirement requisito de informação
+be prejudicial to the rights of the third party prejudicar os direitos do terceiro oponente
+stay of proceedings suspensão da instância
+chemical modification alteração química
+referral of a case back to the Court remeter um processo ao Tribunal de Justiça
+dismissal of the appeal negação de provimento ao recurso
+Credentials Committee Comissão de Verificação de Poderes
+Federal Administrative Court Tribunal Administrativo Federal
+MEP Systems Service Serviço dos Sistemas para os Deputados
+resolution resolução
+British Virgin Islands Ilhas Virgens Britânicas
+Finance Unit Unidade de Finanças
+expert's fees honorários dos peritos
+ground for invalidity causas de nulidade
+Working Party on Agricultural Structures and Rural Development (Rural Development) Grupo das Estruturas Agrícolas e do Desenvolvimento Rural (Desenvolvimento Rural)
+draft report projeto de relatório
+Regional Cooperation Council Conselho de Cooperação Regional
+mobility mobilidade
+diffuse use utilização difusa
+Export Credits Group Grupo dos Créditos à Exportação
+Croatian Translation Unit Unidade da Tradução Croata
+call for contributions convite à apresentação de pedidos de contribuição
+Barbados Barbados
+Portuguese Translation Unit Unidade da Tradução Portuguesa
+ecological capacity capacidade biológica
+misuse of medicines uso indevido de medicamentos
+Finnish Interpretation Unit Unidade da Interpretação Finlandesa
+International Conference on Human Rights Conferência Internacional dos Direitos do Homem
+follow-up application requerimento de igual teor ao anterior
+Code of Conduct for Members of the European Parliament with respect to financial interests and conflicts of interest código de conduta
+manifestly inadmissible manifestamente inadmissível
+Directorate for HR Administration Direção da Administração dos Recursos Humanos
+European Council Oversight Unit Unidade de Supervisão do Conselho Europeu
+fact to be proved factos a provar
+requirements governing validity requisitos de validade
+Working Group to EU-Albania Stabilisation and Association Parliamentary Committee Grupo de Trabalho da Comissão Parlamentar sobre o Acordo de Estabilização e de Associação UE-Albânia
+Security Section 4 Secção de Segurança 4
+Brussels Crèches Section Secção de Creches de Bruxelas
+State of Israel Estado de Israel
+right of collective bargaining and action direito de negociação e de ação coletiva
+report of the Judge-Rapporteur relatório do juiz-relator
+illegally staying foreign national estrangeiro em situação irregular
+right of foreign nationals to vote direito de voto dos estrangeiros
+chemical identity identidade química
+Zanclean Zancliano
+requirement to possess a visa obrigação de visto
+extract from the register extratos do registo
+French Polynesia Polinésia Francesa
+delivery of the shares entrega de ações
+Parliament's Secretariat Secretariado-Geral do Parlamento Europeu
+immigration policy política de imigração
+service by the court notificação oficiosa
+Delegation to the Cariforum-EU Parliamentary Committee Delegação à Comissão Parlamentar CARIFORUM-UE
+Working Party on Animal Products (Pigmeat) Grupo dos Produtos Animais (Carne de Suíno)
+InnovFin SME Venture Capital InnovFin Capital de Risco para as PME
+starting material material de base
+Regulation on the financial rules applicable to the general budget of the Union Regulamento Financeiro
+Latvian Section Secção Letã
+child protection and protection of the adult lacking capacity protecção do menor e do maior incapaz
+Brussels UpKeep Works Unit Unidade dos Trabalhos de Manutenção em Bruxelas
+Terminology Coordination Unit Unidade da Coordenação da Terminologia
+EIGE Instituto Europeu para a Igualdade de Género
+Public Opinion Monitoring Unit Unidade do Acompanhamento da Opinião Pública
+Working Party on Integration, Migration and Expulsion Grupo da Integração, Migração e Afastamento
+Digital Workplace Service Serviço do Ambiente de Trabalho Digital
+concentration limit limite de concentração
+order of stay despacho de suspensão
+dose descriptor descritor de dose
+conduct of the hearing tramitação da audiência
+dotted line linha pontilhada
+brother-in-law cunhado
+Working Party on Trade Questions Grupo das Questões Comerciais
+non-legislative enactment processo de aprovação não legislativa
+service of a further summons on the witness nova notificação da testemunha
+vitiated consent to marriage vício do consentimento matrimonial
+symbol símbolo
+Hungarian Parliament Parlamento húngaro
+European Environment Agency Agência Europeia do Ambiente
+Panel for the Future of Science and Technology Avaliação das Opções Científicas e Tecnológicas (STOA)
+supplementary statement of written observations articulado complementar de observações escritas
+habitual residence of the child residência habitual da criança
+Real Estate Projects Unit Unidade dos Projetos Imobiliários
+negotiating team equipa de negociações
+Directorate for Political Structures Financing and Resources Direção do Financiamento das Estruturas Políticas e dos Recursos
+determination of maternity impugnação da maternidade
+practice directions instruções práticas
+Working Party of Veterinary Experts (Fishery Products) Grupo dos Peritos Veterinários (Produtos da Pesca)
+nightlife settings ambientes de vida noturna
+Working Party on Codification of Legislation Grupo da Codificação Legislativa
+Judge hearing applications for interim measures juiz das medidas provisórias
+President of the Committee of the Regions presidente do Comité das Regiões
+invitation to intervene convite para intervir
+district council area município
+Europa Cinemas Europa Cinemas
+Budgetary Affairs Service Serviços dos Assuntos Orçamentais
+Information Technology and e-Portal Unit Unidade das Tecnologias da Informação e do e-Portal
+time-barring of the prosecution of offences prescrição da infração penal
+Committee on Budgetary Control Comissão do Controlo Orçamental
+Protocol on the exercise of shared competence Protocolo relativo ao Exercício das Competências Partilhadas
+transfer of the asylum applicant transferência do requerente de asilo
+Confederation of Indigenous Nationalities of Ecuador Confederação de Nacionalidades Indígenas do Equador
+for reasons of confidentiality por razões de confidencialidade
+Berriasian Berriasiano
+PC computador pessoal
+foreign nationals register registo dos estrangeiros
+Human Rights Unit Unidade dos Direitos do Homem
+INSPIRE INSPIRE
+fatal intoxication intoxicação fatal
+zloty zlóti
+My House of European History Unit Unidade «A Minha Casa da História Europeia»
+subcommittee subcomité
+Community Designs Bulletin Boletim dos Desenhos e Modelos Comunitários
+Constitutional Council Tribunal Constitucional
+Transdanubia Transdanúbia
+adverse effect efeito adverso
+World Diabetes Day Dia Mundial da Diabetes
+Italian Translation Unit Unidade da Tradução Italiana
+Europa Nostra Europa Nostra
+prejudice State security atentado à segurança do Estado
+Protocol on certain provisions relating to Denmark Protocolo relativo a Certas Disposições respeitantes à Dinamarca
+third-party proceedings oposição de terceiros
+Constitutional Affairs and Citizens' Rights Service Serviço dos Assuntos Constitucionais e dos Direitos dos Cidadãos
+Cold War guerra fria
+Europalia Europália
+equality between spouses igualdade dos cônjuges
+polydrug use policonsumo de drogas
+Milan Regional Office Antena Regional de Milão
+preliminary ruling decisão prejudicial
+Working Party on Consumer Protection and Information Grupo da Defesa e Informação dos Consumidores
+G20 Principles on Energy Collaboration princípios do G20 sobre a cooperação no setor da energia
+Cloud Unit Unidade Cloud
+non-legislative report relatório de caráter não legislativo
+Rule of Law Assistance Unit Unidade de Assistência ao Estado de Direito
+Delegation to the European Union-Bulgaria Joint Parliamentary Committee Delegação à Comissão Parlamentar Mista UE-Bulgária
+Republic of Peru República do Peru
+State of Qatar Estado do Catar
+technical function função técnica
+adoptive family família adoptiva
+European Convention on Social and Medical Assistance Convenção Europeia de Assistência Social e Médica
+EIB framework loan empréstimo-quadro do BEI
+Mesoproterozoic Mesoproterozoico
+Human Resources Unit Unidade dos Recursos Humanos
+authorised use utilização autorizada
+Unit for Reception and Referral of Official Documents Unidade da Receção e da Transmissão dos Documentos Oficiais
+Commission Security Authority Autoridade de Segurança da Comissão
+Papua New Guinea Estado Independente da Papua-Nova Guiné
+Codex Alimentarius Working Party (Pesticide Residues) Grupo do Codex Alimentarius (Resíduos de Pesticidas)
+Interinstitutional Relations Unit Unidade das Relações Interinstitucionais
+Working Party on the Promotion of Agricultural Products Grupo da Promoção dos Produtos Agrícolas
+duties of committees competência das comissões
+Expert Group on Business-to-Government Data Sharing grupo de peritos sobre a partilha de dados entre empresas e a administração pública
+disaster legislation legislação sobre catástrofes
+contribution to the costs of married life contribuição para os encargos da vida familiar
+chapter capítulo
+outlook report relatório de prospetiva
+prostitution prostituição
+Secretariat of the Committee on Employment and Social Affairs Secretariado da Comissão do Emprego e dos Assuntos Sociais
+prioritisation for evaluation definição das prioridades para avaliação
+society, help and comfort owed by one spouse to another entreajuda dos cônjuges
+supporting documents peças processuais e documentos anexos
+Renew Europe Grupo Renew Europe
+Data Protection Unit Unidade Proteção de Dados
+quorum quórum
+personal statement intervenção sobre assuntos de natureza pessoal
+surrender of a person entrega de uma pessoa
+Europe of Freedom and Direct Democracy Group Grupo Europa da Liberdade e da Democracia Direta
+cannabis product produto de cannabis
+Working Party on Establishment and Services Grupo do Estabelecimento e Serviços
+EU Strategic Framework on Human Rights and Democracy Quadro Estratégico da UE para os Direitos Humanos e a Democracia
+Circuit Court Tribunal Regional
+Mail Ushers Unit Unidade de Contínuos para a Distribuição de Correio
+article artigo
+residual jurisdiction competência residual
+Working Party on Global Disarmament and Arms Control (Space) Grupo do Desarmamento Global e Controlo dos Armamentos (Espaço)
+Committee on Women's Rights and Gender Equality Comissão dos Direitos das Mulheres e da Igualdade dos Géneros
+Delegation to the Parliamentary Assembly of the Union for the Mediterranean Delegação à Assembleia Parlamentar da União para o Mediterrâneo
+Republic of Kazakhstan República do Cazaquistão
+Protocol on the Statute of the European System of Central Banks and of the European Central Bank Protocolo relativo aos Estatutos do Sistema Europeu de Bancos Centrais e do Banco Central Europeu
+European Parliament Liaison Office in Croatia Gabinete de Ligação do Parlamento Europeu na Croácia
+Parliamentary Assistants Service Serviço dos Assistentes Parlamentares
+Republic of Niger República do Níger
+freezing of funds congelamento de fundos
+institutions, bodies, offices and agencies instituições, órgãos e organismos
+Staff Code of Conduct Código de Conduta do pessoal
+Cultural Affairs Committee Comité dos Assuntos Culturais
+President of the European Parliament Presidente do Parlamento Europeu
+payment service serviço de pagamento
+acute oral toxicity toxicidade aguda por via oral
+TRAD Service Desk TRAD Service Desk
+Office of the Secretary-General Gabinete do Secretário-Geral
+suspension of time-limits suspensão dos prazos
+be responsible to the Registrar, under the authority of the President ser responsável perante o secretário, sob a autoridade do presidente
+plea of inadmissibility questão prévia de inadmissibilidade
+plenary session reunião plenária
+migration migração
+N/A N/A (FR &gt; PT)
+registered substance substância registada
+hazard pictogram pictograma de perigo
+financial management of the Court gestão financeira do Tribunal de Justiça
+widowhood viuvez
+Commercial Court Tribunal do Comércio
+interparliamentary delegation delegação interparlamentar
+Treaty establishing a Single Council and a Single Commission of the European Communities (Merger Treaty) Tratado que institui um Conselho Único e uma Comissão Única das Comunidades Europeias
+Communication Unit Unidade de Comunicação
+outcome evaluation avaliação dos resultados
+Protocol on the position of Denmark Protocolo relativo à Posição da Dinamarca
+policy evaluation avaliação de políticas
+death of a family member morte de um familiar
+N/A (DE &gt; UK) N/A (DE &gt; PT)
+release of the security liberação da caução
+Annex XV anexo XV
+Codex Alimentarius Working Party (Food Labelling) Grupo do Codex Alimentarius (Rotulagem dos Alimentos)
+Argentine League for Human Rights Liga Argentina de Direitos do Homem
+Protocol on services of general interest Protocolo relativo aos Serviços de Interesse Geral
+district distrito
+recovered material material recuperado
+Attorney General Procurador-Geral
+national design right desenho ou modelo nacional
+Kasimovian Kasimoviano
+oxidising solid sólido comburente
+Information Technology and IT Support Unit Unidade da Informática e do Apoio às Tecnologias da Informação
+earth observation observação da terra
+Lopingian Lepínguico
+Security Section 1 Secção de Segurança 1
+prison estabelecimento prisional
+Hellenic Republic República Helénica
+total speaking time tempo global de uso da palavra
+secondary distribution of income account conta de distribuição secundária do rendimento
+ground biomass biomassa sobre o solo
+prosumerism movimento de "prossumidores"
+Working Party on Agricultural Structures and Rural Development (Outermost Regions and Aegean Islands) Grupo das Estruturas Agrícolas e do Desenvolvimento Rural (Regiões Ultraperiféricas e Ilhas do Mar Egeu)
+divorce divórcio
+mover autor do pedido
+Republic of Guatemala República da Guatemala
+opinion parecer
+principles of legality and proportionality of criminal offences and penalties princípios da legalidade e da proporcionalidade dos delitos e das penas
+The Candidate Countries Turkey, the Republic of North Macedonia*, Montenegro*, Serbia* and Albania*, the country of the Stabilisation and Association Process and potential candidate Bosnia and Herzegovina, and the EFTA countries Iceland, Liechtenstein and Norway, members of the European Economic Area, as well as Ukraine, the Republic of Moldova, Armenia, Azerbaijan and Georgia, align themselves with this declaration. * The Republic of North Macedonia, Montenegro, Serbia and Albania continue to be part of the Stabilisation and Association Process. A Turquia, a República da Macedónia do Norte*, o Montenegro*, a Sérvia* e a Albânia* – países candidatos –, a Bósnia-Herzegovina – país do Processo de Estabilização e de Associação e potencial candidato –, e a Islândia, o Listenstaine e a Noruega – países da EFTA membros do Espaço Económico Europeu –, bem como a Ucrânia, a República da Moldávia, a Arménia, o Azerbaijão e a Geórgia, subscrevem a presente declaração. * A República da Macedónia do Norte, o Montenegro, a Sérvia e a Albânia continuam a fazer parte do Processo de Estabilização e de Associação.
+Internal Communication and Multimedia Unit Unidade Intranet e Multimédia
+defaulting maintenance debtor devedor de alimentos inadimplente
+preparatory step medidas preparatórias
+Committee of Inquiry to investigate alleged contraventions and maladministration in the application of Union law in relation to money laundering, tax avoidance and tax evasion Comissão de Inquérito para Investigar Alegadas Contravenções ou Má Administração na Aplicação do Direito da União relacionadas com o Branqueamento de Capitais e com a Elisão e a Evasão Fiscais
+pill testing service serviço de análise de pastilhas
+Working Party on Special Plant Products (Floriculture) Grupo dos Produtos Vegetais Especiais (Floricultura)
+Republic of Mali República do Mali
+annulment of a void marriage efeitos retroactivos do casamento anulado
+subscription quotização
+question for oral answer with debate pergunta com pedido de resposta oral
+Republic of Benin República do Benim
+volatile compound composto volátil
+infidelity infidelidade
+reintegration reintegração
+costs of the expert's report despesas relativas à peritagem
+admissibility admissibilidade
+Solomon Islands Ilhas Salomão
+Recommendations in the fields of police and judicial cooperation in criminal matters Recomendações nos domínios da cooperação policial e judiciária em matéria penal
+Working Party on Agricultural Products (Olive Oil) Grupo dos Produtos Agrícolas (Azeite)
+Migration Court of Appeal Tribunal Superior de Imigração
+seal papers and documents selar os papéis e documentos
+European Union Special Representative for the Belgrade-Pristina Dialogue and other Western Balkan regional issues representante especial da União Europeia para o Diálogo Belgrado-Pristina e para outros assuntos regionais dos Balcãs Ocidentais
+council area concelho
+predecessor State Estado predecessor
+financial stability estabilidade financeira
+Niue Niuê
+common organisation of the market in fruit and vegetables organização comum de mercado no setor da fruta e produtos hortícolas
+president of the regional government presidente do governo regional
+dismiss an application to intervene não admitir uma intervenção
+fraud fraude
+Edinburgh Regional Office Antena Regional de Edimburgo
+gender identity identidade de género
+N/A (FR &gt; UK) ato de instrução
+disposal eliminação
+common security and defence policy política comum de segurança e defesa
+police and judicial cooperation in criminal matters cooperação policial e judiciária em matéria penal
+Additional Protocol to the Convention on Human Rights and Biomedicine, concerning Biomedical Research Protocolo Adicional à Convenção sobre os Direitos do Homem e a Biomedicina relativo à Investigação Biomédica
+Performance and Budget Management Unit Unidade do Desempenho e da Gestão Orçamental
+Committee on Industry, Research and Energy Comissão da Indústria, da Investigação e da Energia
+Protocol integrating the Schengen acquis into the framework of the European Union Protocolo relativo ao Acervo de Schengen integrado no âmbito da União Europeia
+artificial land terras artificiais
+Committee on Employment and Social Affairs Comissão do Emprego e dos Assuntos Sociais
+Working Party on Competition Grupo da Concorrência
+parenthood parentalidade
+restocking povoamento de peixes
+not chemically modified substance substância não quimicamente modificada
+FAO High Level Conference on World Food Security Conferência de Alto Nível da FAO sobre a Segurança Alimentar Mundial
+extra-community shipment transferência extracomunitária
+N/A arguido
+cash on delivery aid ajuda "contra reembolso"
+economic sanction sanção económica
+Opinion of the Advocate General conclusões do advogado-geral
+pardon Indulto
+EIB Statistical Report Relatório Estatístico do BEI
+World Mental Health Day Dia Mundial da Saúde Mental
+numbered paragraph número
+divorced father pai divorciado
+prohibition on leaving the territory proibição de saída do território
+wine fortified for distillation vinho aguardentado
+national delegation delegação nacional
+nature of the evidence meios de prova
+Democratic People's Republic of Korea República Popular Democrática da Coreia
+stabilised form forma estabilizada
+European Convention on the Equivalence of Diplomas leading to Admission to Universities Convenção Europeia sobre Equivalência de Diplomas que dão Acesso aos Estabelecimentos Universitários
+effectiveness evaluation avaliação da eficácia
+Human Resources and Strategic Monitoring Unit Unidade dos Recursos Humanos e do Acompanhamento Estratégico
+parlamentarium Simone Veil parlamentarium Simone Veil
+draft decision projeto de decisão
+refugee refugiado
+Delegation for relations with the countries of Central America Delegação para as Relações com os Países da América Central
+bleeding ink tinta sangrante
+Working Party on Financial Services (Deposit guarantee schemes) Grupo dos Serviços Financeiros (Sistemas de Garantia de Depósitos)
+ENISA Advisory Group grupo consultivo da ENISA
+Declaration on the occasion of the fiftieth anniversary of the signature of the Treaties of Rome Declaração de Berlim
+European Year for Combating Poverty and Social Exclusion Ano Europeu do Combate à Pobreza e à Exclusão Social
+embodiment forma de realização
+substance which occurs in nature substância que ocorre na natureza
+Aruba Aruba
+framework decision decisão-quadro
+Group I Grupo dos Empregadores
+standing committee comissão permanente
+fee for the issue of copies taxa de fornecimento de cópias
+European Development Fund Fundo Europeu de Desenvolvimento
+Working Party on Arable Crops Grupo das Culturas Arvenses
+Polish Translation Unit Unidade da Tradução Polaca
+lead commission comissão competente
+gender marker marcador de género
+share the costs repartir as despesas
+procedure with joint committee meetings processo de reuniões conjuntas das comissões
+father-in-law sogro
+seal the original of the judgment selar o original do acórdão
+Codex Alimentarius Working Party (Methods of Analysis and Sampling) Grupo do Codex Alimentarius (Métodos de Análise e de Amostragem)
+Working Party on Tax Questions (Direct Taxation) Grupo das Questões Fiscais (Fiscalidade Direta)
+amnesty amnistia
+Service for Bank Accounts, IT Issues, Forms and Certificates Serviço de Contas Bancárias, Informática, Formulários e Atestados
+voidable marriage anulabilidade do casamento
+Codex Alimentarius Working Party (Task Force on Biotechnology) Grupo do Codex Alimentarius (Grupo Especial da Biotecnologia)
+European Parliament Liaison Office in Latvia Gabinete de Ligação do Parlamento Europeu na Letónia
+Working Party on Arable Crops (Protein Crops) Grupo das Culturas Arvenses (Proteaginosas)
+Chief Information Systems Security Officer Diretor da Segurança dos Sistemas de Informação
+Budgetary Policies Unit Unidade das Políticas Orçamentais
+New Caledonia Nova Caledónia
+draft legislative resolution projeto de resolução legislativa
+Eurojust Eurojust
+principle of legal certainty princípio da segurança jurídica
+Assize Court Tribunal de Júri
+language of the Office língua do Instituto
+district distrito
+bigender bigénero
+application for international protection pedido de proteção internacional
+Republic of Cuba República de Cuba
+social influence influência social
+Wroclaw Regional Office Gabinete Regional de Wrocław
+Working Party on Outermost Regions Grupo das Regiões Ultraperiféricas
+N/A (FR &gt; UK) N/A (FR &gt; PT)
+European Parliament Liaison Office in France Gabinete de Ligação do Parlamento Europeu em França
+International Convention for the Suppression of Counterfeiting Currency Convenção Internacional para a Repressão da Moeda Falsa
+structural formula fórmula estrutural
+foreign child cidadão estrangeiro menor
+visa shopping visa shopping
+Directorate for Legislative Acts Direção dos Atos Legislativos
+Court of Cassation Tribunal de Cassação
+English Translation Unit Unidade de Tradução Inglesa
+written part of the procedure fase escrita
+Working Party on Free Movement of Persons Grupo da Livre Circulação de Pessoas
+circles specialised in the sector meios especializados do setor
+Group Travel and Events Service Serviço Viagens em Grupo e Eventos
+decision of the Court decisão do Tribunal
+North Hungary Hungria do Norte
+duty of the expert to carry out his task conscientiously and impartially dever que incumbe ao perito de cumprir a sua missão em consciência e com toda a imparcialidade
+Neoarchean Neoarcaico
+principle of availability princípio da disponibilidade
+Earth Overshoot Day Dia da Ultrapassagem do Limite Global
+proposal to review proposta de reapreciação
+smart sanction sanção inteligente
+grievous bodily harm ofensas corporais graves
+written consultation consulta por escrito
+Security Section 3 Secção de Segurança 3
+personal appearance of the parties comparência pessoal das partes
+representation of the design suitable for reproduction representação do desenho ou modelo adequada para reprodução
+topical debate debate sobre assuntos de atualidade
+Budget Unit Unidade do Orçamento
+European Agreement concerning Programme Exchanges by means of Television Films Acordo Europeu sobre o Intercâmbio de Programas através de Filmes Televisivos
+European Union Agency for the Cooperation of Energy Regulators ACER
+Lisbon Strategy coordination group Grupo de Coordenação "Estratégia de Lisboa"
+remainder of the proceedings tramitação ulterior do processo
+European Social Charter (revised) Carta Social Europeia (revista)
+Chemical Abstracts Service index number número de índice do Chemical Abstracts Service
+official language of a Member State língua oficial de um Estado-Membro
+Working Party of Chief Veterinary Officers Grupo dos Chefes dos Serviços Veterinários
+in camera à porta fechada
+External Translation Unit Unidade da Tradução Externa
+World Conference on Human Rights Conferência Mundial sobre Direitos Humanos
+Business Continuity Management Unit Secretariado-Geral do Parlamento Europeu - Unidade de Gestão da Continuidade das Atividades
+European Convention on the Obtaining Abroad of Information and Evidence in Administrative Matters Convenção Europeia sobre a Obtenção no Estrangeiro de Informações e Provas em Matéria Administrativa
+Paradise Papers Documentos do Paraíso
+lack of valid consent to marriage falta de consentimento matrimonial
+SIS-TECH Working Party Grupo do SIS-TECH
+order of voting on amendments ordem de votação das alterações
+Contract Implementation Service Serviço Execução dos Contratos
+Unit for Europe: Eastern Partnership and Russia Unidade Europa: Parceria Oriental e Rússia
+Member State of introduction Estado-Membro de introdução
+Informatics Unit Unidade da Informática
+flood risk management gestão do risco de inundação
+expulsion measure medida de afastamento
+Procurement Service Serviço dos Contratos Públicos
+Annex XIV anexo XIV
+5-methyl-1H-pyrimidine-2,4-dione timina
+centrifugation centrifugação
+Protocol on the convergence criteria Protocolo relativo aos Critérios de Convergência
+Delegation to the Euronest Parliamentary Assembly Delegação à Assembleia Parlamentar Euronest
+reverse cascade screening rastreio inverso em cascata
+Republic of Uganda República do Uganda
+importer importador
+Republic of Azerbaijan República do Azerbaijão
+Austrian schilling xelim austríaco
+criminal record Registo criminal
+President of the Court presidente do Tribunal de Justiça
+European Agreement relating to Persons Participating in Proceedings of the European Court of Human Rights Acordo Europeu relativo às Pessoas Intervenientes em Processos no Tribunal Europeu dos Direitos do Homem
+costs of the proceedings despesas do processo
+freedom of thought liberdade de pensamento
+Republic of Iraq República do Iraque
+intergroup intergrupo
+Kingdom of Tonga Reino de Tonga
+Convention on the Issue of Multilingual Extracts from Civil Status Records Convenção relativa à Emissão de Certidões Multilingues de Atos do Registo Civil
+trans identity identidade trans
+Working Party on Telecommunications and Information Society Grupo das Telecomunicações e da Sociedade da Informação
+Convention setting up a European University Institute Convenção relativa à Criação de um Instituto Universitário Europeu
+Working Party on Agricultural Questions (Pesticide Residues) Grupo das Questões Agrícolas (Resíduos de Pesticidas)
+redistribution of income in kind account conta de redistribuição do rendimento em espécie
+recovery process processo de recuperação
+Paris Act Ato de Paris
+ground of equity razão de equidade
+Management Board Conselho de Administração
+Committee on Legal Affairs Comissão dos Assuntos Jurídicos
+Bureau instructions instruções da Mesa
+Delegation for relations with the Maghreb countries and the Arab Maghreb Union, including the EU-Morocco, EU-Tunisia and EU-Algeria Joint Parliamentary Committees Delegação para as Relações com os Países do Magrebe e a União do Magrebe Árabe, incluindo as Comissões Parlamentares Mistas UE-Marrocos, UE-Tunísia e UE-Argélia
+administrative offence contraordenação
+organic wastewater águas residuais orgânicas
+Czech Chamber of Deputies Câmara dos Deputados checa
+Committee on Political Affairs Comissão dos Assuntos Políticos
+phase-out period prazo de eliminação progressiva
+innovative characteristic característica inovadora
+rejection of asylum application recusa de asilo
+rapporteur working alone relator único
+constructive total loss perda reputada total
+Thessaloniki Agenda for the Western Balkans: Moving towards European Integration Agenda de Salónica para os Balcãs Ocidentais: A Caminho da Integração Europeia
+semen collection centre centro de colheita de sémen
+Ad hoc Working Party on the Middle East Peace Process Grupo ad hoc do Processo de Paz no Médio Oriente
+intercountry adoption adopção internacional
+Legislative Dialogue Unit Unidade do Diálogo Legislativo
+right to marry direito ao casamento
+referral to treatment encaminhamento para tratamento
+Directorate for Legislative and Committee Coordination Direção da Coordenação Legislativa e das Comissões
+cost compensation mechanism mecanismo de compensação de custos
+Transport, Telecommunications and Energy Council Conselho (Transportes, Telecomunicações e Energia)
+executing Member State Estado-Membro de execução
+Delegation for relations with South Africa Delegação para as Relações com a África do Sul
+advisory committee on the conduct of members Comité Consultivo para a Conduta dos Membros
+Guadeloupe Guadalupe
+armed conflict conflito armado
+Ad hoc Working Party on Drafting the Accession Treaty with Croatia Grupo Ad Hoc para a Redação do Tratado de Adesão da Croácia
+graphic symbol símbolo gráfico
+Protocol on the role of national parliaments in the European Union Protocolo relativo ao Papel dos Parlamentos Nacionais na União Europeia
+smart regulation agenda programa relativo à regulamentação inteligente
+Delegation for relations with India Delegação para as Relações com a Índia
+Working Party on Special Plant Products (Textile Fibres) Grupo dos Produtos Vegetais Especiais (Fibras Têxteis)
+European Pact on Immigration and Asylum Pacto Europeu sobre a Imigração e o Asilo
+applicant for international protection requerente de proteção internacional
+Statute of the Council of Europe Estatuto do Conselho da Europa
+balanced approach abordagem equilibrada
+Working Party on Foodstuff Quality Grupo da Qualidade dos Alimentos
+electrical mobility diameter diâmetro de mobilidade
+preliminary hearing audiência preliminar
+Republic of Cameroon República dos Camarões
+Staff Front Office Unit Unidade de «Front Office» para o Pessoal
+Staff Committee Comité do Pessoal
+representative democracy democracia representativa
+International Classification for Industrial Designs Classificação Internacional para Desenhos ou Modelos Industriais
+Working Party on Fruit and Vegetables (Potatoes) Grupo das Frutas e Legumes (Batatas)
+European patent patente europeia
+Committee Coordination and Legislative Programming Unit Unidade da Coordenação das Comissões e da Programação Legislativa
+plenary stage fase de apreciação em sessão plenária
+deprivation of liberty privação de liberdade
+Agreement establishing the African Development Fund Acordo sobre a Criação do Fundo Africano de Desenvolvimento
+Ex-Ante Impact Assessment Unit Unidade de Avaliação do Impacto Ex-Ante
+EP-US Congress Liaison Office in Washington DC Gabinete de Ligação PE-Congresso dos Estados Unidos em Washington
+First joint research programme on safety in the European Coal and Steel Community (ECSC) industries Primeiro programa conjunto de investigação em matéria de segurança nas indústrias da Comunidade Europeia do Carvão e do Aço (CECA)
+Republic of Hungary República da Hungria
+demobilisation desmobilização
+final draft agenda projeto definitivo de ordem do dia
+European Union Planning Team Equipa de Planeamento da União Europeia
+Secretariat of the Subcommittee on Security and Defence Secretariado da Subcomissão da Segurança e da Defesa
+Greenlandian Gronelandiano
+border surveillance vigilância de fronteiras
+voluntary return regresso voluntário
+authority granted to the lawyer mandato conferido ao advogado
+readily combustible solid sólido que entra rapidamente em combustão
+Working Party on Technical Harmonisation (Fertilisers) Grupo da Harmonização Técnica (Adubos)
+language of proceedings língua do processo
+English Interpretation Unit Unidade da Interpretação Inglesa
+public policy exception excepção de ordem pública
+interinstitutional agreement acordo interinstitucional
+social skills competências sociais
+proof of sponsorship prova de tomada a cargo
+consultation of confidential information consulta de informação confidencial
+the Holy See Santa Sé / Estado da Cidade do Vaticano
+Accounting Service Serviço de Contabilidade
+European School Survey Project on Alcohol and Other Drugs Projeto Europeu de Inquéritos Escolares sobre o Álcool e outras Drogas
+pound sterling libra esterlina
+<i>inter vivos</i> inter vivos
+right to conscientious objection direito à objeção de consciência
+declaration of priority declaração de prioridade
+North Atlantic Salmon Conservation Organisation Organização para a Conservação do Salmão do Atlântico Norte
+Protocol No. 13 to the Convention for the Protection of Human Rights and Fundamental Freedoms, concerning the abolition of the death penalty in all circumstances Protocolo n.º 13 à Convenção para a Proteção dos Direitos do Homem e das Liberdades Fundamentais relativo à Abolição da Pena de Morte em Quaisquer Circunstâncias
+single-step type-approval homologação unifaseada
+N/A boa ordem da audiência
+Movement for the Survival of the Ogoni People Movimento para a Sobrevivência do Povo Ogoni
+Erasmus programme ERASMUS
+retiring Advocate General advogado-geral cessante
+Working Party on Agricultural Products (Fruit and Vegetables) Grupo dos Produtos Agrícolas (Frutas e Produtos Hortícolas)
+Croatian Section Secção Croata
+Agreement on the Exchange of War Cripples between Member Countries of the Council of Europe with a view to Medical Treatment Acordo sobre o Intercâmbio de Mutilados de Guerra entre os Países Membros do Conselho da Europa para efeitos de Tratamento Médico
+cyberterrorism ciberterrorismo
+Working Party on Financial Services (Omnibus 2) Grupo dos Serviços Financeiros (Omnibus 2)
+European Investment Fund Fundo Europeu de Investimento
+biological family família de origem
+Working Party on Agricultural Products (Arable Crops) Grupo dos Produtos Agrícolas (Culturas Arvenses)
+director of works diretor de obra
+European Union (Withdrawal) Act 2018 Lei de 2018 sobre a (Retirada da) União Europeia
+Working Party on Electronic Communications (SESAME High Level Coordinators Group) Grupo das Comunicações Eletrónicas (Grupo de Alto Nível de Coordenadores SESAME )
+European dimension in sport Dimensão Europeia do Desporto
+N/A carácter manifestamente abusivo da acção ou recurso
+registration dossier dossiê de registo
+Committee on Economic and Financial Affairs, Social Affairs and Education Comissão Económica, Financeira, dos Assuntos Sociais e da Educação
+Grenada Granada
+Delegation for relations with Canada Delegação para as Relações com o Canadá
+Working Party on Fruit and Vegetables Grupo das Frutas e Legumes
+opening of oral proceedings abertura dos debates
+Convention on Contact concerning Children Convenção relativa às Relações Pessoais das Crianças
+Directorate for Media Direção dos Meios de Comunicação Social
+overall impression impressão global
+Arctic Council Conselho do Ártico
+Doha amendment to the Kyoto Protocol Emenda de Doa ao Protocolo de Quioto
+Secretary-General of the Committee of the Regions secretário-geral do Comité das Regiões
+CONFIDENTIEL UE/EU CONFIDENTIAL CONFIDENTIEL UE/EU CONFIDENTIAL
+alloy liga
+arbitrary execution execução arbitrária
+Quaestors' Secretariat Secretariado dos Questores
+threatened infringement ameaça de contrafação
+Management Committee for Milk and Milk Products Comité de Gestão do Leite e dos Produtos Lácteos
+Linking the Levels Unit Unidade de Ligação
+Slovak koruna coroa eslovaca
+Working Party on Arable Crops (Seeds) Grupo das Culturas Arvenses (Sementes)
+national security segurança nacional
+racial discrimination discriminação racial
+Territory of Guam Território de Guame
+opening address discurso inaugural
+EuroVoc EuroVoc
+fee for the inspection of the file taxa de inspeção do processo
+horizontal codification codificação horizontal
+External Policies Service Serviço das Políticas Externas
+Regional Court Tribunal Regional
+minority menoridade
+N/A (FR &gt; UK) N/A (FR &gt; PT)
+adoptive father pai adoptivo
+forest biodiversity biodiversidade florestal
+sitting sessão
+forgery of documents falsificação de documento
+respect for private and family life respeito pela vida privada e familiar
+proceedings for interim measures processo de medidas provisórias
+criminal organisation organização criminosa
+Bali Conference on Climate Change Conferência de Bali sobre as alterações climáticas
+speaking time tempo de uso da palavra
+yen iene
+joining a spouse for the purpose of family reunification reagrupamento conjugal
+Protocol on the system of public broadcasting in the Member States Protocolo relativo ao Serviço Público de Radiodifusão nos Estados-Membros
+Working Party on Global Disarmament and Arms Control Grupo do Desarmamento Global e Controlo dos Armamentos
+Childcare Facilities Service Serviço de Infantários
+Council Conselho da União Europeia
+collecting return operation operação de regresso de gestão coletiva
+digital preservation preservação digital
+Romanian Interpretation Unit Unidade da Interpretação Romena
+Executive Vice-President for the European Green Deal vice-presidente executivo do Pacto Ecológico Europeu
+Procurement Administration Service Serviço de Administração dos Concursos Públicos
+European Parliament Liaison Office in Estonia Gabinete de Ligação do Parlamento Europeu na Estónia
+Ad Hoc Working Party on the Strengthening of the Banking Union Grupo ad hoc para o Reforço da União Bancária
+age of first use idade do primeiro consumo
+right of access to placement services direito de acesso aos serviços de emprego
+interruptive and procedural motions intervenções sobre questões processuais
+low threshold limiar baixo
+social exclusion exclusão social
+Protocol Amending the European Social Charter Protocolo de Alterações à Carta Social Europeia
+EUROCITIES Eurocidades
+Protocol to the European Agreement on the Exchange of Blood-Grouping Reagents Protocolo ao Acordo Europeu relativo ao Intercâmbio de Reagentes para a Determinação de Grupos Sanguíneos
+associated committee comissão associada
+Delegation to the EU-Montenegro Stabilisation and Association Parliamentary Committee Delegação à Comissão Parlamentar de Estabilização e Associação UE-Montenegro
+Supreme Court Supremo Tribunal
+polygamous marriage casamento poligâmico
+General Workers' Union UGT
+crystal form forma de cristal
+duty to behave with integrity and discretion deveres de honestidade e discrição
+reference product produto de referência
+appearance apresentação a tribunal
+Working Party on Intellectual Property Grupo da Propriedade Intelectual
+collective mark marca coletiva
+fall caducar
+amendment revisão
+carcinogen cancerígeno
+Committee on Political Affairs, Security and Human Rights Comissão Política, de Segurança e dos Direitos Humanos
+Working Party on Development Cooperation Grupo da Cooperação para o Desenvolvimento
+landfill waste flows fluxos de resíduos depositados em aterro
+right to education direito à educação
+Relations with National Economic and Social Councils and Civil Society Relações com os Conselhos Económicos e Sociais Nacionais e a Sociedade Civil
+collective vote votação em bloco
+step-parent padrasto ou madrasta
+debt sustainability sustentabilidade da dívida
+taking charge of an asylum seeker tomada a cargo de um requerente de asilo
+Court of Appeal (Criminal Division) Tribunal de Recurso, secção criminal
+User Support Unit Unidade de Apoio aos Utilizadores
+services concession concessão de serviços
+child protection protecção da criança
+Sixth Protocol to the General Agreement on Privileges and Immunities of the Council of Europe Sexto Protocolo Adicional ao Acordo Geral sobre os Privilégios e Imunidades do Conselho da Europa
+Islamic Republic of Iran República Islâmica do Irão
+recovery recuperação
+principle of double jeopardy princípio ne bis in idem
+declaration of financial interests declaração de interesses financeiros
+Transparency Register Registo de Transparência
+Republic of Côte d'Ivoire República da Costa do Marfim
+Medical Leave Service Serviço da Gestão das Ausências por Doença
+Republic of Seychelles República das Seicheles
+Wales Gales
+indication of the facts about which the witness is to be examined indicação dos factos sobre os quais as testemunhas vão ser ouvidas
+Meghalayan Megalaiano
+photographic representation representação fotográfica
+secretary-general of the European Economic and Social Committee secretário-geral do Comité Económico e Social Europeu
+Freja Forum Fórum Freja
+Timor-Leste República Democrática de Timor-Leste
+assignment of a case to a Chamber of five or of three Judges atribuição do processo a uma secção de cinco ou de três juízes
+design corpus património de desenhos ou modelos
+organisation of the departments of the Court organização dos serviços do Tribunal de Justiça
+service passport SEP
+EIF Statutes Estatutos do Fundo Europeu de Investimento
+resident card N/A (FR&gt;PT)
+Gabonese Republic República Gabonesa
+harmonised classification and labelling classificação e rotulagem harmonizadas
+Conference Coordination Unit Unidade da Coordenação das Conferências
+European Code of Social Security Código Europeu de Segurança Social
+DiscoverEU DiscoverEU
+Hungarian Translation Unit Unidade da Tradução Húngara
+report for the hearing relatório para audiência
+Public Procurement Review Chamber secção competente para julgar litígios em matéria de adjudicação de contratos públicos
+member of the Committee of the Regions membro do Comité das Regiões
+Delegation for relations with the Federative Republic of Brazil Delegação para as relações com a República Federativa do Brasil
+Interim Response Programme programa de resposta intercalar
+Working Party on Animal Products Grupo dos Produtos Animais
+Portuguese Parliament Parlamento português
+racist agenda postulado racista
+Federal Court of Justice Supremo Tribunal Federal
+kafala kafala
+senior court official funcionário judicial do tribunal de grau superior
+duplication duplicado
+Finance Unit Unidade das Finanças
+European Fiscal Board Conselho Orçamental Europeu
+municipality município
+angle ângulo
+Networks and Access Unit Unidade de Redes e Acesso
+interoperability of products of different makes interoperabilidade de produtos de fabrico diferente
+typographic typeface carateres tipográficos
+notified substance substância notificada
+Protocol No. 3 to the Convention for the Protection of Human Rights and Fundamental Freedoms, amending Articles 29, 30 and 34 of the Convention Protocolo n.º 3 à Convenção para a Proteção dos Direitos do Homem e das Liberdades Fundamentais Emendando os Artigos 29.º, 30.º e 34.º da Convenção
+Guzhangian Guzanguiano
+legislative initiative procedure processo de iniciativa legislativa
+gamete donation dádiva de gâmetas
+Expert Group on Food Losses and Food Waste Grupo de Peritos sobre as Perdas e o Desperdício Alimentares
+individual loan empréstimo individual
+heterosexuality heterossexualidade
+Tabling Desk Unit Unidade da Receção dos Documentos
+This designation is without prejudice to positions on status, and is in line with UNSCR 1244/1999 and the ICJ Opinion on the Kosovo declaration of independence. Esta designação não prejudica as posições relativas ao estatuto e está conforme com a Resolução 1244/1999 do CSNU e com o parecer do TIJ sobre a declaração de independência do Kosovo.
+anonymous marketplace mercado anónimo
+Kingdom of Spain Reino de Espanha
+Interpreter Support and Training Unit Unidade da Formação e do Apoio aos Intérpretes
+observatory observatório
+Association of Caribbean States Associação dos Estados das Caraíbas
+Convention on the Elaboration of a European Pharmacopoeia Convenção relativa à Elaboração de uma Farmacopeia Europeia
+Protocol No. 14 to the Convention for the Protection of Human Rights and Fundamental Freedoms, amending the control system of the Convention Protocolo n.º 14 à Convenção para a Proteção dos Direitos do Homem e das Liberdades Fundamentais, introduzindo Alterações no Sistema de Controlo da Convenção
+fluid gender de género fluido
+Magistrate Julgado de Paz
+European Battery Alliance Aliança Europeia para as Baterias
+Piacenzian Placenciano
+capital punishment pena capital
+"any other business" item ponto "Diversos"
+Upper Tribunal (Tax and Chancery Chamber) Tribunal Superior (Secção Tributária e da Chancelaria)
+hazard perigo
+Supreme Administrative Court Supremo Tribunal Administrativo
+declaration of non-infringement verificação de não contrafação
+On-site and Online Library Services Unit Unidade dos Serviços de Biblioteca in loco e em linha
+request for the case to be discontinued pedido de arquivamento
+Security Committee (GMES data security experts) Comité de Segurança (Peritos de Segurança de Dados do GMES)
+erythropoietic porphyria porfiria eritropoiética
+recipient of an article destinatário de um artigo
+Working Party on Arable Crops (Oilseeds) Grupo das Culturas Arvenses (Oleaginosas)
+Europa Experience and Property Market Surveys Unit Unidade Europa Experience e Prospeção Imobiliária
+Accreditation Unit Unidade de Acreditação
+call to order advertência
+plagium rapto de criança
+induced termination of pregnancy IVG
+Marrakesh Accords Acordos de Marraquexe
+Visa Working Party Grupo dos Vistos
+separated person pessoa separada
+regime of participation in matrimonial assets regime da participação nos adquiridos
+study summary resumo do estudo
+Convention on International Access to Justice Convenção tendente a Facilitar o Acesso Internacional à Justiça
+infibulation infibulação
+Risk Sharing Finance Facility Mecanismo de Financiamento com Partilha de Riscos
+Guidelines on the Role of Prosecutors Princípios Orientadores relativos à Função dos Magistrados do Ministério Público
+aggravated burglary roubo com arrombamento
+Working Party on Animal Products (Milk and Milk Products) Grupo dos Produtos Animais (Leite e Produtos Lácteos)
+non-waste material não resíduo
+industrial user utilizador industrial
+environmental hazard assessment avaliação dos perigos ambientais
+adoption by a couple adopção conjunta
+disclaimed feature característica alvo de renúncia
+UN Special Mission to Afghanistan Missão Especial das Nações Unidas para o Afeganistão
+Data Management, Document Production Unit Unidade de Gestão de Dados e Produção de Documentos
+Latvian Translation Unit Unidade da Tradução Letã
+United Arab Emirates Emirados Árabes Unidos
+Working Time Facilities Service Serviço do Tempo de Trabalho
+Human Resources Unit Unidade dos Recursos Humanos
+Working Party on Internal Fisheries Policy Grupo da Política Interna das Pescas
+United Nations Convention on the Use of Electronic Communications in International Contracts Convenção das Nações Unidas sobre a Utilização de Comunicações Eletrónicas nos Contratos Internacionais
+Working Party of Veterinary Experts (Potsdam Group) Grupo dos Peritos Veterinários (Grupo de Potsdam)
+Delegation to the EU-Mexico Joint Parliamentary Committee Delegação à Comissão Parlamentar Mista UE-México
+Republic of Paraguay República do Paraguai
+Rhyacian Riácico
+Fire Prevention Luxembourg Unit Unidade da Prevenção de Incêndios - Luxemburgo
+Edinburgh Edimburgo
+Treaty of Amsterdam amending the Treaty on the European Union,the Treaties establishing the European Communities and certain related acts Tratado de Amesterdão que altera o Tratado da União Europeia, os Tratados que instituem as Comunidades Europeias e alguns Atos relativos a esses Tratados
+exploded view vista explodida
+non-target organism organismo não visado
+Employment, Social Policy, Health and Consumer Affairs Council Conselho (Emprego, Política Social, Saúde e Consumidores)
+Political declaration setting out the framework for the future relationship between the European Union and the United Kingdom Declaração Política que estabelece o quadro das futuras relações entre a União Europeia e o Reino Unido
+emasculation emasculação
+Working Party on Intellectual Property (Patents) Grupo da Propriedade Intelectual (Patentes)
+extension of stay as a general visitor prorrogação de permanência
+transgenderism transgenerismo
+indictable-only offence N/A (NL &gt; PT)
+Iceland República da Islândia
+matters of law elementos de direito
+Central Hungary Hungria Central
+Territorial Collectivity of Saint Pierre and Miquelon Coletividade Territorial de São Pedro e Miquelão
+minor interpellation interpelação breve
+notice of meeting and provisional agenda convocação e ordem do dia provisória
+Tonian Tónico
+mechanical fitting acessório mecânico
+cooperation in criminal matters cooperação em matéria penal
+financial implications incidência financeira
+homophobia homofobia
+European Chemical Regions Network Rede Europeia das Regiões da Indústria Química
+extra virgin olive oil azeite virgem extra
+Georgia Geórgia
+Protocol on the financial consequences of the expiry of the ECSC Treaty and on the Research Fund for Coal and Steel Protocolo relativo às Consequências Financeiras do Termo de Vigência do Tratado CECA e ao Fundo de Investigação do Carvão e do Aço
+Directorate for Impact Assessment and European Added Value Direção da Avaliação do Impacto e do Valor Acrescentado Europeu
+tentative exposure scenario cenário de exposição provisório
+South Georgia and the South Sandwich Islands Ilhas Geórgia do Sul e Sandwich do Sul
+Council conclusions conclusões do Conselho
+Working Party on Financial Services (Transfers of funds) Grupo dos Serviços Financeiros (Transferências de Fundos)
+Directorate for Strategy and Resources Direção da Estratégia e dos Recursos
+give a decision as to costs having regard to any proposals made by the parties on the matter decidir quanto às despesas, tendo em conta aquilo que haja sido proposto pelas partes
+non dispersive use utilização não dispersiva
+co-development co-desenvolvimento
+Secretariat of the Committee on Constitutional Affairs Secretariado da Comissão dos Assuntos Constitucionais
+Maltese Parliament Parlamento maltês
+notifier notificante
+Ministry of Labour Ministério do Trabalho
+Agreement between the European Union and Canada establishing a framework for the participation of Canada in the European Union crisis management operations Acordo entre a União Europeia e o Canadá que estabelece um quadro para a participação do Canadá nas operações de gestão de crises da União Europeia
+Delegation for relations with the countries of Southeast Asia and the Association of Southeast Asian Nations (ASEAN) Delegação para as Relações com os Países do Sudeste Asiático e a Associação das Nações do Sudeste Asiático (ANASE)
+internal market mercado interno
+Practical guide Guia prático
+Ukraine Ucrânia
+assignment of cases atribuição dos processos
+Codex Alimentarius Commission Comissão do Codex Alimentarius
+Executive Secretary-General Secretário-Geral Executivo
+date of disclosure data da divulgação
+fee for the review of the determination of the procedural costs to be refunded taxa de revisão do cálculo dos custos processuais a reembolsar
+Interinstitutional Relations Relações Interinstitucionais
+return regresso
+European Research Forum Fórum Europeu da Investigação
+zero tolerance of violence against women recusa total da violência contra as mulheres
+porphyria porfiria
+Croatian Interpretation Unit Unidade da Interpretação Croata
+homicide homicídio
+Olenekian Oleniokiano
+subcommittee subcomissão
+posthumous adoption adopção póstuma
+depriving a Judge of his office demissão de um juiz
+cousin prima
+anonymity anonimato
+constituent elements of a crime elementos constitutivos do crime
+quorum of Judges quórum de juízes
+EINECS number número EINECS
+European Parliament Liaison Office in Denmark Gabinete de Ligação do Parlamento Europeu na Dinamarca
+political arrest detenção por motivos políticos
+Working Party on Financial Services (E-money institutions) Grupo dos Serviços Financeiros (Instituições de Moeda Eletrónica)
+vitiated consent vício do consentimento
+grandchild neto
+Court of First Instance Tribunal de Primeira Instância
+preferential origin of goods origem preferencial das mercadorias
+family member of foreign national membro da família de um estrangeiro
+product supplier fornecedor do produto
+queer queer
+Kos Cós
+withdrawal symptoms sintoma de abstinência
+chronic crónica
+Central Bank of Cyprus Banco Central de Chipre
+alternative to prison medida alternativa à detenção
+Islamic Republic of Afghanistan República Islâmica do Afeganistão
+State responsible for examining an asylum application Estado responsável pela análise do pedido de asilo
+European Code of Social Security (Revised) Código Europeu de Segurança Social (revisto)
+nationality nacionalidade
+Committee on Development Comissão do Desenvolvimento
+therapeutic value valor terapêutico
+additional opinion aditamento a parecer
+appeal recurso de decisão do Tribunal Geral
+drafting group grupo de redação
+Agreement concerning the Social Security of Rhine Boatmen Acordo relativo à Segurança Social dos Barqueiros do Reno
+Learning and Development Unit Unidade de Formação e Desenvolvimento
+teller escrutinador
+N/A (IT &gt; UK) injúria
+Brexit Preparedness Group Grupo de Preparação do Brexit
+Human Resources Unit Unidade dos Recursos Humanos
+vouch the truth of one's evidence garantir a veracidade de um depoimento
+Tuvalu Tuvalu
+registration of birth registo do nascimento
+indent travessão
+counterclaim pedido reconvencional
+Standard Minimum Rules for the Treatment of Prisoners Regras Mínimas para o Tratamento de Reclusos
+marriage contract contrato de casamento
+Additional Protocol to the Protocol to the European Agreement on the Protection of Television Broadcasts Protocolo Adicional ao Protocolo ao Acordo Europeu para a Proteção das Emissões Televisivas
+Russian Federation Federação da Rússia
+Liberal Mayors Summit Cimeira dos Autarcas Liberais
+serious adverse event acontecimento adverso grave
+test method método de ensaio
+Committee on Petitions Comissão das Petições
+Working Party on Forestry Grupo das Florestas
+Rules of Procedure of the European Parliament Regimento do Parlamento Europeu
+uncertified copy cópia não certificada
+Working Party of Veterinary Experts (Animal Welfare) Grupo dos Peritos Veterinários (Bem-Estar Animal)
+indefinite leave to remain visto de residência
+Privileges and Immunities Section Secção de Privilégios e Imunidades
+Food Aid Committee Comité da Ajuda Alimentar
+simple adoption adopção simples
+joint working document documento de trabalho conjunto
+industrial property propriedade industrial
+issuing Member State Estado-Membro de emissão
+witness to the marriage testemunha do casamento
+exempt a witness from taking the oath dispensar a testemunha de prestar juramento
+environmental sphere domínio ambiental
+Regional Court (Commercial Division) Tribunal Regional, secção comercial
+excusing of a Judge dispensa de um juiz
+Political Structures Financing Unit Unidade do Financiamento das Estruturas Políticas
+hearing audiência
+Coordination Service Serviço da Coordenação
+Legislative Planning and Coordination Unit Unidade da Coordenação e da Programação Legislativa
+Budgetary Affairs Service Serviço dos Assuntos Orçamentais
+Conference of Presidents Conferência dos Presidentes
+President of the Chamber presidente de secção
+condensed milk leite condensado
+Protocol on Article 157 of the Treaty on the Functioning of the European Union Protocolo relativo ao Artigo 157.º do Tratado sobre o Funcionamento da União Europeia
+Human Rights Action Unit Unidade de Ações sobre os Direitos Humanos
+Greek Interpretation Unit Unidade da Interpretação Grega
+attend the measures of enquiry assistir às diligências de instrução
+lawfully marketed legalmente comercializado
+party concerned parte interessada
+ad personam replacement representante <i>ad personam</i>
+emigration emigração
+marriage broking intermediação matrimonial
+Slovene Interpretation Unit Unidade da Interpretação Eslovena
+Budget and Verification Unit Unidade do Orçamento e da Verificação
+title título
+hearing of the child audição da criança
+Directorate for Interpreter Planning and Support Direção da Programação e do Apoio aos Intérpretes
+foreign national beneficiary of subsidiary protection status estrangeiro que beneficia de proteção subsidiária
+independent right of residence direito de residência autónomo
+extension of the procedural time-limit acréscimo dos prazos processuais
+Euro-Mediterranean Agreement establishing an association between the European Communities and their Member States, of the one part, and the Republic of Tunisia, of the other part Acordo Euro-Mediterrânico que cria uma Associação entre as Comunidades Europeias e os seus Estados-Membros, por um lado, e a República Tunisina, por outro
+proposal from the President of the Chamber proposta do presidente da secção
+degree of relationship grau de parentesco
+alternate membro suplente do Comité Económico e Social Europeu
+workers' right to information and consultation within the undertaking direito à informação e à consulta dos trabalhadores na empresa
+call for expressions of interest aviso de pré-candidatura
+Borrowing Programme programa de captação de fundos
+unexpected effect efeito imprevisto
+Annex XV dossier dossiê do anexo XV
+deposit depósito
+Italian Section Secção Italiana
+European Investment Bank Group Grupo do Banco Europeu de Investimento
+presence of parties contracting the marriage presença dos nubentes
+supplementary rules regulamento adicional
+circle meios
+CCCIS (TECH) CCSCI (TECN)
+Landfill Directive Diretiva Deposição de Resíduos em Aterros
+non-legislative own-initiative report relatório de iniciativa não legislativa
+removal afastamento
+Jiangshanian Jiangshaniano
+Esplanade Solidarność 1980 Esplanada Solidarność 1980
+family register livrete de família
+early termination of an office cessação antecipada de funções
+priority of decisions prioridade das decisões
+Committee on Foreign Affairs Comissão dos Assuntos Externos
+technical name nome técnico
+robbery roubo
+Republic of San Marino República de São Marinho
+Protocol amending the European Agreement on the Restriction of the Use of Certain Detergents in Washing and Cleaning Products Protocolo que modifica o Acordo Europeu sobre a Limitação do Emprego de certos Detergentes nos Produtos de Lavagem e de Limpeza
+household debt dívida contraída para prover os encargos da vida familiar
+Megatrends Hub centro de megatendências
+European Regional and Local Health Authorities Autoridades de Saúde Regionais e Locais Europeias
+guardianship tutela
+seizure apreensão
+Members' Statute Estatuto dos Membros
+Working Party on General Affairs Grupo dos Assuntos Gerais
+business ties laços económicos
+declaration of lack of capacity declaração de incapacidade
+CIPAC number número CIPAC
+security clearance procedure procedimento de habilitação de segurança
+combating racism and xenophobia combate ao racismo e à xenofobia
+Working Party on Agricultural Structures and Rural Development (Agriculture and Environment) Grupo das Estruturas Agrícolas e do Desenvolvimento Rural (Agricultura e Ambiente)
+Friends of the Presidency Group (EU approach to international cultural relations) Grupo dos Amigos da Presidência (Abordagem da UE no domínio das relações culturais internacionais)
+Prevention and Well-being at Work Unit Unidade de Prevenção e Bem-Estar no Trabalho
diff --git a/forced-translation/tools/.gitignore b/forced-translation/tools/.gitignore
new file mode 100644
index 0000000..037e269
--- /dev/null
+++ b/forced-translation/tools/.gitignore
@@ -0,0 +1,2 @@
+fast_align
+moses-scripts