From 05e1a101394a741165cf926cfbe20389a6ff0948 Mon Sep 17 00:00:00 2001 From: jakubknczny Date: Tue, 18 Jan 2022 10:27:53 +0100 Subject: [PATCH] add rapidfuzz --- inject.py | 136 + inject_rapid.py | 124 + jupyter-injector.ipynb | 181 +- kompendium_lem_cleaned.tsv | 1194 ++++ rapidfuzztest.ipynb | 11740 +++++++++++++++++++++++++++++++++++ training-command.txt | 24 +- venv-setup.sh | 12 + 7 files changed, 13372 insertions(+), 39 deletions(-) create mode 100644 inject.py create mode 100644 inject_rapid.py create mode 100644 kompendium_lem_cleaned.tsv create mode 100644 rapidfuzztest.ipynb create mode 100644 venv-setup.sh diff --git a/inject.py b/inject.py new file mode 100644 index 0000000..476898c --- /dev/null +++ b/inject.py @@ -0,0 +1,136 @@ +import copy +import pandas as pd +import spacy +from spaczz.matcher import FuzzyMatcher + +# spacy.require_gpu() + +spacy_nlp_en = spacy.load('en_core_web_sm') +spacy_nlp_pl = spacy.load('pl_core_news_sm') + +print('lemmatizing glossary') + +glossary = pd.read_csv('glossary.tsv', sep='\t', header=None, names=['source', 'result']) + +source_lemmatized = [] +for word in glossary['source']: + temp = [] + for token in spacy_nlp_en(word): + temp.append(token.lemma_) + source_lemmatized.append(' '.join(temp).replace(' - ', '-').replace(' ’', '’').replace(' / ', '/').replace(' ( ', '(').replace(' ) ', ')')) + +result_lemmatized = [] +for word in glossary['result']: + temp = [] + for token in spacy_nlp_pl(word): + temp.append(token.lemma_) + result_lemmatized.append(' '.join(temp).replace(' - ', '-').replace(' ’', '’').replace(' / ', '/').replace(' ( ', '(').replace(' ) ', ')')) + +glossary['source_lem'] = source_lemmatized +glossary['result_lem'] = result_lemmatized +glossary = glossary[['source', 'source_lem', 'result', 'result_lem']] +glossary.set_index('source_lem') + +glossary.to_csv('glossary_lem.tsv', sep='\t') + +dev_path = 'dev-0/' + +print('lemmatizing corpus ' + dev_path) + +skip_chars = ''',./!?''' + +with open(dev_path + 'in.tsv', 'r') as file: + file_lemmatized = [] + for line in file: + temp = [] + for token in spacy_nlp_en(line): + temp.append(token.lemma_) + file_lemmatized.append(' '.join([x for x in temp if x not in skip_chars]) + .replace(' - ', '-').replace(' ’', '’').replace(' / ', '/').replace(' ( ', '(').replace(' ) ', ')')) + +with open(dev_path + 'expected.tsv', 'r') as file: + file_pl_lemmatized = [] + for line in file: + temp = [] + for token in spacy_nlp_pl(line): + temp.append(token.lemma_) + file_pl_lemmatized.append(' '.join([x for x in temp if x not in skip_chars]) + .replace(' - ', '-').replace(' ’', '’').replace(' / ', '/').replace(' ( ', '(').replace(' ) ', ')')) + +# glossary +glossary = pd.read_csv('glossary_lem.tsv', sep='\t', header=0, index_col=0) +train_glossary = glossary.iloc[[x for x in range(len(glossary)) if x % 6 != 0]] + +# add rules to English matcher +nlp = spacy.blank("en") +matcher = FuzzyMatcher(nlp.vocab) +for word in train_glossary['source_lem']: + matcher.add(word, [nlp(word)]) + +# add rules to Polish matcher +nlp_pl = spacy.blank("pl") +matcher_pl = FuzzyMatcher(nlp_pl.vocab) +for word, word_id in zip(train_glossary['result_lem'], train_glossary['source_lem']): + matcher_pl.add(word, [nlp_pl(word)]) + +en = [] +translation_line_counts = [] +for line_id in range(len(file_lemmatized)): + + if line_id % 100 == 0: + print('injecting glossary: ' + str(line_id) + "/" + str(len(file_lemmatized)), end='\r') + + doc = nlp(file_lemmatized[line_id]) + matches = matcher(doc) + + line_counter = 0 + for match_id, start, end, ratio in matches: + if ratio > 90: + doc_pl = nlp_pl(file_pl_lemmatized[line_id]) + matches_pl = matcher_pl(doc_pl) + + for match_id_pl, start_pl, end_pl, ratio_pl in matches_pl: + if match_id_pl == glossary[glossary['source_lem'] == match_id].values[0][3]: + line_counter += 1 + en.append(''.join(doc[:end].text + ' ' + train_glossary.loc[lambda df: df['source_lem'] == match_id]['result'].astype(str).values.flatten() + ' ' + doc[end:].text)) + + if line_counter == 0: + line_counter = 1 + en.append(file_lemmatized[line_id]) + translation_line_counts.append(line_counter) + +print('saving files') +tlcs = copy.deepcopy(translation_line_counts) + +translations = pd.read_csv(dev_path + 'expected.tsv', sep='\t', header=None, names=['text']) +translations['id'] = [x for x in range(len(translations))] + +ctr = 0 +sentence = '' +with open(dev_path + 'in.tsv.injected.crossvalidated', 'w') as file_en: + with open(dev_path + 'expected.tsv.injected.crossvalidated', 'w') as file_pl: + for i in range(len(en)): + if i > 0: + if en[i-1] != en[i]: + if ctr == 0: + sentence = translations.iloc[0] + translations.drop(sentence['id'], inplace=True) + sentence = sentence['text'] + try: + ctr = tlcs.pop(0) + except: + pass + file_en.write(en[i]) + file_pl.write(sentence + '\n') + ctr = ctr - 1 + else: + try: + ctr = tlcs.pop(0) - 1 + except: + pass + sentence = translations.iloc[0] + translations.drop(sentence['id'], inplace=True) + sentence = sentence['text'] + file_en.write(en[i]) + file_pl.write(sentence + '\n') + diff --git a/inject_rapid.py b/inject_rapid.py new file mode 100644 index 0000000..c72655a --- /dev/null +++ b/inject_rapid.py @@ -0,0 +1,124 @@ +import spacy +import copy +import pandas as pd +import rapidfuzz +from rapidfuzz.fuzz import partial_ratio +import time +from rapidfuzz.utils import default_process +import sys + +spacy.require_gpu() + +spacy_nlp_en = spacy.load('en_core_web_sm') +spacy_nlp_pl = spacy.load("pl_core_news_sm") + + +def read_arguments(): + try: + corpus_path, glossary_path = sys.argv + return corpus_path, glossary_path + except: + print("ERROR: Wrong argument amount.") + sys.exit(1) + + + +glossary = pd.read_csv('~/mt-summit-corpora/glossary.tsv', sep='\t', header=None, names=['source', 'result']) + +source_lemmatized = [] +for word in glossary['source']: + temp = [] + for token in spacy_nlp_en(word): + temp.append(token.lemma_) + source_lemmatized.append(' '.join(temp).replace(' - ', '-').replace(' ’', '’').replace(' / ', '/').replace(' ( ', '(').replace(' ) ', ')')) + +result_lemmatized = [] +for word in glossary['result']: + temp = [] + for token in spacy_nlp_pl(word): + temp.append(token.lemma_) + result_lemmatized.append(' '.join(temp).replace(' - ', '-').replace(' ’', '’').replace(' / ', '/').replace(' ( ', '(').replace(' ) ', ')')) + +glossary['source_lem'] = source_lemmatized +glossary['result_lem'] = result_lemmatized +glossary = glossary[['source', 'source_lem', 'result', 'result_lem']] + + +corpus_path = '~/mt-summit-corpora/train/' + +skip_chars = ''',./!?''' + +with open(corpus_path + 'in.tsv', 'r') as file: + file_lemmatized = [] + for line in file: + temp = [] + for token in spacy_nlp_en(line): + temp.append(token.lemma_) + file_lemmatized.append(' '.join([x for x in temp if x not in skip_chars]).replace(' - ', '-').replace(' ’', '’').replace(' / ', '/').replace(' ( ', '(').replace(' ) ', ')')) + +with open(corpus_path + 'expected.tsv', 'r') as file: + file_pl_lemmatized = [] + for line in file: + temp = [] + for token in spacy_nlp_pl(line): + temp.append(token.lemma_) + file_pl_lemmatized.append(' '.join([x for x in temp if x not in skip_chars]).replace(' - ', '-').replace(' ’', '’').replace(' / ', '/').replace(' ( ', '(').replace(' ) ', ')')) + +THRESHOLD = 88 + +def is_injectable(sentence_pl, sequence): + sen = sentence_pl.split() + window_size = len(sequence.split()) + maxx = 0 + for i in range(len(sen) - window_size): + current = rapidfuzz.fuzz.partial_ratio(' '.join(sen[i:i + window_size]), sequence) + if current > maxx: + maxx = current + return maxx + +def inject(sentence, sequence): + sen = sentence.split() + window_size = len(sequence.split()) + maxx = 0 + maxxi = 0 + for i in range(len(sen) - window_size): + current = rapidfuzz.fuzz.partial_ratio(' '.join(sen[i:i + window_size]), sequence) + if current > maxx: + maxx = current + maxxi = i + return ' '.join(sen[:maxxi + window_size]) + ' ' \ + + glossary.loc[lambda df: df['source_lem'] == sequence]['result'].astype(str).values.flatten() \ + + ' ' + ' '.join(sen[maxxi + window_size:]) + +glossary = pd.read_csv('kompendium_lem_cleaned.tsv', sep='\t', header=0, index_col=0) +glossary['source_lem'] = [default_process(x) for x in glossary['source_lem']] + +start_time = time.time_ns() +en = [] +translation_line_counts = [] +for line, line_pl in zip(file_lemmatized, file_pl_lemmatized): + line = default_process(line) + line_pl = default_process(line_pl) + matchez = rapidfuzz.process.extract(query=line, choices=glossary['source_lem'], limit=5, score_cutoff=THRESHOLD, scorer=partial_ratio) + translation_line_counts.append(len(matchez)) + for match in matchez: + # if is_injectable(line_pl, match[0]): + en.append(inject(line, match[0])[0]) + + +stop = time.time_ns() +timex = (stop - start_time) / 1000000000 +print(timex) + +tlcs = copy.deepcopy(translation_line_counts) + +translations = pd.read_csv(corpus_path + 'expected.tsv', sep='\t', header=None, names=['text']) +with open(corpus_path + 'extected.tsv.injected.crossvalidated.pl', 'w') as file_pl: + for line, translation_line_ct in zip(translations, tlcs): + for i in range(translation_line_ct): + file_pl.write(line) + + +with open(corpus_path + 'in.tsv.injected.crossvalidated.en', 'w') as file_en: + for e in en: + file_en.write(e + '\n') diff --git a/jupyter-injector.ipynb b/jupyter-injector.ipynb index a75d8e9..21cc76e 100644 --- a/jupyter-injector.ipynb +++ b/jupyter-injector.ipynb @@ -15,19 +15,21 @@ }, { "cell_type": "code", - "execution_count": 1, + "execution_count": 2, "outputs": [ { "data": { "text/plain": " source \\\nsource_lem \naaofi aaofi \naca aca \nacca acca \nabacus abacus \nabandonment cost abandonment costs \n... ... \nytd ytd \nyear-end year-end \nyear-to-date year-to-date \nzog zog \nzero overhead growth zero overhead growth \n\n result \\\nsource_lem \naaofi organizacja rachunkowości i audytu dla islamsk... \naca członek stowarzyszenia dyplomowanych biegłych ... \nacca stowarzyszenie dyplomowanych biegłych rewidentów \nabacus liczydło \nabandonment cost koszty zaniechania \n... ... \nytd od początku roku \nyear-end koniec roku \nyear-to-date od początku roku \nzog zero wzrostu kosztów ogólnych \nzero overhead growth zero wzrostu kosztów ogólnych \n\n result_lem \nsource_lem \naaofi organizacja rachunkowość i audyt dla islamski ... \naca członek stowarzyszenie dyplomowany biegły rewi... \nacca stowarzyszenie dyplomowany biegły rewident \nabacus liczydło \nabandonment cost koszt zaniechanie \n... ... \nytd od początek rok \nyear-end koniec rok \nyear-to-date od początek rok \nzog zero wzrost koszt ogólny \nzero overhead growth zero wzrost koszt ogólny \n\n[1197 rows x 3 columns]", "text/html": "
\n\n\n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n
sourceresultresult_lem
source_lem
aaofiaaofiorganizacja rachunkowości i audytu dla islamsk...organizacja rachunkowość i audyt dla islamski ...
acaacaczłonek stowarzyszenia dyplomowanych biegłych ...członek stowarzyszenie dyplomowany biegły rewi...
accaaccastowarzyszenie dyplomowanych biegłych rewidentówstowarzyszenie dyplomowany biegły rewident
abacusabacusliczydłoliczydło
abandonment costabandonment costskoszty zaniechaniakoszt zaniechanie
............
ytdytdod początku rokuod początek rok
year-endyear-endkoniec rokukoniec rok
year-to-dateyear-to-dateod początku rokuod początek rok
zogzogzero wzrostu kosztów ogólnychzero wzrost koszt ogólny
zero overhead growthzero overhead growthzero wzrostu kosztów ogólnychzero wzrost koszt ogólny
\n

1197 rows × 3 columns

\n
" }, - "execution_count": 1, + "execution_count": 2, "metadata": {}, "output_type": "execute_result" } ], "source": [ + "import time\n", + "\n", "import pandas as pd\n", "import spacy\n", "\n", @@ -160,25 +162,8 @@ }, { "cell_type": "code", - "execution_count": 5, - "outputs": [ - { - "ename": "KeyboardInterrupt", - "evalue": "", - "output_type": "error", - "traceback": [ - "\u001B[0;31m---------------------------------------------------------------------------\u001B[0m", - "\u001B[0;31mKeyboardInterrupt\u001B[0m Traceback (most recent call last)", - "\u001B[0;32m/tmp/ipykernel_1418662/149035253.py\u001B[0m in \u001B[0;36m\u001B[0;34m\u001B[0m\n\u001B[1;32m 18\u001B[0m \u001B[0;32mfor\u001B[0m \u001B[0mline_id\u001B[0m\u001B[0;34m,\u001B[0m \u001B[0mline\u001B[0m \u001B[0;32min\u001B[0m \u001B[0menumerate\u001B[0m\u001B[0;34m(\u001B[0m\u001B[0mfile_lemmatized\u001B[0m\u001B[0;34m)\u001B[0m\u001B[0;34m:\u001B[0m\u001B[0;34m\u001B[0m\u001B[0;34m\u001B[0m\u001B[0m\n\u001B[1;32m 19\u001B[0m \u001B[0mdoc\u001B[0m \u001B[0;34m=\u001B[0m \u001B[0mnlp\u001B[0m\u001B[0;34m(\u001B[0m\u001B[0mline\u001B[0m\u001B[0;34m)\u001B[0m\u001B[0;34m\u001B[0m\u001B[0;34m\u001B[0m\u001B[0m\n\u001B[0;32m---> 20\u001B[0;31m \u001B[0mmatches\u001B[0m \u001B[0;34m=\u001B[0m \u001B[0mmatcher\u001B[0m\u001B[0;34m(\u001B[0m\u001B[0mdoc\u001B[0m\u001B[0;34m)\u001B[0m\u001B[0;34m\u001B[0m\u001B[0;34m\u001B[0m\u001B[0m\n\u001B[0m\u001B[1;32m 21\u001B[0m \u001B[0;34m\u001B[0m\u001B[0m\n\u001B[1;32m 22\u001B[0m \u001B[0mline_counter\u001B[0m \u001B[0;34m=\u001B[0m \u001B[0;36m0\u001B[0m\u001B[0;34m\u001B[0m\u001B[0;34m\u001B[0m\u001B[0m\n", - "\u001B[0;32m~/Workspace/Envs/trainMT/lib/python3.8/site-packages/spaczz/matcher/_phrasematcher.py\u001B[0m in \u001B[0;36m__call__\u001B[0;34m(self, doc)\u001B[0m\n\u001B[1;32m 95\u001B[0m \u001B[0;32mif\u001B[0m \u001B[0;32mnot\u001B[0m \u001B[0mkwargs\u001B[0m\u001B[0;34m:\u001B[0m\u001B[0;34m\u001B[0m\u001B[0;34m\u001B[0m\u001B[0m\n\u001B[1;32m 96\u001B[0m \u001B[0mkwargs\u001B[0m \u001B[0;34m=\u001B[0m \u001B[0mself\u001B[0m\u001B[0;34m.\u001B[0m\u001B[0mdefaults\u001B[0m\u001B[0;34m\u001B[0m\u001B[0;34m\u001B[0m\u001B[0m\n\u001B[0;32m---> 97\u001B[0;31m \u001B[0mmatches_wo_label\u001B[0m \u001B[0;34m=\u001B[0m \u001B[0mself\u001B[0m\u001B[0;34m.\u001B[0m\u001B[0m_searcher\u001B[0m\u001B[0;34m.\u001B[0m\u001B[0mmatch\u001B[0m\u001B[0;34m(\u001B[0m\u001B[0mdoc\u001B[0m\u001B[0;34m,\u001B[0m \u001B[0mpattern\u001B[0m\u001B[0;34m,\u001B[0m \u001B[0;34m**\u001B[0m\u001B[0mkwargs\u001B[0m\u001B[0;34m)\u001B[0m\u001B[0;34m\u001B[0m\u001B[0;34m\u001B[0m\u001B[0m\n\u001B[0m\u001B[1;32m 98\u001B[0m \u001B[0;32mif\u001B[0m \u001B[0mmatches_wo_label\u001B[0m\u001B[0;34m:\u001B[0m\u001B[0;34m\u001B[0m\u001B[0;34m\u001B[0m\u001B[0m\n\u001B[1;32m 99\u001B[0m matches_w_label = [\n", - "\u001B[0;32m~/Workspace/Envs/trainMT/lib/python3.8/site-packages/spaczz/search/_phrasesearcher.py\u001B[0m in \u001B[0;36mmatch\u001B[0;34m(self, doc, query, flex, min_r1, min_r2, thresh, *args, **kwargs)\u001B[0m\n\u001B[1;32m 137\u001B[0m \u001B[0mflex\u001B[0m \u001B[0;34m=\u001B[0m \u001B[0mself\u001B[0m\u001B[0;34m.\u001B[0m\u001B[0m_calc_flex\u001B[0m\u001B[0;34m(\u001B[0m\u001B[0mquery\u001B[0m\u001B[0;34m,\u001B[0m \u001B[0mflex\u001B[0m\u001B[0;34m)\u001B[0m\u001B[0;34m\u001B[0m\u001B[0;34m\u001B[0m\u001B[0m\n\u001B[1;32m 138\u001B[0m \u001B[0mmin_r1\u001B[0m\u001B[0;34m,\u001B[0m \u001B[0mmin_r2\u001B[0m\u001B[0;34m,\u001B[0m \u001B[0mthresh\u001B[0m \u001B[0;34m=\u001B[0m \u001B[0mself\u001B[0m\u001B[0;34m.\u001B[0m\u001B[0m_check_ratios\u001B[0m\u001B[0;34m(\u001B[0m\u001B[0mmin_r1\u001B[0m\u001B[0;34m,\u001B[0m \u001B[0mmin_r2\u001B[0m\u001B[0;34m,\u001B[0m \u001B[0mthresh\u001B[0m\u001B[0;34m,\u001B[0m \u001B[0mflex\u001B[0m\u001B[0;34m)\u001B[0m\u001B[0;34m\u001B[0m\u001B[0;34m\u001B[0m\u001B[0m\n\u001B[0;32m--> 139\u001B[0;31m \u001B[0mmatch_values\u001B[0m \u001B[0;34m=\u001B[0m \u001B[0mself\u001B[0m\u001B[0;34m.\u001B[0m\u001B[0m_scan\u001B[0m\u001B[0;34m(\u001B[0m\u001B[0mdoc\u001B[0m\u001B[0;34m,\u001B[0m \u001B[0mquery\u001B[0m\u001B[0;34m,\u001B[0m \u001B[0mmin_r1\u001B[0m\u001B[0;34m,\u001B[0m \u001B[0;34m*\u001B[0m\u001B[0margs\u001B[0m\u001B[0;34m,\u001B[0m \u001B[0;34m**\u001B[0m\u001B[0mkwargs\u001B[0m\u001B[0;34m)\u001B[0m\u001B[0;34m\u001B[0m\u001B[0;34m\u001B[0m\u001B[0m\n\u001B[0m\u001B[1;32m 140\u001B[0m \u001B[0;32mif\u001B[0m \u001B[0mmatch_values\u001B[0m\u001B[0;34m:\u001B[0m\u001B[0;34m\u001B[0m\u001B[0;34m\u001B[0m\u001B[0m\n\u001B[1;32m 141\u001B[0m \u001B[0mpositions\u001B[0m \u001B[0;34m=\u001B[0m \u001B[0mlist\u001B[0m\u001B[0;34m(\u001B[0m\u001B[0mmatch_values\u001B[0m\u001B[0;34m.\u001B[0m\u001B[0mkeys\u001B[0m\u001B[0;34m(\u001B[0m\u001B[0;34m)\u001B[0m\u001B[0;34m)\u001B[0m\u001B[0;34m\u001B[0m\u001B[0;34m\u001B[0m\u001B[0m\n", - "\u001B[0;32m~/Workspace/Envs/trainMT/lib/python3.8/site-packages/spaczz/search/_phrasesearcher.py\u001B[0m in \u001B[0;36m_scan\u001B[0;34m(self, doc, query, min_r1, *args, **kwargs)\u001B[0m\n\u001B[1;32m 282\u001B[0m \u001B[0mi\u001B[0m \u001B[0;34m=\u001B[0m \u001B[0;36m0\u001B[0m\u001B[0;34m\u001B[0m\u001B[0;34m\u001B[0m\u001B[0m\n\u001B[1;32m 283\u001B[0m \u001B[0;32mwhile\u001B[0m \u001B[0mi\u001B[0m \u001B[0;34m+\u001B[0m \u001B[0mlen\u001B[0m\u001B[0;34m(\u001B[0m\u001B[0mquery\u001B[0m\u001B[0;34m)\u001B[0m \u001B[0;34m<=\u001B[0m \u001B[0mlen\u001B[0m\u001B[0;34m(\u001B[0m\u001B[0mdoc\u001B[0m\u001B[0;34m)\u001B[0m\u001B[0;34m:\u001B[0m\u001B[0;34m\u001B[0m\u001B[0;34m\u001B[0m\u001B[0m\n\u001B[0;32m--> 284\u001B[0;31m \u001B[0mmatch\u001B[0m \u001B[0;34m=\u001B[0m \u001B[0mself\u001B[0m\u001B[0;34m.\u001B[0m\u001B[0mcompare\u001B[0m\u001B[0;34m(\u001B[0m\u001B[0mquery\u001B[0m\u001B[0;34m,\u001B[0m \u001B[0mdoc\u001B[0m\u001B[0;34m[\u001B[0m\u001B[0mi\u001B[0m \u001B[0;34m:\u001B[0m \u001B[0mi\u001B[0m \u001B[0;34m+\u001B[0m \u001B[0mlen\u001B[0m\u001B[0;34m(\u001B[0m\u001B[0mquery\u001B[0m\u001B[0;34m)\u001B[0m\u001B[0;34m]\u001B[0m\u001B[0;34m,\u001B[0m \u001B[0;34m*\u001B[0m\u001B[0margs\u001B[0m\u001B[0;34m,\u001B[0m \u001B[0;34m**\u001B[0m\u001B[0mkwargs\u001B[0m\u001B[0;34m)\u001B[0m\u001B[0;34m\u001B[0m\u001B[0;34m\u001B[0m\u001B[0m\n\u001B[0m\u001B[1;32m 285\u001B[0m \u001B[0;32mif\u001B[0m \u001B[0mmatch\u001B[0m \u001B[0;34m>=\u001B[0m \u001B[0mmin_r1\u001B[0m\u001B[0;34m:\u001B[0m\u001B[0;34m\u001B[0m\u001B[0;34m\u001B[0m\u001B[0m\n\u001B[1;32m 286\u001B[0m \u001B[0mmatch_values\u001B[0m\u001B[0;34m[\u001B[0m\u001B[0mi\u001B[0m\u001B[0;34m]\u001B[0m \u001B[0;34m=\u001B[0m \u001B[0mmatch\u001B[0m\u001B[0;34m\u001B[0m\u001B[0;34m\u001B[0m\u001B[0m\n", - "\u001B[0;32m~/Workspace/Envs/trainMT/lib/python3.8/site-packages/spacy/tokens/doc.pyx\u001B[0m in \u001B[0;36mspacy.tokens.doc.Doc.__getitem__\u001B[0;34m()\u001B[0m\n", - "\u001B[0;32m~/Workspace/Envs/trainMT/lib/python3.8/site-packages/spacy/util.py\u001B[0m in \u001B[0;36mnormalize_slice\u001B[0;34m(length, start, stop, step)\u001B[0m\n\u001B[1;32m 1199\u001B[0m \u001B[0;34m\u001B[0m\u001B[0m\n\u001B[1;32m 1200\u001B[0m \u001B[0;34m\u001B[0m\u001B[0m\n\u001B[0;32m-> 1201\u001B[0;31m def normalize_slice(\n\u001B[0m\u001B[1;32m 1202\u001B[0m \u001B[0mlength\u001B[0m\u001B[0;34m:\u001B[0m \u001B[0mint\u001B[0m\u001B[0;34m,\u001B[0m \u001B[0mstart\u001B[0m\u001B[0;34m:\u001B[0m \u001B[0mint\u001B[0m\u001B[0;34m,\u001B[0m \u001B[0mstop\u001B[0m\u001B[0;34m:\u001B[0m \u001B[0mint\u001B[0m\u001B[0;34m,\u001B[0m \u001B[0mstep\u001B[0m\u001B[0;34m:\u001B[0m \u001B[0mOptional\u001B[0m\u001B[0;34m[\u001B[0m\u001B[0mint\u001B[0m\u001B[0;34m]\u001B[0m \u001B[0;34m=\u001B[0m \u001B[0;32mNone\u001B[0m\u001B[0;34m\u001B[0m\u001B[0;34m\u001B[0m\u001B[0m\n\u001B[1;32m 1203\u001B[0m ) -> Tuple[int, int]:\n", - "\u001B[0;31mKeyboardInterrupt\u001B[0m: " - ] - } - ], + "execution_count": null, + "outputs": [], "source": [ "import spacy\n", "from spaczz.matcher import FuzzyMatcher\n", @@ -201,23 +186,24 @@ " doc = nlp(line)\n", " matches = matcher(doc)\n", "\n", - " line_counter = 0\n", + " not_injected = 0\n", " for match_id, start, end, ratio in matches:\n", " if ratio > 90:\n", - " line_counter += 1\n", + " not_injected += 1\n", " en.append(''.join(doc[:end].text + ' ' + train_glossary.loc[lambda df: df['source_lem'] == match_id]['result'].astype(str).values.flatten() + ' ' + doc[end:].text))\n", "\n", "\n", - " if line_counter == 0:\n", - " line_counter = 1\n", + " if not_injected == 0:\n", + " not_injected = 1\n", " en.append(line)\n", - " translation_line_counts.append(line_counter)\n", + " translation_line_counts.append(not_injected)\n", "\n" ], "metadata": { "collapsed": false, "pycharm": { - "name": "#%%\n" + "name": "#%%\n", + "is_executing": true } } }, @@ -283,7 +269,6 @@ "for word, word_id in zip(train_glossary['result_lem'], train_glossary['source_lem']):\n", " matcher_pl.add(word, [nlp_pl(word)])\n", "\n", - "# todo\n", "en = []\n", "translation_line_counts = []\n", "for line_id in range(len(file_lemmatized)):\n", @@ -291,7 +276,7 @@ " doc = nlp(file_lemmatized[line_id])\n", " matches = matcher(doc)\n", "\n", - " line_counter = 0\n", + " not_injected = 0\n", " for match_id, start, end, ratio in matches:\n", " if ratio > 90:\n", " doc_pl = nlp_pl(file_pl_lemmatized[line_id])\n", @@ -299,13 +284,13 @@ "\n", " for match_id_pl, start_pl, end_pl, ratio_pl in matches_pl:\n", " if match_id_pl == glossary[glossary['source_lem'] == match_id].values[0][3]:\n", - " line_counter += 1\n", + " not_injected += 1\n", " en.append(''.join(doc[:end].text + ' ' + train_glossary.loc[lambda df: df['source_lem'] == match_id]['result'].astype(str).values.flatten() + ' ' + doc[end:].text))\n", "\n", - " if line_counter == 0:\n", - " line_counter = 1\n", + " if not_injected == 0:\n", + " not_injected = 1\n", " en.append(file_lemmatized[line_id])\n", - " translation_line_counts.append(line_counter)\n" + " translation_line_counts.append(not_injected)\n" ], "metadata": { "collapsed": false, @@ -362,6 +347,136 @@ "name": "#%%\n" } } + }, + { + "cell_type": "markdown", + "source": [ + "# Inject glossary Polish crosscheck fast?" + ], + "metadata": { + "collapsed": false, + "pycharm": { + "name": "#%% md\n" + } + } + }, + { + "cell_type": "code", + "execution_count": 49, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "took 152.213599056 injected 63 words. rate 6.569715230451229 sen/s\n" + ] + } + ], + "source": [ + "import time\n", + "import spacy\n", + "from spaczz.matcher import FuzzyMatcher\n", + "\n", + "\n", + "# glossary\n", + "glossary = pd.read_csv('kompendium_lem.tsv', sep='\\t', header=0, index_col=0)\n", + "train_glossary = glossary.iloc[[x for x in range(len(glossary)) if x % 6 != 0]]\n", + "\n", + "# add rules to English matcher\n", + "nlp = spacy.blank(\"en\")\n", + "matcher = FuzzyMatcher(nlp.vocab)\n", + "for word in train_glossary['source_lem']:\n", + " matcher.add(word, [nlp(word)])\n", + "\n", + "# add rules to Polish matcher\n", + "nlp_pl = spacy.blank(\"pl\")\n", + "matcher_pl = FuzzyMatcher(nlp_pl.vocab)\n", + "for word, word_id in zip(train_glossary['result_lem'], train_glossary['source_lem']):\n", + " matcher_pl.add(word, [nlp_pl(word)])\n", + "\n", + "start_time = time.time_ns()\n", + "en = []\n", + "injection_counter = 0\n", + "for line_id in range(len(file_lemmatized)):\n", + "\n", + " doc = nlp(file_lemmatized[line_id])\n", + " matches = matcher(nlp(file_lemmatized[line_id]))\n", + "\n", + " not_injected = True\n", + " if len(matches) > 0:\n", + " match_id, _, end, ratio = sorted(matches, key=lambda x: len(x[0]), reverse=True)[0]\n", + " if ratio > 90:\n", + " matches_pl = matcher_pl(nlp_pl(file_pl_lemmatized[line_id]))\n", + "\n", + " for match_id_pl, _, _, _ in matches_pl:\n", + " if match_id_pl == glossary[glossary['source_lem'] == match_id].values[0][3]:\n", + " not_injected = False\n", + " injection_counter += 1\n", + " en.append(''.join(doc[:end].text + ' ' + train_glossary.loc[lambda df: df['source_lem'] == match_id]['result'].astype(str).values.flatten() + ' ' + doc[end:].text))\n", + " break\n", + "\n", + " if not_injected:\n", + " en.append(file_lemmatized[line_id])\n", + "\n", + "stop = time.time_ns()\n", + "timex = (stop - start_time) / 1000000000\n", + "print(f'took {timex} injected {injection_counter} words. rate {len(file_lemmatized)/timex} sen/s')" + ], + "metadata": { + "collapsed": false, + "pycharm": { + "name": "#%%\n" + } + } + }, + { + "cell_type": "code", + "execution_count": 9, + "outputs": [], + "source": [ + "import copy\n", + "\n", + "\n", + "tlcs = copy.deepcopy(translation_line_counts)\n", + "\n", + "translations = pd.read_csv(dev_path + '.pl', sep='\\t', header=None, names=['text'])\n", + "translations['id'] = [x for x in range(len(translations))]\n", + "\n", + "ctr = 0\n", + "sentence = ''\n", + "with open(dev_path + '.injected.crossvalidated.en', 'w') as file_en:\n", + " with open(dev_path + '.injected.crossvalidated.pl', 'w') as file_pl:\n", + " for i in range(len(en)):\n", + " if i > 0:\n", + " if en[i-1] != en[i]:\n", + " if ctr == 0:\n", + " sentence = translations.iloc[0]\n", + " translations.drop(sentence['id'], inplace=True)\n", + " sentence = sentence['text']\n", + " try:\n", + " ctr = tlcs.pop(0)\n", + " except:\n", + " pass\n", + " file_en.write(en[i])\n", + " file_pl.write(sentence + '\\n')\n", + " ctr = ctr - 1\n", + " else:\n", + " try:\n", + " ctr = tlcs.pop(0) - 1\n", + " except:\n", + " pass\n", + " sentence = translations.iloc[0]\n", + " translations.drop(sentence['id'], inplace=True)\n", + " sentence = sentence['text']\n", + " file_en.write(en[i])\n", + " file_pl.write(sentence + '\\n')\n" + ], + "metadata": { + "collapsed": false, + "pycharm": { + "name": "#%%\n" + } + } } ], "metadata": { diff --git a/kompendium_lem_cleaned.tsv b/kompendium_lem_cleaned.tsv new file mode 100644 index 0000000..a781f7c --- /dev/null +++ b/kompendium_lem_cleaned.tsv @@ -0,0 +1,1194 @@ + source source_lem result result_lem +0 aaofi aaofi organizacja rachunkowości i audytu dla islamskich instytucji finansowych organizacja rachunkowość i audyt dla islamski instytucja finansowy +1 aca aca członek stowarzyszenia dyplomowanych biegłych rewidentów członek stowarzyszenie dyplomowany biegły rewident +2 acca acca stowarzyszenie dyplomowanych biegłych rewidentów stowarzyszenie dyplomowany biegły rewident +3 abacus abacus liczydło liczydło +4 abandonment costs abandonment cost koszty zaniechania koszt zaniechanie +5 abatement abatement ulga ulga +6 abbreviated financial reports abbreviate financial report skrócone sprawozdania finansowe skrócone sprawozdanie finansowy +7 abnormal gains abnormal gain ponadnormatywne zyski ponadnormatywny zysk +8 abnormal losses abnormal loss ponadnormatywne straty ponadnormatywny strata +9 above-the-line above-the-line nad kreską nad kreską +10 absorption costing absorption cost rachunek kosztów pełnych rachunek koszt pełny +11 accelerated depreciation accelerate depreciation amortyzacja przyśpieszona amortyzacja przyśpieszony +12 acceptance and continuance decisions acceptance and continuance decision decyzje o akceptacji i kontynuacji decyzja o akceptacja i kontynuacja +13 account account konto konto +14 account analysis method account analysis method metoda analizy kont metoda analiza konto +15 account code account code numer konta numer konto +16 accountability accountability odpowiedzialność odpowiedzialność +17 accountability index accountability index wskaźnik poziomu odpowiedzialności społecznej wskaźnik poziom odpowiedzialność społeczny +18 accountancy accountancy rachunkowość rachunkowość +19 accountancy foundation accountancy foundation fundacja rachunkowości fundacja rachunkowość +20 accountant accountant księgowy księgowy +21 accountant bashing accountant bash nagonka na księgowych nagonka na księgowy +22 accountant speak accountant speak mowa księgowych mowa księgowy +23 accountant’s report accountant’s report ekspertyza księgowa ekspertyza księgowy +24 accountant’s review accountant’s review przegląd księgowy przegląd księgowy +25 accounting account rachunkowość rachunkowość +26 accounting assumptions accounting assumption założenia rachunkowości założenie rachunkowość +27 accounting beta accounting beta współczynnik beta współczynnik bet +28 accounting buzz words accounting buzz word żargon zawodowych księgowych żargon zawodowy księgowy +29 accounting concepts accounting concept koncepcje rachunkowości koncepcja rachunkowość +30 accounting cycle accounting cycle cykl obrachunkowy cykl obrachunkowy +31 accounting entity accounting entity jednostka sprawozdawcza jednostka sprawozdawcza +32 accounting equation accounting equation równanie bilansowe równanie bilansowy +33 accounting estimates accounting estimate oszacowania księgowe oszacowania księgowy +34 accounting events accounting event zdarzenia księgowe zdarzenie księgowy +35 accounting fallacies accounting fallacy błędne wyobrażenia o rachunkowości błędny wyobrażenie o rachunkowość +36 accounting fraud accounting fraud oszustwa księgowe oszustwo księgowy +37 accounting hall of fame accounting hall of fame galeria sław rachunkowości galeria sława rachunkowość +38 accounting history accounting history historia księgowości historia księgowość +39 accounting industry accounting industry branża księgowa branża księgowy +40 accounting irregularities accounting irregularity nadużycia księgowe nadużycie księgowy +41 accounting judgements accounting judgement oceny księgowe ocena księgowy +42 accounting methods accounting method metody księgowości metoda księgowość +43 accounting noise accounting noise chaos księgowy chaos księgowy +44 accounting period accounting period okres obrotowy okres obrotowy +45 accounting policies accounting policy zasady rachunkowości zasada rachunkowość +46 accounting principles/concepts accounting principle/concept podstawowe zasady podstawowy zasada +47 accounting pyramid accounting pyramid piramida rachunkowości piramida rachunkowość +48 accounting records accounting record dokumentacja księgowa dokumentacja księgowy +49 accounting regulators accounting regulator organy nadzorujące przestrzeganie standardów rachunkowości organ nadzorujące przestrzeganie standard rachunkowość +50 accounting risk accounting risk ryzyko księgowe – rachunkowe ryzyka księgowy – rachunkowy +51 accounting scams accounting scam przekręty księgowe przekręt księgowy +52 accounting scandal accounting scandal skandal księgowy skandal księgowy +53 accounting service bureau accounting service bureau biuro usług księgowych biuro usługi księgowy +54 accounting standards accounting standard standardy rachunkowości standard rachunkowość +55 accounting standards board accounting standard board rada ds. standardów rachunkowości rada ds . standard rachunkowość +56 accounting and auditing organisation for islamic financial institutions accounting and auditing organisation for islamic financial institution organizacja rachunkowości i audytu dla islamskich instytucji finansowych organizacja rachunkowość i audyt dla islamski instytucja finansowy +57 accounts account konta konto +58 accounts receivables account receivable należności z tytułu dostaw i usług należność z tytuł dostawa i usługi +59 accretion accretion przyrost przyrost +60 accrual accounting accrual accounting rachunkowość memoriałowa rachunkowość memoriałowy +61 accruals accrual bierne rozliczenia międzyokresowe kosztów na koniec okresu bierny rozliczenie międzyokresowe koszt na koniec okres +62 accrued liabilities accrue liability bierne rozliczenia międzyokresowe kosztów bierny rozliczenie międzyokresowe koszt +63 accrued pension benefit valuation method accrue pension benefit valuation method metoda wyceny narosłych świadczeń emerytalnych metoda wycena narosły świadczenie emerytalny +64 accumulated depreciation accumulate depreciation umorzenie umorzenie +65 accumulated depreciation/amortisation accumulate depreciation/amortisation skumulowana amortyzacja/umorzenie skumulowana amortyzacja/umorzenie +66 achievable stretch achievable stretch budżet realistycznie napięty budżet realistycznie napięty +67 acquisitions acquisition nabycie przedsiębiorstwa nabycie przedsiębiorstwo +68 active market active market aktywny rynek aktywny rynka +69 activity based costing activity base costing rachunek kosztów działań rachunek koszt działanie +70 actual cost actual cost koszt rzeczywisty koszt rzeczywisty +71 actuarial assumptions actuarial assumption założenia aktuarialne założenie aktuarialny +72 actuarial gains/losses actuarial gain/loss aktuarialne zyski/straty aktuarialny zysk/strata +73 ad valorem duty ad valorem duty opłata od wartości opłata od wartość +74 adjusted trial balance adjust trial balance skorygowane zestawienie obrotów i sald skorygowane zestawienie obrót i saldo +75 adjusting entries adjust entry korekty korekta +76 adjusting post balance sheet events adjust post balance sheet event korekty zdarzeń po dacie bilansowej korekta zdarzenie po data bilansowy +77 advanced billing advanced billing fakturowanie z góry fakturowanie z góra +78 adverse audit opinion adverse audit opinion negatywna opinia z badania sprawozdania finansowego negatywny opinia z badanie sprawozdanie finansowy +79 advisory services vs. consulting, conflict of interest distinctions advisory service vs. consulting , conflict of interest distinction doradztwo a konsulting, rozróżnienie w zakresie konfliktu interesów doradztwo a konsulting , rozróżnienie w zakres konflikt interes +80 affiliate affiliate jednostka afiliowana jednostka afiliowana +81 agricultural activity agricultural activity działalność rolnicza działalność rolniczy +82 allocation vs. apportionment allocation vs. apportionment alokacja a rozliczenie kosztów alokacja a rozliczenie koszt +83 allocations allocation rozliczanie rozliczanie +84 allowance for depreciation allowance for depreciation umorzenie umorzenie +85 allowance for doubtful accounts allowance for doubtful account rezerwa na należności rezerwa na należność +86 allowance vs. provision allowance vs. provision odpis a rezerwa odpis a rezerwa +87 allowed alternative treatment allow alternative treatment dozwolone podejście alternatywne dozwolone podejście alternatywny +88 alternative minimum tax alternative minimum tax alternatywny podatek minimalny alternatywny podatek minimalny +89 amalgamation amalgamation połączenie jednostek gospodarczych połączenie jednostka gospodarczy +90 amortisation amortisation amortyzacja amortyzacja +91 amortisation of discount/premium on long term debt amortisation of discount/premium on long term debt amortyzacja dyskonta/premii od zadłużenia długoterminowego amortyzacja dyskonto/premia od zadłużenie długoterminowy +92 analytical audit procedures analytical audit procedure analityczne procedury audytu analityczny procedura audyt +93 anglo-saxon accounting tradition anglo-saxon accounting tradition anglosaska tradycja księgowa anglosaski tradycja księgowy +94 annual report annual report raport roczny raport roczny +95 appraisal increments appraisal increment przyrosty z wyceny przyrost z wycena +96 appraised value appraise value wartość wyceny wartość wycena +97 appreciation appreciation wzrost wartości aktywów wzrost wartość aktywa +98 appropriation account appropriation account konto podziału wyniku finansowego konto podział wynik finansowy +99 arm’s length arm’s length warunki rynkowe warunek rynkowy +100 articling student article student aplikant na biegłego rewidenta aplikant na biegły rewident +101 aspirations aspiration aspiracje aspiracja +102 assessed value assess value wartość wyceny wartość wycena +103 asset disposal asset disposal zbycie aktywów zbyt aktywa +104 asset quality asset quality jakość aktywów jakość aktywa +105 assets asset aktywa aktywa +106 assets liquidity asset liquidity płynność aktywów płynność aktywa +107 assets to be disposed asset to be dispose aktywa do zbycia aktywa do zbycie +108 associate of chartered accountants associate of charter accountant członek stowarzyszenia dyplomowanych biegłych rewidentów członek stowarzyszenie dyplomowany biegły rewident +109 associated company associate company jednostka stowarzyszona jednostka stowarzyszony +110 association of chartered certified accountants association of charter certify accountant stowarzyszenie dyplomowanych biegłych rewidentów stowarzyszenie dyplomowany biegły rewident +111 assurance services assurance service usługi atestacyjne usługa atestacyjny +112 audit audit badanie sprawozdania finansowego badan sprawozdanie finansowy +113 audit committee audit committee komisja rewizyjna komisja rewizyjny +114 audit documentation audit documentation dokumentacja z badania sprawozdania finansowego dokumentacja z badanie sprawozdanie finansowy +115 audit evidence audit evidence dowody badania dowód badanie +116 audit failure audit failure nieskuteczność audytu nieskuteczność audyt +117 audit fees audit fee opłata za badanie sprawozdania finansowego opłata za badan sprawozdanie finansowy +118 audit opinion audit opinion opinia z badania sprawozdania finansowego opinia z badanie sprawozdanie finansowy +119 audit programmes audit programme plan badania sprawozdań finansowych plan badanie sprawozdanie finansowy +120 audit quality reviews audit quality review weryfikacja jakości badania weryfikacja jakość badanie +121 audit risk audit risk ryzyko wyrażenia niewłaściwej opinii ryzyka wyrażenie właściwy opinia +122 audit software audit software oprogramowanie rewizyjne oprogramowanie rewizyjny +123 audit trail audit trail ślad rewizyjny ślad rewizyjny +124 auditing standards auditing standard standardy badania sprawozdań finansowych standard badanie sprawozdanie finansowy +125 auditor auditor biegły rewident biegły rewident +126 auditor rotation auditor rotation zmiana biegłego rewidenta zmiana biegły rewident +127 auditor’s certificate auditor’s certificate zaświadczenie biegłego rewidenta zaświadczenie biegły rewident +128 auditor’s power auditor’s power prawa biegłych rewidentów prawo biegły rewident +129 authorised shares/capital authorise share/capital kapitał zakładowy kapitała zakładowy +130 available-for-sale assets available-for-sale asset aktywa dostępne do sprzedaży aktywa dostępny do sprzedaż +131 available-for-sale investments available-for-sale investment inwestycje dostępne do sprzedaży inwestycja dostępny do sprzedaż +132 avoidable cost avoidable cost koszt do uniknięcia koszt do uniknięcia +133 back taxes back taxis podatek wsteczny podatek wsteczny +134 backflush costing backflush cost okrojony rachunek kosztów okrojony rachunek koszt +135 bad debts expense bad debt expense rezerwa na należności rezerwa na należność +136 balance balance saldo saldo +137 balance sheet balance sheet bilans bilans +138 balance sheet formats balance sheet format formaty bilansu format bilans +139 balance the books balance the book bilansować księgi bilansować księga +140 balancing allowance balance allowance odliczenie wyrównawcze odliczenie wyrównawczy +141 balancing charge balance charge obciążenie wyrównawcze obciążenie wyrównawczy +142 bank account bank account rachunek bankowy rachunek bankowy +143 bank account reconciliation bank account reconciliation uzgodnienie rachunku bankowego uzgodnienie rachunek bankowy +144 bank debt bank debt zadłużenie bankowe zadłużenie bankowy +145 bank statement bank statement wyciąg bankowy wyciąg bankowy +146 barter barter handel wymienny handel wymienny +147 bean counter bean counter liczykrupa liczykrupa +148 below the line below the line pod kreską pod kreską +149 benchmark/preferred treatment (ias) benchmark/preferred treatment(ias ) podejście wzorcowe/preferowane (msr) podejście wzorcowy/preferowane(msr ) +150 betterment betterment nakłady na podniesienie wartości nieruchomości nakład na podniesienie wartość nieruchomość +151 big four accounting firms big four accounting firm wielka czwórka firm księgowych wielki czwórka firma księgowy +152 big four audit firms big four audit firm wielka czwórka firm księgowych wielki czwórka firma księgowy +153 bills of exchange bill of exchange weksle weksle +154 black ink black ink na plusie na plus +155 board of directors board of director rada dyrektorów rada dyrektor +156 boilerplate boilerplate gotowiec gotowiec +157 book keeping book keep prowadzenie ksiąg rachunkowych prowadzenie księga rachunkowy +158 book value book value wartość księgowa wartość księgowy +159 book to market value book to market value wskaźnik wartości księgowej do rynkowej wskaźnik wartość księgowy do rynkowy +160 bookkeeper bookkeeper kontysta kontysta +161 books of account book of account księgi rachunkowe księga rachunkowy +162 bottom line bottom line wynik końcowy wynik końcowy +163 branch accounting branch account rachunkowość oddziałów przedsiębiorstwa rachunkowość oddział przedsiębiorstwo +164 brand value brand value wartość marki wartość marka +165 bribes bribe łapówki łapówka +166 bricks and mortar brick and mortar cegły i zaprawa cegły i zaprawa +167 bright-line accounting standards bright-line accounting standard sformalizowane standardy rachunkowości sformalizowane standard rachunkowość +168 budget budget budżet budżet +169 budget behaviour issues budget behaviour issue budżet a aspekty behawioralne budżet a aspekt behawioralny +170 budget bias budget bias tendencyjność przy sporządzaniu budżetu tendencyjność przy sporządzaniu budżet +171 budget committee budget committee komisja budżetowa komisja budżetowy +172 burden burden obciążenie obciążenie +173 business language business language język biznesu język biznes +174 business review business review ocena działalności ocena działalność +175 by-products by-product produkty uboczne, rozliczanie w rachunkowości produkt uboczny , rozliczanie w rachunkowość +176 c.a. c.a . dyplomowany biegły rewident dyplomowany biegły rewident +177 caat caat techniki audytu wspomagane komputerowo technika audyt wspomagane komputerowo +178 cap cap dyplomowany księgowy dyplomowany księgowy +179 cfo cfo dyrektor finansowy dyrektor finansowy +180 cfo cfo przepływy środków pieniężnych z działalności operacyjnej przepływ środki pieniężny z działalność operacyjny +181 cgu cgu jednostka generująca środki pieniężne jednostka generująca środek pieniężny +182 cio cio dyrektor ds. informacji dyrektor ds . informacja +183 cogs cog koszty sprzedanych produktów, towarów i materiałów koszt sprzedanych produkt , towar i materiał +184 coo coo dyrektor operacyjny dyrektor operacyjny +185 cpa cpa dyplomowany biegły rewident dyplomowany biegły rewident +186 cpa cpa kwalifikacje cpa kwalifikacja cpa +187 cva cva rachunkowość w wartości bieżącej rachunkowość w wartość bieżący +188 cadbury code of best practice cadbury code of good practice kodeks cadbury’ego w zakresie najlepszych praktyk kodeks cadbury’ ego w zakres dobry praktyka +189 capital employed capital employ kapitał wykorzystywany kapitała wykorzystywany +190 capital gain capital gain zysk kapitałowy zysk kapitałowy +191 capital lease capital lease leasing kapitałowy leasing kapitałowy +192 capital maintenance accounting capital maintenance accounting rachunkowość według zachowania kapitału rachunkowość według zachowanie kapitał +193 capital maintenance concept capital maintenance concept koncepcja zachowania kapitału koncepcja zachowanie kapitał +194 capital markets capital market rynki kapitałowe rynka kapitałowy +195 capital reserve arising on consolidation capital reserve arise on consolidation kapitał rezerwowy z konsolidacji kapitała rezerwowy z konsolidacja +196 capital transactions capital transaction transakcje kapitałowe transakcja kapitałowy +197 capitalise-versus-expense decision capitalise-versus-expense decision aktywowanie (kapitalizowanie) czy zaliczanie wydatków w koszty aktywowanie(kapitalizowanie)czy zaliczanie wydatek w koszt +198 capitalised interest expense (borrower’s) capitalise interest expense(borrower’s ) skapitalizowane koszty odsetek (w bilansie kredytobiorcy) skapitalizowane koszt odsetka(w bilans kredytobiorca ) +199 capitalised interest revenue (lender’s) capitalise interest revenue(lender’s ) zarachowane przychody z tytułu odsetek (w bilansie kredytodawcy) zarachowane przychód z tytuł odsetka(w bilans kredytodawca ) +200 carousel fraud carousel fraud oszustwo karuzelowe oszustwo karuzelowy +201 carried interest carry interest udział w zyskach/pożytkach udział w zysk/pożytek +202 carrying value carry value wartość bilansowa wartość bilansowy +203 cash cash środki pieniężne środek pieniężny +204 cash accounting methods cash accounting method rachunkowość kasowa rachunkowość kasowy +205 cash budget cash budget budżet środków pieniężnych budżet środki pieniężny +206 cash discounts cash discount rabat za wcześniejszą płatność rabaty za wczesny płatność +207 cash equivalent cash equivalent ekwiwalent środków pieniężnych ekwiwalent środki pieniężny +208 cash flow (business person’s definition) cash flow(business person’s definition ) przepływy pieniężne (definicja przedsiębiorcy) przepływ pieniężny(definicja przedsiębiorca ) +209 cash flow projection cash flow projection projekcja przepływu środków pieniężnych projekcja przepływ środki pieniężny +210 cash flow statement cash flow statement rachunek przepływów pieniężnych rachunek przepływ pieniężny +211 cash flow from operations cash flow from operation przepływy środków pieniężnych z działalności operacyjnej przepływ środki pieniężny z działalność operacyjny +212 cash flow vs. accounting profit debate cash flow vs. accounting profit debate przepływy pieniężne a zysk księgowy, polemiki przepływ pieniężny a zysk księgowy , polemika +213 cash generating unit cash generating unit jednostka generująca środki pieniężne jednostka generująca środek pieniężny +214 cash register cash register kasa rejestrująca kasa rejestrująca +215 cashbook cashbook księga kasowa księga kasowy +216 certified accounting professional certify accounting professional dyplomowany księgowy dyplomowany księgowy +217 certified public accountant certify public accountant dyplomowany biegły rewident dyplomowany biegły rewident +218 chairperson of board chairperson of board przewodniczący rady nadzorczej przewodniczący rada nadzorczy +219 chairperson’s statement/letter chairperson’s statement/letter oświadczenie/list przewodniczącego rady nadzorczej oświadczenie/lista przewodniczący rada nadzorczy +220 chamber of auditors chamber of auditor izba biegłych rewidentów izba biegły rewident +221 changes in accounting estimates/policy, disclosure change in accounting estimate/policy , disclosure zmiany oszacowań księgowych/stosowanych zasad rachunkowości, ujawnianie zmiana oszacowań księgowy/stosowany zasada rachunkowość , ujawniać +222 changing prices & historical cost accounting change price & historical cost accounting zmiany cenowe a rachunkowość według kosztu historycznego zmiana cenowy a rachunkowość według koszt historyczny +223 charge-off charge-off odpis w koszty odpis w koszt +224 chart of accounts chart of account plan kont plan konto +225 chartered accountant charter accountant biegły rewident biegły rewident +226 checks and balances check and balance mechanizmy kontroli i równowagi mechanizm kontrola i równowaga +227 chief accountant sec chief accountant sec główny księgowy amerykańskiej komisji papierów wartościowych i giełd główny księgowy amerykański komisja papier wartościowy i giełda +228 chief financial officer chief financial officer dyrektor finansowy dyrektor finansowy +229 chief information officer chief information officer dyrektor ds. informacji dyrektor ds . informacja +230 chief operating officer chief operating officer dyrektor operacyjny dyrektor operacyjny +231 clean surplus accounting clean surplus accounting rozliczanie według czystej nadwyżki rozliczanie według czysty nadwyżka +232 clean up the balance sheet clean up the balance sheet oczyścić bilans oczyścić bilans +233 clear title clear title bezsporny tytuł własności bezsporny tytuł własność +234 clerk clerk kontysta kontysta +235 closing rate method closing rate method metoda kursu zamknięcia metoda kurs zamknięcie +236 closing the books close the book zamknięcie ksiąg zamknięcie księga +237 code of professional conduct code of professional conduct kodeks etyki zawodowej kodeks etyka zawodowy +238 combinations combination połączenia połączenie +239 combined code on corporate governance combine code on corporate governance skonsolidowany kodeks nadzoru właścicielskiego skonsolidowany kodeks nadzór właścicielski +240 comfort letter comfort letter list gwarancyjny lista gwarancyjny +241 commercial arithmetic commercial arithmetic arytmetyka handlowa arytmetyk handlowy +242 commissions commission prowizje prowizja +243 commitment commitment zobowiązanie zobowiązanie +244 committee of sponsoring organisations (coso) of the treadway commission committee of sponsor organisation(coso)of the treadway commission komitet organizacji sponsorujących komisję treadway’a komitet organizacja sponsorujących komisja treadway’ a +245 company company spółka kapitałowa spółka kapitałowy +246 comparability comparability porównywalność porównywalność +247 compendium compendium kompendium kompendium +248 compilation compilation zestawienie informacji finasowych zestawienie informacja finasowych +249 completed contract method complete contract method metoda zrealizowanej umowy metoda zrealizowanej umowa +250 complexity-related costs complexity-relate cost koszty zmian asortymentu koszt zmiana asortyment +251 compliance advisory panel compliance advisory panel panel doradczy ds. przestrzegania uregulowań ifac panel doradczy ds . przestrzegania uregulowanie ifac +252 compliance reporting compliance report sprawozdawczość z zakresu przestrzegania przepisów i uregulowań sprawozdawczość z zakres przestrzegania przepis i uregulowanie +253 comprehensive income comprehensive income zysk całkowity zysk całkowity +254 comptroller function comptroller function kontroler kontroler +255 computer assisted audit techniques computer assist audit technique techniki audytu wspomagane komputerowo technika audyt wspomagane komputerowo +256 computer systems security computer system security bezpieczeństwo systemów komputerowych bezpieczeństwo system komputerowy +257 conceptual/iasc framework conceptual/iasc framework ramy pojęciowe rachunkowości rama pojęciowy rachunkowość +258 condensed financial statements condense financial statement skondensowane sprawozdanie finansowe skondensowane sprawozdanie finansowy +259 conference method conference method metoda uzgodnieniowa metoda uzgodnieniowy +260 confirmation confirmation niezależne potwierdzenie zależny potwierdzenie +261 conflict of interest conflict of interest konflikt interesów konflikt interes +262 conservatism conservatism zasada ostrożnej wyceny zasada ostrożny wycena +263 consideration consideration zapłata zapłata +264 consignment consignment towary konsygnowane towar konsygnowane +265 consistency consistency ciągłość ciągłość +266 consolidating accounts consolidate account konsolidacyjne sprawozdania finansowe konsolidacyjny sprawozdanie finansowy +267 consolidation consolidation konsolidacja konsolidacja +268 constructed financial statements construct financial statement sprawozdanie finansowe sporządzone metodą dedukcji sprawozdanie finansowy sporządzone metoda dedukcja +269 construction-in-progress construction-in-progress środki trwałe w budowie środek trwały w budowa +270 constructive obligation constructive obligation obowiązek zwyczajowy obowiązek zwyczajowy +271 contingency fees contingency fee honoraria warunkowe honorarium warunkowy +272 contingency fees/contingent income contingency fee/contingent income honoraria/dochody warunkowe honorarium/dochód warunkowy +273 contingent assets contingent asset aktywa warunkowe aktywa warunkowy +274 contingent consideration contingent consideration zapłata warunkowa zapłata warunkowy +275 contingent gain contingent gain zysk warunkowy zysk warunkowy +276 contingent liability contingent liability zobowiązanie warunkowe zobowiązanie warunkowy +277 continuing operations continue operation działalność kontynuowana działalność kontynuowana +278 continuing professional education continue professional education profesjonalne kształcenie ustawiczne profesjonalny kształcenie ustawiczny +279 continuous budget continuous budget budżet kroczący budżet kroczący +280 continuous public disclosure continuous public disclosure ujawnienia w trybie ciągłym ujawnienie w tryba ciągły +281 contra accounts contra account konta przeciwstawne konto przeciwstawny +282 contract contract kontrakt kontrakt +283 contract contract umowa umowa +284 contract accounting contract account metody rozliczania umów długoterminowych metoda rozliczania umowa długoterminowy +285 contributed surplus contribute surplus nadwyżka ze sprzedaży akcji powyżej ich wartości nominalnej nadwyżka z sprzedaż akcja powyżej on wartość nominalny +286 contribution income statement contribution income statement rachunek wyników według marży na pokrycie kosztów stałych rachunek wynik według marża na pokrycie koszt stały +287 contribution margin contribution margin marża na pokrycie kosztów stałych marża na pokrycie koszt stały +288 contributory negligence contributory negligence zaniedbanie wspólne zaniedbanie wspólny +289 control control kontrola kontrola +290 control account control account konto kontrolne konto kontrolny +291 control fatigue control fatigue zmęczenie kontrolą zmęczenie kontrola +292 controllable cost controllable cost koszty podlegające kontroli koszt podlegające kontrola +293 controller function controller function kontroler kontroler +294 controlling interest control interest pakiet kontrolny pakiet kontrolny +295 convergence of global accounting standards convergence of global accounting standard ujednolicanie globalnych standardów rachunkowości ujednolicanie globalny standard rachunkowość +296 cook the books cook the book fałszować księgi fałszować księga +297 cookie jar accounting cookie jar account rachunkowość oparta na chomikowaniu rezerw rachunkowość oparta na chomikowaniu rezerwa +298 corporate filings corporate filing obowiązkowe raporty spółek publicznych obowiązkowy raport spółka publiczny +299 corporate income taxes corporate income taxis podatki dochodowe od osób prawnych podatek dochodowy od osoba prawny +300 corporate reporting corporate reporting sprawozdawczość finansowa spółek publicznych sprawozdawczość finansowy spółka publiczny +301 corporate reporting reform corporate reporting reform reforma sprawozdawczości przedsiębiorstw reforma sprawozdawczość przedsiębiorstwo +302 correcting entries correct entry storna storna +303 cost cost koszt koszt +304 cost accounting cost accounting rachunek kosztów rachunek koszt +305 cost allocation/attribution cost allocation/attribution alokacja kosztów alokacja koszt +306 cost apportionment cost apportionment rozliczanie kosztów rozliczanie koszt +307 cost assignment cost assignment przypisywanie kosztów przypisywanie koszt +308 cost behaviour cost behaviour kształtowanie się kosztów kształtowanie się koszt +309 cost centre cost centre ośrodek kosztów ośrodek koszt +310 cost containment cost containment ograniczenie kosztów ograniczenie koszt +311 cost control cost control kontrola kosztów kontrola koszt +312 cost incurrence cost incurrence poniesienie kosztu ponieść koszt +313 cost management cost management zarządzanie kosztami zarządzanie koszt +314 cost mark-up cost mark-up narzut narzuta +315 cost method cost method metoda kosztowa metoda kosztowy +316 cost objects cost object obiekt kosztów obiekt koszt +317 cost recovery method cost recovery method metoda odzyskania kosztów metoda odzyskanie koszt +318 cost smoothing cost smoothing uśrednianie kosztów uśrednianie koszt +319 cost structure cost structure struktura kosztów struktura koszt +320 cost transparency cost transparency przejrzystość kosztów przejrzystość koszt +321 cost of goods sold cost of good sell koszty sprzedanych produktów, towarów i materiałów koszt sprzedanych produkt , towar i materiał +322 cost of sales cost of sale koszty sprzedanych produktów, towarów i materiałów koszt sprzedanych produkt , towar i materiał +323 cost-plus pricing cost-plus pricing ustalanie ceny metodą rozsądnej marży ustalanie cena metoda rozsądny marża +324 costs cost koszty koszt +325 court of auditors court of auditor trybunał obrachunkowy trybunał obrachunkowy +326 creative accounting creative accounting rachunkowość kreatywna rachunkowość kreatywny +327 credit note credit note nota uznaniowa nota uznaniowy +328 creditor creditor kredytodawca kredytodawca +329 creditor creditor wierzyciel wierzyciel +330 critical accounting estimates and judgements critical accounting estimate and judgement kluczowe oszacowania i oceny księgowe kluczowy oszacowania i ocena księgowy +331 crystallize crystallize realizować się realizować się +332 culture of concealment culture of concealment kultura maskowania kultura maskowania +333 cumulative catch-up method cumulative catch-up method metoda aktualizacji skumulowanej metoda aktualizacja skumulowanej +334 current account current account rachunek bieżący rachunek bieżący +335 current assets current asset aktywa obrotowe aktywa obrotowy +336 current cost accounting current cost accounting rachunkowość według kosztów bieżących rachunkowość według koszt bieżący +337 current liability current liability zobowiązanie krótkoterminowe zobowiązanie krótkoterminowy +338 current portion long term debt current portion long term debt zadłużenie długoterminowe w okresie spłaty zadłużenie długoterminowy w okres spłata +339 current purchasing power accounting current purchasing power accounting rachunkowość według bieżącej siły nabywczej pieniądza rachunkowość według bieżący siła nabywczy pieniądza +340 current value accounting current value account rachunkowość w wartości bieżącej rachunkowość w wartość bieżący +341 customer profitability analysis customer profitability analysis analiza rentowności według klientów analiza rentowność według klient +342 cut-off cut-off rozdzielenie pozycji należących do różnych okresów rozdzielenie pozycja należący do różny okres +343 c’s of accounting c’s of account cechy rachunkowości cecha rachunkowość +344 dangling debit dangle debit wiszące saldo debetowe wiszący saldo debetowy +345 dates and gates date and gate daty i bramki data i bramka +346 de-recognition of financial assets de-recognition of financial asset eliminacja aktywów finansowych z bilansu, zaprzestanie ujmowania aktywów finansowych eliminacja aktywa finansowy z bilans , zaprzestanie ujmowania aktywa finansowy +347 dead stock dead stock zapasy niewykorzystane zapas niewykorzystane +348 deadlocked joint venture deadlocke joint venture wspólne przedsięwzięcie o równych udziałach wspólny przedsięwzięcie o równy udział +349 debit debit debet debet +350 debit note debit note nota debetowa nota debetowy +351 debtor debtor dłużnik dłużnik +352 decentralization/delegation decentralization/delegation decentralizacja/przekazanie uprawnień decentralizacja/przekazanie uprawnienie +353 declared income declare income dochód zadeklarowany dochód zadeklarowany +354 declining balance method decline balance method metoda degresywna metoda degresywny +355 decomissioning costs decomissione cost koszty likwidacji koszt likwidacja +356 deemed transactions deem transaction transakcje domniemane transakcja domniemany +357 defalcation defalcation sprzeniewierzenie sprzeniewierzenie +358 deferral method deferral method metoda odraczania metoda odraczania +359 deferred asset deferred asset aktywa odroczone aktywa odroczone +360 deferred charges deferred charge aktywa odroczone aktywa odroczone +361 deferred credit deferred credit aktywa odroczone aktywa odroczone +362 deferred debit deferred debit aktywa odroczone aktywa odroczone +363 deferred expense deferred expense aktywa odroczone aktywa odroczone +364 deferred income deferred income obciążenie wyniku finansowego z tytułu odroczonego podatku dochodowego obciążenie wynik finansowy z tytuł odroczonego podatek dochodowy +365 deferred income deferred income przychody przyszłych okresów przychód przyszły okres +366 deferred liability deferred liability zobowiązanie odroczone zobowiązanie odroczone +367 deferred revenue deferred revenue przychody przyszłych okresów przychód przyszły okres +368 deferred tax assets deferred tax asset aktywa z tytułu odroczonego podatku dochodowego aktywa z tytuł odroczonego podatek dochodowy +369 defined benefit plan define benefit plan program określonych świadczeń program określony świadczenie +370 defined contribution plan define contribution plan program określonych składek program określony składka +371 democratized information democratize information demokratyzacja informacji demokratyzacja informacja +372 depletion accounting depletion accounting wyczerpywanie się zasobów naturalnych wyczerpywać się zasób naturalny +373 depreciation depreciation amortyzacja amortyzacja +374 depreciation expense depreciation expense amortyzacja środków trwałych amortyzacja środki trwały +375 deprival value deprival value koszt utraty koszt utrata +376 deprival value deprival value wartość utraty wartość utrata +377 derivatives derivative instrumenty pochodne instrument pochodny +378 differential cash flow differential cash flow krańcowy przepływ środków pieniężnych krańcowy przepływ środki pieniężny +379 dilution dilution rozcieńczenie rozcieńczenie +380 direct costing direct costing rachunek kosztów bezpośrednich rachunek koszt bezpośredni +381 direct costs direct cost koszty bezpośrednie koszt bezpośredni +382 direct method direct method metoda bezpośrednia metoda bezpośredni +383 direct taxation direct taxation opodatkowanie bezpośrednie opodatkowanie bezpośredni +384 direct write-off direct write-off odpis bezpośredni odpis bezpośredni +385 directors’ report director’ report sprawozdanie zarządu sprawozdanie zarząd +386 disbursement disbursement rozchód środków pieniężnych rozchód środki pieniężny +387 disclaimer of audit opinion disclaimer of audit opinion zrzeczenie się wyrażenia opinii z badania sprawozdania finansowego zrzec się wyrażenie opinia z badanie sprawozdanie finansowy +388 disclosure disclosure ujawnianie informacji finansowych ujawnianie informacja finansowy +389 discontinued operations discontinue operation działalność zaniechana działalność zaniechana +390 discontinuing operations discontinue operation działalność zaniechiwana działalność zaniechiwana +391 discount discount rabat rabaty +392 discretionary costs discretionary cost koszty uznaniowe koszt uznaniowy +393 discretionary reserve discretionary reserve rezerwa uznaniowa rezerwa uznaniowy +394 dividend dividend dywidenda dywidenda +395 domicile domicile domicyl domicyl +396 double entry double entry podwójny zapis podwójny zapis +397 double taxation double taxation podwójne opodatkowanie podwójny opodatkowanie +398 draw up the accounts draw up the account sporządzić sprawozdanie finansowe sporządzić sprawozdanie finansowy +399 drawings drawing wypłaty właściciela wypłata właściciel +400 dress up the financial statements dress up the financial statement upiększanie sprawozdań finansowych upiększanie sprawozdanie finansowy +401 drill down drill down wyszukiwanie danych wyszukiwanie dane +402 dual aspect convention dual aspect convention zasada podwójnego aspektu zasada podwójny aspekt +403 dual audit dual audit podwójne badanie sprawozdania finansowego podwójny badan sprawozdanie finansowy +404 e&o insurance e&o insurance ubezpieczenie od błędów i przeoczeń ubezpieczenie od błąd i przeoczenie +405 ebit ebit zysk przed odsetkami i opodatkowaniem zysk przed odsetka i opodatkowanie +406 ebitda ebitda zysk przed odsetkami, opodatkowaniem i amortyzacją zysk przed odsetka , opodatkowanie i amortyzacja +407 efrag efrag europejska grupa doradcza ds. sprawozdawczości finansowej europejski grupa doradcza ds . sprawozdawczość finansowy +408 eis eis system informowania zarządu systema informowania zarząd +409 eitf eitf zespół ds. bieżących kwestii księgowych zespół ds . bieżący kwestia księgowy +410 ema ema rachunkowość zarządcza ochrony środowiska rachunkowość zarządcza ochrona środowisko +411 epos epos elektroniczny punkt sprzedaży elektroniczny punkt sprzedaż +413 erp erp planowanie zasobów przedsiębiorstwa planowanie zasób przedsiębiorstwo +414 esop esop programy akcji pracowniczych program akcja pracowniczy +415 early payment discount early payment discount rabat za wcześniejszą płatność rabaty za wczesny płatność +416 early retirement of long term debt early retirement of long term debt wcześniejsza spłata zadłużenia długoterminowego wczesny spłata zadłużenie długoterminowy +417 earn out earn out zapłata jako procent zysku zapłata jako procent zysk +418 earned reserve capital earn reserve capital kapitał rezerwowy z niezrealizowanych zysków kapitała rezerwowy z niezrealizowanych zysk +419 earnings earning zysk zysk +420 earnings before interest & taxes earning before interest & taxis zysk przed odsetkami i opodatkowaniem zysk przed odsetka i opodatkowanie +421 earnings before interest, taxes, depreciation & amortisation earning before interest , taxis , depreciation & amortisation zysk przed odsetkami, opodatkowaniem i amortyzacją zysk przed odsetka , opodatkowanie i amortyzacja +422 earnings concepts earning concept koncepcje zysku koncepcja zysk +423 earnings estimates earning estimate szacowane zyski szacowane zysk +424 earnings game earning game gra w zyski grać w zysk +425 earnings management earning management zarządzanie zyskiem zarządzanie zysk +426 earnings per share earning per share zysk na jedną akcję zysk na jeden akcja +427 earnings quality earning quality jakość zysku jakość zysk +428 earnings releases earning release publikacja zysków publikacja zysk +429 earnings season earning season sezon zysków sezon zysk +430 economic goodwill economic goodwill ekonomiczna wartość firmy ekonomiczny wartość firma +431 economic profit economic profit zysk ekonomiczny zysk ekonomiczny +432 economic value economic value wartość ekonomiczna wartość ekonomiczny +433 economics economic ekonomia ekonomia +434 economics of accounting practices economic of accounting practice ekonomika firm księgowych ekonomik firma księgowy +435 effective tax rate effective tax rate efektywna stopa podatkowa efektywny stopa podatkowy +436 effective units effective unit efektywne jednostki produkcji efektywny jednostka produkcja +437 electronic point of sale electronic point of sale elektroniczny punkt sprzedaży elektroniczny punkt sprzedaż +438 elements of financial statements element of financial statement składniki sprawozdania finansowego składnik sprawozdanie finansowy +439 elimination entries elimination entry korekty eliminacyjne korekta eliminacyjny +440 embedded value accounting embed value accounting rachunkowość wartości wbudowanej rachunkowość wartość wbudowanej +441 embezzlement embezzlement sprzeniewierzenie sprzeniewierzenie +442 emerging issues task force emerge issue task force zespół ds. bieżących kwestii księgowych zespół ds . bieżący kwestia księgowy +443 emerging market accounting emerge market accounting rachunkowość rynków wschodzących rachunkowość rynek wschodzący +444 emoluments emolument wynagrodzenia wynagrodzenie +445 emphasis of the matter paragraph emphasis of the matter paragraph opinia biegłego rewidenta z badania sprawozdania finansowego z klauzulą zawierającą objaśnienie opinia biegły rewident z badanie sprawozdanie finansowy z klauzula zawierającą objaśnienie +446 employee benefits employee benefit świadczenia pracownicze świadczenie pracowniczy +447 employee compensation costs employee compensation cost koszty wynagrodzeń i świadczeń pracowniczych koszt wynagrodzenie i świadczenie pracowniczy +448 employee expense claims employee expense claim roszczenia o zwrot kosztów służbowych roszczenie o zwrot koszt służbowy +449 employee share ownership plans employee share ownership plan programy akcji pracowniczych program akcja pracowniczy +450 employee stock option plan employee stock option plan programy akcji pracowniczych program akcja pracowniczy +451 enhanced business reporting enhance business reporting rozszerzona sprawozdawczość przedsiębiorstw rozszerzona sprawozdawczość przedsiębiorstwo +452 enrichment enrichment zysk nadzwyczajny zysk nadzwyczajny +453 enron, impact on financial reporting enron , impact on financial reporting enron, wpływ na sprawozdawczość finansową enron , wpływ na sprawozdawczość finansowy +454 enterprise resource planning enterprise resource planning planowanie zasobów przedsiębiorstwa planowanie zasób przedsiębiorstwo +455 entity entity jednostka jednostka +456 environmental audit environmental audit audyt w zakresie ochrony środowiska audyt w zakres ochrona środowisko +457 environmental management accounting environmental management accounting rachunkowość zarządcza ochrony środowiska rachunkowość zarządcza ochrona środowisko +458 environmental reporting environmental reporting sprawozdawczość w zakresie ochrony środowiska sprawozdawczość w zakres ochrona środowisko +459 equalisation reserve equalisation reserve rezerwa wyrównawcza rezerwa wyrównawczy +460 equity equity kapitał własny kapitała własny +461 equity method equity method metoda praw własności metoda prawo własność +462 equivalent units equivalent unit ekwiwalentne jednostki produkcji ekwiwalentny jednostka produkcja +463 error adjustments error adjustment korekty błędów księgowych korekta błąd księgowy +464 errors and omissions insurance error and omission insurance ubezpieczenie od błędów i przeoczeń ubezpieczenie od błąd i przeoczenie +465 estate tax estate tax podatek spadkowy podatek spadkowy +466 ethical accounting ethical accounting rachunkowość etyczna rachunkowość etyczny +467 ethical codes in public accounting ethical code in public accounting kodeksy etyczne w zawodzie biegłego rewidenta kodeks etyczny w zawód biegły rewident +468 ethics in financial reporting ethic in financial reporting etyka w sprawozdawczości finansowej etyk w sprawozdawczość finansowy +469 european financial reporting advisory group european financial reporting advisory group europejska grupa doradcza ds. sprawozdawczości finansowej europejski grupa doradcza ds . sprawozdawczość finansowy +470 european union accounting directives european union accounting directive dyrektywy unii europejskiej w zakresie rachunkowości dyrektywa unia europejski w zakres rachunkowość +471 european union directive viii european union directive viii viii dyrektywa unii europejskiej viii dyrektywa unia europejski +472 everything adds up everything add up wszystko się zgadza wszystko się zgadzać +473 exceptional income exceptional income zyski wyjątkowe zysk wyjątkowy +474 exceptions to gaap exception to gaap wyjątki od ogólnie przyjętych zasad rachunkowości wyjątek od ogólnie przyjęty zasada rachunkowość +475 executive compensation executive compensation wynagrodzenia zarządu wynagrodzenie zarząd +476 executive information systems executive information system system informowania zarządu systema informowania zarząd +477 exit value exit value wartość końcowa wartość końcowy +478 expenditure expenditure wydatki wydatek +479 expense expense koszt koszt +480 expense classification expense classification klasyfikacja kosztów klasyfikacja koszt +481 expense layouts expense layout układ kosztów układ koszt +482 experience curve effect experience curve effect efekt krzywej doświadczenia efekt krzywa doświadczenie +483 exposure draft exposure draft projekt standardu rachunkowości projekt standard rachunkowość +484 expropriated assets expropriate asset aktywa wywłaszczone aktywa wywłaszczone +485 extended trial balance extend trial balance rozszerzone zestawienie obrotów i sald rozszerzone zestawienie obrót i saldo +486 extendible business reporting language extendible business reporting language rozszerzalny język sprawozdawczości finansowej rozszerzalny język sprawozdawczość finansowy +487 external users external user użytkownicy zewnętrzni użytkownik zewnętrzny +488 extraordinary earnings/income/losses extraordinary earning/income/loss zyski/straty nadzwyczajne zysk/strata nadzwyczajny +489 fasb fasb amerykańska rada standardów rachunkowości finansowej amerykański rada standard rachunkowość finansowy +490 fca fca starszy członek instytutu dyplomowanych biegłych rewidentów stary członek instytut dyplomowany biegły rewident +491 frc frc rada sprawozdawczości finansowej rada sprawozdawczość finansowy +492 face value face value wartość nominalna wartość nominalny +493 fact books fact book informacje o działalności informacja o działalność +494 factor cost factor cost koszt czynnika produkcji koszt czynnik produkcja +495 factory overhead factory overhead koszty pośrednie produkcji koszt pośredni produkcja +496 fair presentation fair presentation rzetelna prezentacja rzetelny prezentacja +497 fair value fair value wartość godziwa wartość godziwy +498 fair value accounting fair value accounting rachunkowość oparta na wartości godziwej rachunkowość oparta na wartość godziwy +499 fair value carrying amount fair value carry amount wartość bilansowa oparta na wartości godziwej wartość bilansowy oparta na wartość godziwy +500 fee income fee income przychody z opłat przychód z opłata +501 fellow, chartered accountant fellow , charter accountant starszy członek instytutu dyplomowanych biegłych rewidentów stary członek instytut dyplomowany biegły rewident +502 fictitious sales fictitious sale sprzedaż fikcyjna sprzedaż fikcyjny +503 figures figure liczby liczba +504 filing of financial statements filing of financial statement złożenie sprawozdań finansowych złożenie sprawozdanie finansowy +505 final four final four pozostała czwórka pozostały czwórka +506 finance & accounting efficiency finance & accounting efficiency efektywność finansów i rachunkowości efektywność finanse i rachunkowość +507 finance costs finance cost koszty finansowe koszt finansowy +508 finance director finance director dyrektor finansowy dyrektor finansowy +509 financial accounting financial accounting rachunkowość finansowa rachunkowość finansowy +510 financial accounting standards board financial accounting standard board amerykańska rada standardów rachunkowości finansowej amerykański rada standard rachunkowość finansowy +511 financial accounting standards foundation financial accounting standard foundation fundacja standardów rachunkowości finansowej fundacja standard rachunkowość finansowy +512 financial accounting theory financial accounting theory teoria rachunkowości finansowej teoria rachunkowość finansowy +513 financial analytics software financial analytic software oprogramowanie do analizy finansowej oprogramowanie do analiza finansowy +514 financial assets financial asset aktywa finansowe aktywa finansowy +515 financial expert rule – sarbanes-oxley act financial expert rule – sarbane-oxley act zasada eksperta finansowego – ustawa sarbanes-oxley zasada ekspert finansowy – ustawa sarbanes-oxley +516 financial instrument financial instrument instrumenty finansowe instrument finansowy +517 financial management accounting software financial management accounting software oprogramowanie do prowadzenia rachunkowości finansowo-zarządczej oprogramowanie do prowadzenie rachunkowość finansowy-zarządczy +518 financial reality financial reality rzeczywistość finansowa rzeczywistość finansowy +519 financial reporting financial reporting sprawozdawczość finansowa sprawozdawczość finansowy +520 financial reporting council financial reporting council rada sprawozdawczości finansowej rada sprawozdawczość finansowy +521 financial results financial result wyniki finansowe wynik finansowy +522 financial services authority financial service authority urząd nadzoru usług finansowych urząd nadzór usługi finansowy +523 financial statement assertions financial statement assertion oświadczenia zawarte w sprawozdaniu finansowym oświadczenie zawarte w sprawozdanie finansowy +524 financial statement insurance financial statement insurance ubezpieczenie sprawozdania finansowego ubezpieczenie sprawozdanie finansowy +525 financial statement presentation financial statement presentation prezentacja sprawozdania finansowego prezentacja sprawozdanie finansowy +526 financial statements financial statement sprawozdanie finansowe sprawozdanie finansowy +527 finished goods inventory finish good inventory wyroby gotowe wyrób gotów +528 fiscal year fiscal year rok finansowy rok finansowy +529 fixed assets fix asset aktywa trwałe aktywa trwały +530 fixed cost expenditure variance fix cost expenditure variance odchylenie wydatków na pokrycie kosztów stałych odchylenie wydatek na pokrycie koszt stały +531 fixed cost variances fix cost variance odchylenia kosztów stałych odchylenie koszt stały +532 fixed costs fix cost koszty stałe koszt stały +533 fixed overhead manufacturing variance fix overhead manufacturing variance odchylenie wydziałowych kosztów stałych odchylenie wydziałowy koszt stały +534 flat tax flat tax podatek liniowy podatek liniowy +535 flexible budgeting flexible budgeting budżetowanie elastyczne budżetowanie elastyczny +536 flow through method flow through method ulga podatkowa od składnika aktywów ulga podatkowy od składnik aktywa +537 footings footing sumy suma +538 footnotes footnote informacja uzupełniająca informacja uzupełniający +539 foreign currency financial reporting foreign currency financial reporting sprawozdawczość finansowa w walucie obcej sprawozdawczość finansowy w waluta obcy +540 foreign currency transactions foreign currency transaction transakcje walutowe transakcja walutowy +541 foreign currency translation foreign currency translation przeliczenie transakcji i pozycji walutowych przeliczenie transakcja i pozycja walutowy +542 foreign exchange market foreign exchange market rynek walutowy rynka walutowy +543 foreign operations foreign operation przedsięwzięcia zagraniczne przedsięwzięcie zagraniczny +544 forensic accounting forensic account rachunkowość sądowa rachunkowość sądowy +545 form 10k form 10k formularz 10k formularz 10k +546 forward looking information forward look information informacje prognostyczne informacja prognostyczny +547 forward looking statements forward look statement sprawozdawczość prognostyczna sprawozdawczość prognostyczny +548 franchise accounting franchise account rachunkowość franchisingu rachunkowość franchising +549 fraud detection software fraud detection software oprogramowanie do wykrywania nadużyć gospodarczych oprogramowanie do wykrywania nadużycie gospodarczy +550 fraud detection by auditors fraud detection by auditor wykrywanie nadużyć gospodarczych przez rewidentów wykrywanie nadużyć gospodarczy przez rewident +551 frozen assets frozen asset aktywa zamrożone aktywa zamrożone +552 fudge the numbers fudge the number fałszować wynik fałszować wynik +553 full cost accounting full cost accounting aktywowanie pełnych kosztów poszukiwań zasobów aktywowanie pełny koszt poszukiwanie zasób +554 fully paid capital fully pay capital kapitał wniesiony kapitała wniesiony +555 functional currency functional currency waluta funkcjonalna waluta funkcjonalny +556 fund accounting fund account rachunkowość funduszy rachunkowość fundusz +557 fundamental errors fundamental error podstawowe błędy podstawowy błąd +558 funded debt fund debt dług skonsolidowany dług skonsolidowany +559 funded pension fund pension emerytura skapitalizowana emerytura skapitalizowana +560 funds flow fund flow przepływ funduszy przepływ fundusz +561 funds flow statement fund flow statement zestawienie przepływów funduszy zestawienie przepływ fundusz +562 fungibles fungible aktywa wymienne aktywa wymienny +563 gaa gaa światowe stowarzyszenie organizacji księgowych światowy stowarzyszenie organizacja księgowy +564 gaap gaap ogólnie przyjęte zasady rachunkowości ogólnie przyjęty zasada rachunkowość +565 gaas gaas ogólnie przyjęte standardy badania sprawozdań finansowych ogólnie przyjęty standard badanie sprawozdanie finansowy +566 gao gao główny urząd obrachunkowy główny urząd obrachunkowy +567 gri gri globalna inicjatywa sprawozdawcza globalny inicjatywa sprawozdawczy +568 gain on sale of fixed assets gain on sale of fix asset zysk ze sprzedaży środków trwałych zysk z sprzedaż środki trwały +569 gain-sharing gain-sharing podział zysków podział zysk +570 general accounting office general accounting office główny urząd obrachunkowy główny urząd obrachunkowy +571 general disclosures general disclosure informacje ogólne informacja ogólny +572 general ledger general ledger księga główna księga główny +573 general provision general provision rezerwa ogólna rezerwa ogólny +574 general risk reserve general risk reserve kapitał rezerwowy na ogólne ryzyko bankowe kapitała rezerwowy na ogólny ryzyka bankowy +575 generally accepted accounting principles generally accept accounting principle ogólnie przyjęte zasady rachunkowości ogólnie przyjęty zasada rachunkowość +576 generally accepted auditing standards generally accept auditing standard ogólnie przyjęte standardy badania sprawozdań finansowych ogólnie przyjęty standard badanie sprawozdanie finansowy +577 generational accounting generational accounting rachunkowość generacyjna rachunkowość generacyjny +578 global accounting alliance global accounting alliance światowe stowarzyszenie organizacji księgowych światowy stowarzyszenie organizacja księgowy +579 global reporting initiative global reporting initiative globalna inicjatywa sprawozdawcza globalny inicjatywa sprawozdawczy +580 going concern go concern kontynuacja działalności kontynuacja działalność +581 going concern assumption go concern assumption założenie kontynuacji działalności założenie kontynuacja działalność +582 going concern qualification go concern qualification zastrzeżenie z uwagi na zagrożenie dla kontynuacji działalności zastrzeżenie z uwaga na zagrożenie dla kontynuacja działalność +583 going concern valuation go concern valuation wycena przy założeniu kontynuacji działalności wycena przy założenie kontynuacja działalność +584 goodwill goodwill wartość firmy wartość firma +585 goodwill impairment test goodwill impairment test test na utratę wartości firmy test na utrata wartość firma +586 government grants government grant dotacje państwowe dotacja państwowy +587 green audit green audit zielony audyt zielony audyt +588 gross income gross income zysk brutto ze sprzedaży zysk brutto z sprzedaż +589 gross income percentage gross income percentage marża procentowa marża procentowy +590 gross profit margin gross profit margin marża zysku brutto marża zysk brutto +591 gross profits gross profit zysk brutto ze sprzedaży zysk brutto z sprzedaż +592 gross-up gross-up ubruttowienie ubruttowienie +593 group group grupa kapitałowa grupa kapitałowy +594 guarantee guarantee udzielić gwarancji udzielić gwarancja +595 guidance guidance ujawnianie wybranych informacji analitykom giełdowym ujawnianie wybrany informacja analityka giełdowy +596 hca hca rachunkowość oparta na koszcie historycznym rachunkowość oparta na koszt historyczny +597 harmonisation of accounting standards harmonisation of accounting standard harmonizacja standardów rachunkowości harmonizacja standard rachunkowość +598 harvesting harvesting żniwa żniwa +599 headline profits headline profit zysk medialny zysk medialny +600 hedge hedge transakcje zabezpieczające transakcja zabezpieczający +601 hedge book hedge book rejestr zabezpieczeń przed ryzykiem rejestr zabezpieczenie przed ryzyko +602 held-to-maturity investments hold-to-maturity investment inwestycje utrzymywane do terminu zapadalności inwestycja utrzymywane do termin zapadalność +603 hidden reserves hide reserve ukryte rezerwy ukryte rezerwa +604 high level controls high level control ogólne mechanizmy kontroli ogólny mechanizm kontrola +605 high-low method of cost estimation high-low method of cost estimation metoda szacowania kosztów według najwyższego i najniższego poziomu działalności metoda szacowania koszt według wysoki i niski poziom działalność +606 historical cost historical cost koszt historyczny koszt historyczny +607 historical cost accounting historical cost accounting rachunkowość oparta na koszcie historycznym rachunkowość oparta na koszt historyczny +608 historical cost carrying amount historical cost carrying amount wartość bilansowa oparta na koszcie historycznym wartość bilansowy oparta na koszt historyczny +609 holding company hold company spółka holdingowa spółka holdingowy +610 hollerite hollerite hollerite hollerite +611 hope value hope value wartość optymistyczna wartość optymistyczny +612 horizontal equity horizontal equity sprawiedliwość pozioma sprawiedliwość pozioma +613 horses on the payroll horse on the payroll zatrudniać martwe dusze zatrudniać martwy dusza +614 human capital human capital kapitał ludzki kapitała ludzki +615 hyperinflation hyperinflation hiperinflacja hiperinflacja +616 iaasb iaasb rada międzynarodowych standardów rewizji finansowej i usług atestacyjnych rada międzynarodowy standard rewizja finansowy i usługi atestacyjny +618 iasb iasb rmsr rmsr +619 iasb framework iasb framework rada międzynarodowych standardów rachunkowości (rmsr) – założenia koncepcyjne rada międzynarodowy standard rachunkowość(rmsr)– założenie koncepcyjny +620 iasc iasc kmsr kmsr +621 iesba iesba rada międzynarodowych standardów etycznych dla księgowych rada międzynarodowy standard etyczny dla księgowy +622 ifac ifac międzynarodowa federacja księgowych międzynarodowy federacja księgowy +623 ifric ifric komitet ds. interpretacji międzynarodowej sprawozdawczości finansowej komitet ds . interpretacja międzynarodowy sprawozdawczość finansowy +624 ifrs ifrs mssf mssf +625 iosco iosco międzynarodowa organizacja komisji papierów wartościowych międzynarodowy organizacja komisja papier wartościowy +626 ipr&d ipr&d prace badawcze i rozwojowe w toku praca badawczy i rozwojowy w tok +627 irs irs amerykański urząd skarbowy amerykański urząd skarbowy +628 isa isa międzynarodowe standardy rewizji finansowej międzynarodowy standard rewizja finansowy +629 isb isb rada ds. standardów niezależności rada ds . standard niezależność +630 ivs ivs międzynarodowe standardy wyceny międzynarodowy standard wycena +631 idle time cost idle time cost koszt czasu przestoju koszt czas przestój +632 impairment impairment utrata wartości aktywów utrata wartość aktywa +633 imprest system imprest system system zaliczkowy systema zaliczkowy +634 imputed interest impute interest odsetki przypisane odsetka przypisane +635 in-kind payment in-kind payment płatność w naturze płatność w natura +636 in-process research and development in-process research and development prace badawcze i rozwojowe w toku praca badawczy i rozwojowy w tok +637 in-sourcing of accounting services in-sourcing of accounting service insourcing usług księgowych insourcing usługi księgowy +638 income income zysk zysk +639 income smoothing income smoothing wygładzanie zysków wygładzanie zysk +640 income statement income statement rachunek zysków i strat rachunek zysk i strata +641 income tax basis income tax basis podstawa podatku dochodowego podstawa podatek dochodowy +642 income tax exempt income tax exempt dochód zwolniony z opodatkowania dochód zwolniony z opodatkowanie +643 income tax liability income tax liability zobowiązanie z tytułu podatku dochodowego zobowiązanie z tytuł podatek dochodowy +644 income taxes income taxis podatki dochodowe podatek dochodowy +645 incomplete records incomplete record niepełna dokumentacja księgowa pełny dokumentacja księgowy +646 incremental budgeting incremental budgeting budżet przyrostowy budżet przyrostowy +647 incremental cash flow incremental cash flow krańcowy przepływ środków pieniężnych krańcowy przepływ środki pieniężny +648 incremental costs incremental cost koszty inkrementalne koszt inkrementalne +649 independence independence niezależność niezależność +650 independence standards board independence standards board rada ds. standardów niezależności rada ds . standard niezależność +651 indirect costs indirect cost koszty pośrednie koszt pośredni +652 indirect method indirect method metoda pośrednia metoda pośrednia +653 indirect taxation indirect taxation opodatkowanie pośrednie opodatkowanie pośredni +654 industrial engineering/work measurement method industrial engineering/work measurement method metoda pomiaru prac inżynieryjno-technicznych metoda pomiar prace inżynieryjny-techniczny +655 inflate earnings inflate earning zawyżanie zysków zawyżanie zysk +656 information arbitrage information arbitrage spekulacja informacją spekulacja informacja +657 information management information management zarządzanie informacją zarządzanie informacja +658 information retrieval information retrieval wyszukiwanie informacji wyszukiwanie informacja +659 institutional infrastructure institutional infrastructure infrastruktura instytucjonalna infrastruktura instytucjonalny +660 intangible assets intangible asset wartości niematerialne i prawne wartość materialny i prawny +661 inter-company transactions inter-company transaction transakcje ze spółkami powiązanymi kapitałowo transakcja z spółka powiązanymi kapitałowo +662 inter-corporate transactions inter-corporate transaction transakcje ze spółkami powiązanymi kapitałowo transakcja z spółka powiązanymi kapitałowo +663 interaction costs interaction cost koszty interakcji koszt interakcja +664 interest interest odsetki odsetka +665 interest capitalisation interest capitalisation kapitalizacja odsetek kapitalizacja odsetka +666 interest method interest method ujmowanie przychodów z tytułu odsetek ujmowanie przychód z tytuł odsetka +667 interim financial statements interim financial statement śródroczne sprawozdania finansowe śródroczne sprawozdanie finansowy +668 internal audit function internal audit function audyt wewnętrzny audyt wewnętrzny +669 internal cash generation internal cash generation wewnętrzne generowanie środków pieniężnych wewnętrzny generowanie środki pieniężny +670 internal controls internal control kontrola wewnętrzna kontrola wewnętrzny +671 internal revenue service internal revenue service amerykański urząd skarbowy amerykański urząd skarbowy +672 internally generated goodwill internally generate goodwill wartość firmy wygenerowana wewnętrznie wartość firma wygenerowana wewnętrznie +673 international accounting standards international accounting standard międzynarodowe standardy rachunkowości międzynarodowy standard rachunkowość +674 international accounting standards board international accounting standard board rada międzynarodowych standardów rachunkowości rada międzynarodowy standard rachunkowość +675 international accounting standards board framework international accounting standards board framework rada międzynarodowych standardów rachunkowości (rmsr) – założenia koncepcyjne rada międzynarodowy standard rachunkowość(rmsr)– założenie koncepcyjny +676 international accounting standards committee international accounting standard committee komitet ds. międzynarodowych standardów rachunkowości komitet ds . międzynarodowy standard rachunkowość +677 international accounting standards infrastructure international accounting standard infrastructure infrastruktura międzynarodowych standardów rachunkowości infrastruktura międzynarodowy standard rachunkowość +678 international auditing and assurance standards board international auditing and assurance standard board rada międzynarodowych standardów rewizji finansowej i usług atestacyjnych rada międzynarodowy standard rewizja finansowy i usługi atestacyjny +679 international ethical standards board for accountants international ethical standard board for accountant rada międzynarodowych standardów etycznych dla księgowych rada międzynarodowy standard etyczny dla księgowy +680 international federation of accountants international federation of accountant międzynarodowa federacja księgowych międzynarodowy federacja księgowy +681 international financial reporting interpretations committee international financial reporting interpretation committee komitet ds. interpretacji międzynarodowej sprawozdawczości finansowej komitet ds . interpretacja międzynarodowy sprawozdawczość finansowy +682 international financial reporting standards international financial reporting standard międzynarodowe standardy sprawozdawczości finansowej międzynarodowy standard sprawozdawczość finansowy +683 international organisation of securities commissions international organisation of security commission międzynarodowa organizacja komisji papierów wartościowych międzynarodowy organizacja komisja papier wartościowy +684 international standards on auditing international standard on audit międzynarodowe standardy rewizji finansowej międzynarodowy standard rewizja finansowy +685 international valuation standards international valuation standard międzynarodowe standardy wyceny międzynarodowy standard wycena +686 internet internet internet internet +687 intra-company transactions intra-company transaction transakcje ze spółkami powiązanymi kapitałowo transakcja z spółka powiązanymi kapitałowo +688 intranet intranet intranet intranet +689 inventory cost formulae inventory cost formulae metody wyceny zapasów metoda wycena zapasy +690 inventory list inventory list lista zapasów lista zapasy +691 inventory profit inventory profit zysk na zapasach zysk na zapasy +692 investment portfolio investment portfolio portfel inwestycji portfel inwestycja +693 investment properties investment property nieruchomości inwestycyjne nieruchomość inwestycyjny +694 invoice invoice faktura faktura +695 job-costing job-costing kalkulacja doliczeniowa zleceniowa kalkulacja doliczeniowy zleceniowa +696 joint products joint product kalkulacja produktów łącznych kalkulacja produkt łączny +697 journal journal dziennik dziennik +698 jubilee payments jubilee payment płatności jubileuszowe płatność jubileuszowy +699 kaizen budgeting kaizen budgeting budżetowanie według filozofii kaizen budżetowanie według filozofia kaizen +700 lifo liquidation lifo liquidation inwazja lifo inwazja lifo +701 lifo reserve lifo reserve rezerwa lifo rezerwa lifo +702 llp llp spółka komandytowa spółka komandytowy +703 locom valuation method locom valuation method metoda wyceny zapasów po koszcie nie przekraczającym wartości rynkowej metoda wycena zapasy po koszt nie przekraczającym wartość rynkowy +704 language of business language of business język biznesu język biznes +705 lapping lap manipulowanie wpływami kasowymi manipulowanie wpływy kasowy +706 latent liability latent liability zobowiązanie ukryte zobowiązanie ukryte +707 learning curve learn curve krzywa uczenia się krzywa uczenie się +708 lease receivable lease receivable należności z tytułu leasingu należność z tytuł leasing +709 leases lease leasing leasing +710 least squares technique least square technique technika najmniejszych kwadratów technikum mały kwadrat +711 ledger ledger księga księga +712 ledgering ledgere monitorowanie dziennika pożyczkobiorcy przez pożyczkodawcę monitorowanie dziennik pożyczkobiorca przez pożyczkodawca +713 legacy costs legacy cost koszty zobowiązań przeszłych koszt zobowiązanie przeszły +714 legacy expenses legacy expense koszty zobowiązań przeszłych koszt zobowiązanie przeszły +715 legal reserve legal reserve kapitał ustawowy kapitała ustawowy +716 liabilities liability zobowiązania zobowiązanie +717 life cycle costing life cycle costing rachunek cyklu rozwojowego produktu rachunek cykl rozwojowy produkt +718 limited liability partnership limited liability partnership spółka komandytowa spółka komandytowy +719 line item line item pozycja syntetyczna pozycja syntetyczny +720 linked presentation link presentation prezentacja powiązana prezentacja powiązana +721 liquidation value liquidation value wartość likwidacyjna wartość likwidacyjny +722 loan (a) loan(a ) kredyt (udzielony) kredyt(udzielony ) +723 loan classification loan classification klasyfikacja kredytów klasyfikacja kredyt +724 long form report long form report raport biegłego rewidenta z badania sprawozdania finansowego raport biegły rewident z badanie sprawozdanie finansowy +725 long lived assets long live asset aktywa długoterminowe aktywa długoterminowy +726 long term debt long term debt zadłużenie długoterminowe zadłużenie długoterminowy +727 long term investment long term investment finansowe aktywa trwałe finansowy aktywa trwały +728 loophole loophole luki luka +729 loss loss strata strata +730 loss reserve loss reserve rezerwa na przewidywane straty rezerwa na przewidywane strata +731 loss on sale of fixed assets loss on sale of fix asset strata na sprzedaży środków trwałych strata na sprzedaż środki trwały +732 low-balling low-balling oferta świadczenia usług za niską cenę oferta świadczenie usługi za niski cena +733 lower-of-cost-or-market valuation method low-of-cost-or-market valuation method metoda wyceny zapasów po koszcie nie przekraczającym wartości rynkowej metoda wycena zapasy po koszt nie przekraczającym wartość rynkowy +734 lump-sum lump-sum podatek stały podatek stały +736 mva mva rachunkowość oparta na wartości rynkowej rachunkowość oparta na wartość rynkowy +737 major repair/extra-ordinary repair vs. ordinary repair major repair/extra-ordinary repair vs. ordinary repair koszty remontów kapitalnych a koszty remontów bieżących koszt remont kapitalny a koszt remont bieżący +738 malfeasance malfeasance nadużycie nadużyć +739 managed costs manage cost koszty kontrolowane koszt kontrolowany +740 management accounting management account rachunkowość zarządcza rachunkowość zarządcza +741 management commentary report management commentary report sprawozdanie z działalności sprawozdanie z działalność +742 management discussion & analysis management discussion & analysis omówienie i analiza zarządu omówienie i analiza zarząd +743 management information systems management information system system informacji zarządczej systema informacja zarządczy +744 management letter management letter list biegłego rewidenta do zarządu lista biegły rewident do zarząd +745 management representation letter management representation letter oświadczenie zarządu oświadczenie zarząd +746 management vs. financial accounting compared management vs. financial accounting compare rachunkowość zarządcza a rachunkowość finansowa, porównanie rachunkowość zarządcza a rachunkowość finansowy , porównanie +747 management’s responsibility for financial reporting management’s responsibility for financial reporting odpowiedzialność zarządu za sprawozdawczość finansową odpowiedzialność zarząd za sprawozdawczość finansowy +748 marginal cost income statement marginal cost income statement rachunek wyników według kosztów krańcowych rachunek wynik według koszt krańcowy +749 marginal costs marginal cost koszty krańcowe koszt krańcowy +750 marginal tax rate marginal tax rate krańcowa stopa podatkowa krańcowy stopa podatkowy +751 mark-to-market value adjustments mark-to-market value adjustment wycena rynkowa, aktualizacja wyceny do wartości rynkowej wycena rynkowy , aktualizacja wycena do wartość rynkowy +752 mark-up mark-up narzut narzuta +753 market value market value wartość rynkowa wartość rynkowy +754 market value accounting market value account rachunkowość oparta na wartości rynkowej rachunkowość oparta na wartość rynkowy +755 master budget master budget budżet łączny budżet łączny +756 matching principle match principle zasada współmierności przychodów i kosztów zasada współmierność przychód i koszt +757 materiality materiality istotność istotność +758 measurement uncertainty measurement uncertainty niepewność wyceny niepewność wycena +759 memorandum account memorandum account konto memoriałowe konto memoriałowy +760 mergers accounting merger account rachunkowość fuzji rachunkowość fuzja +761 minority interest minority interest udział mniejszościowy udział mniejszościowy +762 minutes minute protokół protokół +763 mixed-attribute system mix-attribute system zróżnicowany system wyceny pozycji bilansowych zróżnicowany systema wycena pozycja bilansowy +764 moats moat zapory zapór +765 modified audit opinion modify audit opinion niestandardowa opinia z badania sprawozdania finansowego standardowy opinia z badanie sprawozdanie finansowy +766 monitoring group (of public interest oversight board) monitor group(of public interest oversight board ) zespół monitorujący (rady ds. ochrony interesu publicznego) zespół monitorujący(rada ds . ochrona interes publiczny ) +767 movements movement zmiana stanu zmiana stan +768 multi-disciplinary professional practice multi-disciplinary professional practice kompleksowe doradztwo profesjonalne kompleksowy doradztwo profesjonalny +769 multiple-element transaction multiple-element transaction transakcja wieloelementowa transakcja wieloelementowa +770 multiple-step income statement multiple-step income statement rachunek zysków i strat w formacie kalkulacyjnym rachunek zysk i strata w format kalkulacyjny +771 nav nav wartość aktywów netto wartość aktywa netto +772 nbv nbv wartość księgowa netto wartość księgowy netto +773 negative goodwill negative goodwill ujemna wartość firmy ujemny wartość firma +774 negative income tax negative income tax ujemny podatek dochodowy ujemny podatek dochodowy +775 negligence negligence zaniedbanie zaniedbanie +776 negligence, standard of conduct (usa) negligence , standard of conduct(usa ) zaniedbanie, kwalifikacja prawna zaniedbanie , kwalifikacja prawny +777 net asset value net asset value wartość aktywów netto wartość aktywa netto +778 net book value net book value wartość księgowa netto wartość księgowy netto +779 net realizable value net realizable value wartość sprzedaży netto wartość sprzedaż netto +780 net working capital net working capital kapitał obrotowy netto kapitała obrotowy netto +781 net worth net worth wartość netto przedsiębiorstwa wartość netto przedsiębiorstwo +782 nominal value nominal value wartość nominalna wartość nominalny +783 non-consolidated subsidiary non-consolidated subsidiary jednostka zależna nie objęta konsolidacją jednostka zależny nie objęta konsolidacja +784 non-cash stock compensation non-cash stock compensation wynagrodzenie w akcjach wynagrodzenie w akcja +785 non-current assets held for sale non-current asset hold for sale aktywa nieobrotowe przeznaczone do sprzedaży aktywa obrotowy przeznaczone do sprzedaż +786 non-qualified deferred executive compensation non-qualified deferred executive compensation niekwalifikowane plany odroczonego wynagrodzenia kierownictwa kwalifikowany plan odroczonego wynagrodzenie kierownictwo +787 non-recurring items non-recur item pozycje jednorazowe pozycja jednorazowy +788 normalization (of reported income) normalization(of report income ) normalizacja (zysku księgowego) normalizacja(zysk księgowy ) +789 norwalk agreement norwalk agreement umowa z norwalk umowa z norwalk +790 not-for-profit organisation not-for-profit organisation organizacja działająca nie dla zysku organizacja działająca nie dla zysk +791 notes note informacja dodatkowa informacja dodatkowy +792 notes receivable note receivable należności należność +793 number crunching number crunch obliczenia obliczenie +794 ocf ocf środki pieniężne z działalności operacyjnej środek pieniężny z działalność operacyjny +795 objectivity convention objectivity convention zasada obiektywizmu zasada obiektywizm +796 obsolescence obsolescence zużycie zużyć +797 off-balance sheet item off-balance sheet item pozycja pozabilansowa pozycja pozabilansowy +798 off-site controller off-site controller kontroler zewnętrzny kontroler zewnętrzny +799 off-balance sheet partnership off-balance sheet partnership przedsięwzięcia pozabilansowe przedsięwzięcie pozabilansowy +800 off-the-books partnerships off-the-book partnership przedsięwzięcia pozabilansowe przedsięwzięcie pozabilansowy +801 ombudsperson ombudsperson rzecznik rzecznik +802 on paper on paper na papierze na papier +803 on-line financial reporting on-line financial reporting sprawozdawczość finansowa w internecie sprawozdawczość finansowy w internet +804 on-site bank inspection/examination on-site bank inspection/examination inspekcja nadzoru bankowego inspekcja nadzór bankowy +805 opacity opacity nieprzejrzystość nieprzejrzystość +806 open book management open book management jawne zarządzanie jawny zarządzanie +807 operating budget operate budget budżet operacyjny budżet operacyjny +808 operating cash flow operate cash flow środki pieniężne z działalności operacyjnej środek pieniężny z działalność operacyjny +809 operating deficit operating deficit deficyt operacyjny deficyt operacyjny +810 operating income operate income zysk na działalności operacyjnej zysk na działalność operacyjny +811 operating loss operating loss strata operacyjna strata operacyjny +812 operating profit operating profit zysk na działalności operacyjnej zysk na działalność operacyjny +813 operating transactions operating transaction transakcje operacyjne transakcja operacyjny +814 operating and financial review operating and financial review analiza operacyjna i finansowa analiza operacyjny i finansowy +815 operational budget operational budget budżet operacyjny budżet operacyjny +816 opinion shopping opinion shopping kupowanie opinii kupowanie opinia +817 opportunity cost opportunity cost koszt utraconych korzyści koszt utraconych korzyść +818 ordinary income ordinary income zysk na działalności gospodarczej zysk na działalność gospodarczy +819 ordinary repair ordinary repair remonty bieżące remonta bieżący +820 organization costs organization cost koszty organizacji spółki koszt organizacja spółka +821 organization expenditures organization expenditure koszty organizacji spółki koszt organizacja spółka +822 original cost original cost wartość początkowa wartość początkowy +823 orphan subsidiary orphan subsidiary spółka-sierota spółka-sierota +824 other expense other expense pozostałe koszty pozostały koszt +825 other reserves other reserve pozostałe kapitały rezerwowe pozostały kapitały rezerwowy +826 other revenue other revenue pozostałe przychody pozostały przychód +827 out-of-pocket costs out-of-pocket cost wydatki bieżące wydatek bieżący +828 out-of-pocket expenses out-of-pocket expense wydatki bieżące wydatek bieżący +829 outlay outlay nakład nakład +830 over-absorbed manufacturing overhead over-absorb manufacturing overhead odchylenie kosztów pośrednich produkcji odchylenie koszt pośredni produkcja +831 overhead absorption rate overhead absorption rate stawka narzutu kosztów pośrednich stawka narzut koszt pośredni +832 overhead expenses overhead expense koszty ogólne przedsiębiorstwa koszt ogólny przedsiębiorstwo +833 overhead expenses overhead expense koszty ogólne zarządu koszt ogólny zarząd +834 overhead value analysis overhead value analysis analiza kosztów ogólnych analiza koszt ogólny +835 override (fair presentation/true & fair) override(fair presentation/true & fair ) pominięcie standardów rachunkowości (w imię prawidłowej i rzetelnej prezentacji) pominięcie standard rachunkowość(w imię prawidłowy i rzetelny prezentacja ) +836 oversight oversight nadzór nadzór +837 overtime premium overtime premium premia za nadgodziny premia za nadgodzina +838 own shares own share akcje własne akcja własny +839 own work capitalised own work capitalise aktywowane koszty zwiększenia zdolności produkcyjnych aktywowane koszt zwiększenie zdolność produkcyjny +840 owners’ equity owner’ equity kapitał właścicieli kapitała właściciel +841 p&l p&l rachunek zysków i strat rachunek zysk i strata +842 pcaob pcaob rada nadzoru rachunkowości spółek publicznych rada nadzór rachunkowość spółka publiczny +843 piob piob rada ds. ochrony interesu publicznego rada ds . ochrona interes publiczny +844 ppe ppe środki trwałe środek trwały +845 pad an expense account pad an expense account zawyżanie kosztów zawyżanie koszt +846 paid-up share capital pay-up share capital kapitał wniesiony kapitała wniesiony +847 paid-in capital pay-in capital kapitał wniesiony kapitała wniesiony +848 paper profits paper profit papierowy zysk papierowy zysk +849 paper trail paper trail ślad na papierze ślad na papier +850 par value par value wartość nominalna wartość nominalny +851 parent company financial statements parent company financial statement jednostkowe sprawozdanie finansowe jednostki dominującej jednostkowy sprawozdanie finansowy jednostka dominujący +852 participative budget participative budget budżet sporządzany z udziałem pracowników budżet sporządzany z udział pracownik +853 payables payable zobowiązania z tytułu dostaw i usług zobowiązanie z tytuł dostawa i usługi +854 payroll payroll lista płac lista płaca +855 payroll taxes payroll taxis podatki od wynagrodzeń podatek od wynagrodzenie +856 peanut-butter costing peanut-butter costing wygładzanie kosztów wygładzanie koszt +857 peer review peer review analiza wewnętrzna analiza wewnętrzny +858 percentage-of-completion method percentage-of-completion method metoda procentowej realizacji metoda procentowy realizacja +859 period costs period cost koszty okresu koszt okres +860 periodic inventory system periodic inventory system inwentaryzacja okresowa inwentaryzacja okresowy +861 permanent accounts permanent account konta bilansowe konto bilansowy +862 permanent difference permanent difference różnica trwała różnica trwać +863 perpetual inventory system perpetual inventory system inwentaryzacja ciągła inwentaryzacja ciągła +864 phantom income phantom income dochód fikcyjny dochód fikcyjny +865 phantom transactions phantom transaction transakcje fikcyjne transakcja fikcyjny +866 physical count of inventory physical count of inventory spis z natury spisa z natura +867 pick and shovel work pick and shovel work mrówcza praca mrówcza praca +868 plain language movement plain language movement propagowanie zrozumiałego języka propagowanie zrozumiały język +869 planning & control planning & control planowanie i kontrola planowanie i kontrola +870 plug plug łatanie bilansu łatanie bilans +871 point of sale terminal point of sale terminal terminal pos terminal pos +872 pooling of interests pooling of interest łączenie udziałów łączenie udział +873 positive accounting theories positive accounting theory teorie behawiorystyczne w rachunkowości teoria behawiorystyczny w rachunkowość +874 post balance sheet event post balance sheet event zdarzenie po dacie bilansu zdarzenie po data bilans +875 post a profit post a profit ogłosić wynik finansowy ogłosić wynik finansowy +876 post-audit capital budget post-audit capital budget budżet nakładów inwestycyjnych, weryfikacja po zakończeniu projektu budżet nakład inwestycyjny , weryfikacja po zakończenie projekt +877 post-employment benefits post-employment benefit świadczenia pracownicze po okresie zatrudnienia świadczenie pracowniczy po okres zatrudnienie +878 posting post księgowanie księgowanie +879 preferred treatment preferred treatment podejście preferowane podejście preferowane +880 premium on capital stock premium on capital stock nadwyżka ze sprzedaży akcji powyżej ich wartości nominalnej nadwyżka z sprzedaż akcja powyżej on wartość nominalny +881 prepaid expenses prepay expense rozliczenia międzyokresowe kosztów rozliczenie międzyokresowe koszt +882 prepaids prepaid rozliczenia międzyokresowe kosztów rozliczenie międzyokresowe koszt +883 preparers preparer sporządzający sporządzający +884 prepayments prepayment rozliczenia międzyokresowe kosztów, rozliczenie międzyokresowe koszt , +885 pricewaterhousecoopers pricewaterhousecooper pwc pwc +886 prime costs prime cost koszt własny sprzedanych produktów koszt własny sprzedanych produkt +887 principle of exceptions principle of exception zasada wyjątków zasada wyjątek +888 principles-based accounting standards principle-base accounting standard standardy rachunkowości oparte na podstawowych zasadach rachunkowości standard rachunkowość oparte na podstawowy zasada rachunkowość +889 prior period adjustment prior period adjustment korekty poprzedniego okresu korekta poprzedni okres +890 pro-forma financial statements pro-forma financial statement sprawozdanie finansowe pro forma sprawozdanie finansowy pro forma +891 procedures and findings report procedure and finding report raport z przeprowadzenia uzgodnionych procedur raport z przeprowadzenia uzgodnionych procedura +892 process costing process cost kalkulacja procesowa w rachunku kosztów kalkulacja procesowy w rachunek koszt +893 product cost product cost koszt wytworzenia produktu koszt wytworzenia produkt +894 product liability litigation product liability litigation postępowanie sądowe związane z odpowiedzialnością za produkt postępowanie sądowy związane z odpowiedzialność za produkt +895 professional oversight board professional oversight board rada profesjonalnego nadzoru rada profesjonalny nadzór +896 professional privilege & accountants professional privilege & accountant prawo księgowych/biegłych rewidentów do nieujawniania informacji prawo księgowy/biegły rewident do nieujawniania informacja +897 professional scepticism professional scepticism zawodowy sceptycyzm zawodowy sceptycyzm +898 profit profit zysk zysk +899 profit margin profit margin marża zysku marża zysk +900 profit warnings profit warning ostrzeżenie dotyczące wyników ostrzeżenie dotyczące wynik +901 profit and loss statement profit and loss statement rachunek zysków i strat rachunek zysk i strata +902 profiteering profiteer spekulacja spekulacja +903 progressive income taxes progressive income taxis progresywny podatek dochodowy progresywny podatek dochodowy +904 progressive taxation progressive taxation opodatkowanie progresywne opodatkowanie progresywny +905 progressive taxation progressive taxation progresywny system podatkowy progresywny systema podatkowy +906 property, plant and equipment property , plant and equipment środki trwałe środek trwały +907 proportional consolidation proportional consolidation konsolidacja proporcjonalna konsolidacja proporcjonalny +908 proportionate liability, claims against auditors proportionate liability , claim against auditor odpowiedzialność proporcjonalna, roszczenia przeciwko biegłym rewidentom odpowiedzialność proporcjonalny , roszczenie przeciwko biegły rewident +909 provision provision rezerwa rezerwa +910 provision for loss provision for loss rezerwa na pokrycie strat rezerwa na pokrycie strata +911 provisioning provision tworzenie rezerw tworzenie rezerwa +912 prudence prudence zasada ostrożnej wyceny zasada ostrożny wycena +913 prudence prudence zasada ostrożnej wyceny zasada ostrożny wycena +914 prudential returns prudential return raporty dla nadzoru bankowego raport dla nadzór bankowy +915 psychology psychology psychologia psychologia +916 public accountancy profession public accountancy profession organizacja zawodowa zrzeszająca biegłych rewidentów organizacja zawodowy zrzeszająca biegły rewident +917 public company accounting oversight board public company accounting oversight board rada nadzoru rachunkowości spółek publicznych rada nadzór rachunkowość spółka publiczny +918 public financial reporting public financial reporting sprawozdawczość finansowa wymagana prawem sprawozdawczość finansowy wymagana prawo +919 public interest public interest interes publiczny interes publiczny +920 public interest oversight board public interest oversight board rada ds. ochrony interesu publicznego rada ds . ochrona interes publiczny +921 public oversight board public oversight board rada nadzoru publicznego rada nadzór publiczny +922 public sector auditors public sector auditor biegli rewidenci sektora publicznego biegły rewident sektor publiczny +923 publican publican poborca podatkowy poborca podatkowy +924 purchase cost purchase cost cena nabycia cena nabycie +925 purchasing transparency purchase transparency przejrzystość zaopatrzenia przejrzystość zaopatrzenie +926 push down accounting push down accounting metoda przesunięć w sprawozdaniach finansowych metoda przesunięcie w sprawozdanie finansowy +927 qualifications qualification kwalifikacje zawodowe kwalifikacja zawodowy +928 qualified audit opinion qualified audit opinion opinia biegłego rewidenta z zastrzeżeniem opinia biegły rewident z zastrzeżenie +929 qualitative characteristics qualitative characteristic cechy jakościowe cecha jakościowy +930 quality of disclosure rankings quality of disclosure ranking rankingi jakości ujawnień ranking jakość ujawnienie +931 quality of reported earnings quality of report earning jakość zysku księgowego jakość zysk księgowy +932 rational decision-making rational decision-making racjonalne podejmowanie decyzji racjonalny podejmowanie decyzja +933 raw material inventory raw material inventory materiały i surowce materiał i surowiec +934 realised holding gain realise hold gain zrealizowane zyski na sprzedaży aktywów długoterminowych zrealizowane zysk na sprzedaż aktywa długoterminowy +935 realised holding loss realise hold loss zrealizowane straty na sprzedaży aktywów długoterminowych zrealizowane strata na sprzedaż aktywa długoterminowy +936 realization realization realizacja realizacja +937 reasonable assurance reasonable assurance wystarczająca pewność wystarczający pewność +938 reasonable assurance – sarbanes-oxley act reasonable assurance – sarbane-oxley act wystarczające zapewnienie według ustawy sarbanes-oxley wystarczający zapewnienie według ustawa sarbanes-oxley +939 reasonableness check reasonableness check testy racjonalności test racjonalność +940 reassurance value reassurance value wartość potwierdzająca wartość potwierdzający +941 reciprocal allocation method reciprocal allocation method metoda alokacji wzajemnej metoda alokacja wzajemny +942 recklessness, standard of conduct (usa) recklessness , standard of conduct(usa ) lekkomyślność, kwalifikacja prawna (usa) lekkomyślność , kwalifikacja prawny(usa ) +943 reckoning reckon obliczenie obliczenie +944 reckoning reckon rachunek rachunek +945 reconcile reconcile uzgodnić uzgodnić +946 record profits record profit rekordowe zyski rekordowy zysk +947 recoverable amount recoverable amount wartość odzyskiwalna wartość odzyskiwalny +948 red flag red flag sygnał ostrzegawczy sygnał ostrzegawczy +949 red ink red ink na minusie na minus +950 reducing balance method reduce balance method metoda degresywna metoda degresywny +951 redundancy payments redundancy payment świadczenia z tytułu zwolnień pracowniczych świadczenie z tytuł zwolnienie pracowniczy +952 reform movement reform movement ruch reformatorski rucho reformatorski +953 regression analysis regression analysis analiza regresji analiza regresja +954 regulation fair disclosure regulation fair disclosure uregulowania dotyczące rzetelnego ujawniania informacji uregulowanie dotyczące rzetelny ujawniania informacja +955 regulatory returns regulatory return obowiązkowe raporty obowiązkowy raport +956 related party transactions relate party transaction transakcje ze stronami powiązanymi transakcja z strona powiązanymi +957 relevant cash flow relevant cash flow krańcowy przepływ środków pieniężnych krańcowy przepływ środki pieniężny +958 relevant costing relevant costing rachunek kosztów istotnych rachunek koszt istotny +959 reliability reliability wiarygodność wiarygodność +960 replacement cost replacement cost koszt odtworzenia koszt odtworzenia +961 replacement value replacement value wartość odtworzenia wartość odtworzenia +962 reportable events reportable event ujawnienia ujawnienie +963 reporting report sprawozdawczość sprawozdawczość +964 reporting accountant report accountant księgowy referujący księgowy referujący +965 reporting entity report entity jednostka sprawozdawcza jednostka sprawozdawcza +966 reputation assurance reputation assurance umacnianie reputacji umacnianie reputacja +967 research and development costs research and development cost koszt prac badawczych i rozwojowych koszt prace badawczy i rozwojowy +968 reserve capital reserve capital kapitał rezerwowy kapitała rezerwowy +969 reserve-replacement ratio reserve-replacement ratio wskaźnik uzupełniania rezerw zasobów wskaźnik uzupełniania rezerwa zasób +970 resource allocation decisions resource allocation decision alokacja zasobów alokacja zasób +971 responsibility accounting responsibility account rachunkowość ośrodków odpowiedzialności rachunkowość ośrodek odpowiedzialność +972 restatement restatement korekty poprzedniego okresu korekta poprzedni okres +973 restructuring charge restructure charge koszt restrukturyzacji koszt restrukturyzacja +974 restructuring cost restructuring cost koszt restrukturyzacji koszt restrukturyzacja +975 retail inventory valuation method retail inventory valuation method wycena zapasów od ceny detalicznej wycena zapasy od cena detaliczny +976 retained earnings retain earning zysk z lat ubiegłych zysk z rok ubiegły +977 retention money retention money zatrzymanie zapłaty zatrzymanie zapłata +978 retirement benefit obligations retirement benefit obligation zobowiązania z tytułu świadczeń emerytalnych zobowiązanie z tytuł świadczenie emerytalny +979 retrospective changes in financial statements retrospective change in financial statement zmiany retrospektywne w sprawozdaniach finansowych zmiana retrospektywny w sprawozdanie finansowy +980 return fraud return fraud oszustwo przy zwrocie oszustwo przy zwrot +981 revaluation reserve revaluation reserve kapitał rezerwowy z aktualizacji wyceny kapitała rezerwowy z aktualizacja wycena +982 revaluation of fixed assets revaluation of fix asset aktualizacja wyceny aktywów trwałych aktualizacja wycena aktywa trwały +983 revenue revenue przychód przychód +984 revenue recognition revenue recognition ujmowanie przychodu ujmowanie przychód +985 revenue recognition revenue recognition uznawanie przychodu uznawanie przychód +986 reverse merger reverse merger przejęcie odwrotne przejęcie odwrotny +987 reversing entries reverse entry eliminacja korekt z końca okresu eliminacja korekta z koniec okres +988 risk factors risk factor czynniki ryzyka czynnik ryzyko +989 risk mitigation risk mitigation ograniczanie ryzyka ograniczanie ryzyko +990 risk-based auditing risk-base auditing badanie obszarów ryzyka badan obszar ryzyko +991 rolling budget roll budget budżet kroczący budżet kroczący +992 s, g&a s , g&a koszty sprzedaży i koszty ogólnego zarządu koszt sprzedaż i koszt ogólny zarząd +993 sac sac komisje doradcze ds. standardów komisja doradczy ds . standard +994 sic sic stały komitet ds. interpretacji stały komitet ds . interpretacja +995 smp smp małe i średnie firmy księgowe mały i średni firma księgowy +997 spv spv spółka celowa spółka celowy +998 sro sro organizacja samoregulacyjna organizacja samoregulacyjna +999 safe harbour rule safe harbour rule zasada bezpiecznego portu zasada bezpieczny porto +1000 sales sale sprzedaż sprzedaż +1001 sales margin sale margin marża sprzedaży marża sprzedaż +1002 sales returns and allowances sale return and allowance zwroty sprzedanych towarów i rezerwy zwrot sprzedanych towar i rezerwa +1003 sales variances sale variance odchylenia sprzedaży odchylenie sprzedaż +1004 sales, general and administrative expense sale , general and administrative expense koszty sprzedaży i koszty ogólnego zarządu koszt sprzedaż i koszt ogólny zarząd +1005 sandbagging sandbag asekuracja budżetu asekuracja budżet +1006 sarbanes-oxley corporate responsibility act sarbane-oxley corporate responsibility act ustawa sarbanes-oxley o odpowiedzialności przedsiębiorstw ustawa sarbanes-oxley o odpowiedzialność przedsiębiorstwo +1007 scope of assurance scope of assurance zakres gwarancji zakres gwarancja +1008 second audit opinion second audit opinion druga opinia z badania sprawozdania finansowego drugi opinia z badanie sprawozdanie finansowy +1009 secret reserves secret reserve ciche rezerwy cichy rezerwa +1010 section 404, sarbanes-oxley act section 404 , sarbane-oxley act artykuł 404 ustawy sarbanes-oxley artykuł 404 ustawa sarbanes-oxley +1011 securities portfolio security portfolio portel papierów wartościowych portel papier wartościowy +1012 segregation of duties segregation of duty podział obowiązków podział obowiązek +1013 selective disclosure selective disclosure ujawnienia selektywne ujawnienie selektywny +1014 self-regulatory organisation self-regulatory organisation organizacja samoregulacyjna organizacja samoregulacyjna +1015 selling margin sell margin marża na sprzedaży marża na sprzedaż +1016 semi-variable costs semi-variable cost koszty częściowo zmienne koszt częściowo zmienny +1017 separate reporting vs. uniform reporting accounting regimes separate reporting vs. uniform report accounting regime niezależny system sprawozdawczości a ujednolicony system sprawozdawczości niezależny systema sprawozdawczość a ujednolicony systema sprawozdawczość +1018 separation of duties separation of duty podział obowiązków podział obowiązek +1019 service department, apportionment of costs service department , apportionment of cost wydziały pomocnicze, rozliczanie kosztów wydział pomocniczy , rozliczanie koszt +1020 set-off set-off kompensowanie kompensowanie +1021 severance payments severance payment świadczenia z tytułu rozwiązania stosunku pracy świadczenie z tytuł rozwiązanie stosunek praca +1022 shadow price shadow price cena kalkulacyjna cena kalkulacyjny +1023 share ownership share ownership akcje i udziały w innych jednostkach akcja i udział w inny jednostka +1024 share-based compensation share-base compensation płatności rozliczane w akcjach płatność rozliczane w akcja +1025 shareholders’ equity shareholder’ equity kapitał własny kapitała własny +1026 shoebox accounting shoebox account rachunkowość prowizoryczna rachunkowość prowizoryczny +1027 short form report short form report skrócony raport biegłego rewidenta skrócony raport biegły rewident +1028 shrinkage of inventory shrinkage of inventory ubytki zapasów ubytek zapasy +1029 single entry accounting systems single entry accounting system systemy pojedynczego zapisu księgowego systema pojedynczy zapis księgowy +1030 single-step income statement single-step income statement rachunek zysków i strat w formacie uproszczonym rachunek zysk i strata w format uproszczonym +1031 slack budget slack budget budżet luźny budżet luźny +1032 small business enterprise reporting small business enterprise report sprawozdawczość małych przedsiębiorstw sprawozdawczość mały przedsiębiorstwo +1033 small to medium practice small to medium practice małe i średnie firmy księgowe mały i średni firma księgowy +1034 source documents source document dokumenty źródłowe dokument źródłowy +1035 special purpose entity special purpose entity podmiot specjalnego przeznaczenia podmiot specjalny przeznaczenie +1036 special purpose vehicle special purpose vehicle spółka celowa spółka celowy +1037 specific physical flow inventory costing method specific physical flow inventory cost method metoda szczegółowej identyfikacji metoda szczegółowy identyfikacja +1038 spent on fixed spend on fix nakłady na aktywa trwałe nakład na aktywa trwały +1039 spreading financial statements spread financial statement ujednolicanie sprawozdań finansowych ujednolicanie sprawozdanie finansowy +1040 spreadsheets spreadsheet arkusze kalkulacyjne arkusz kalkulacyjny +1041 stamp duty stamp duty opłata skarbowa opłata skarbowy +1042 standard cost standard cost koszt ewidencyjny koszt ewidencyjny +1043 standard cost standard cost koszt normatywny koszt normatywny +1044 standard cost inventory valuation standard cost inventory valuation wycena zapasów według kosztu ewidencyjnego wycena zapasy według koszt ewidencyjny +1045 standard-setters standard-setter organy ustanawiające standardy organ ustanawiające standard +1046 standards advisory councils standard advisory council komisje doradcze ds. standardów komisja doradczy ds . standard +1047 standards of conduct in public accounting standard of conduct in public accounting standardy postępowania w zawodzie biegłego rewidenta standard postępowanie w zawód biegły rewident +1048 standing interpretations committee standing interpretation committee stały komitet ds. interpretacji stały komitet ds . interpretacja +1049 statement of changes in equity statement of change in equity zestawienie zmian w kapitale własnym zestawienie zmiana w kapitała własny +1050 statement of condition statement of condition sprawozdanie z sytuacji jednostki sprawozdanie z sytuacja jednostka +1051 statement of financial position statement of financial position sprawozdanie z sytuacji majątkowej i finansowej sprawozdanie z sytuacja majątkowy i finansowy +1052 statement of financial position statement of financial position sprawozdanie z sytuacji majątkowej i finansowej jednostki sprawozdanie z sytuacja majątkowy i finansowy jednostka +1053 statement of sources and uses of cash statement of source and use of cash zestawienie źródeł i wykorzystania środków pieniężnych zestawienie źródło i wykorzystanie środki pieniężny +1054 statement of sources and uses of funds statement of source and use of fund zestawienie źródeł i wykorzystania funduszy zestawienie źródło i wykorzystanie fundusz +1055 statement of total recognised gains and losses statement of total recognise gain and loss sprawozdanie z łącznych ujętych zysków i strat sprawozdanie z łączny ujętych zysk i strata +1056 static budget static budget budżet statyczny budżet statyczny +1057 statutory reporting statutory reporting sprawozdawczość ustawowa sprawozdawczość ustawowy +1058 step-down method step-down method metoda sekwencyjna metoda sekwencyjny +1059 stepped costs step cost koszty rosnące skokowo koszt rosnący skokowo +1060 stock options stock option opcje na akcje opcja na akcja +1061 straight-line method straight-line method metoda liniowa metoda liniowy +1062 strategic management accounting strategic management accounting strategiczna rachunkowość zarządcza strategiczny rachunkowość zarządcza +1063 strike a balance strike a balance wyrównanie salda wyrównanie saldo +1064 subjective value subjective value wartość subiektywna wartość subiektywny +1065 subscribed shares subscribe share akcje subskrybowane akcja subskrybowane +1066 subsidiary subsidiary jednostka zależna jednostka zależny +1067 subsidiary merger subsidiary merger przejęcie odwrotne przejęcie odwrotny +1068 substance over form principle substance over form principle zasada nadrzędności treści ekonomicznej nad formą prawną zasada nadrzędność treść ekonomiczny nad forma prawny +1069 substantive audit test substantive audit test testy szczegółowe w badaniu sprawozdania finansowego test szczegółowy w badanie sprawozdanie finansowy +1070 sunk cost sink cost koszty poniesione nieodwołalnie koszt poniesione nieodwołalnie +1071 supervisory board supervisory board rada nadzorcza rada nadzorczy +1072 supplementary data supplementary datum informacje uzupełniające informacja uzupełniający +1073 suspense account suspense account konto przejściowe konto przejściowy +1074 sustainability reporting sustainability report sprawozdawczość w zakresie zrównoważonego rozwoju sprawozdawczość w zakres zrównoważony rozwój +1075 toc toc zarządzanie ograniczeniami zarządzanie ograniczenie +1076 ttm ttm metoda ttm metoda ttm +1077 take a bath take a bath utopić pieniądze utopić pieniądz +1078 take-home pay take-home pay wynagrodzenie na rękę wynagrodzenie na ręka +1079 tangible assets tangible asset środki trwałe środek trwały +1080 target costing target cost rachunek kosztów docelowych rachunek koszt docelowy +1081 tax abolition tax abolition minimalizacja podatków minimalizacja podatek +1082 tax advisor tax advisor doradca podatkowy doradca podatkowy +1083 tax audit tax audit kontrola podatkowa kontrola podatkowy +1084 tax avoidance tax avoidance zarządzanie zobowiązaniami podatkowymi zarządzanie zobowiązanie podatkowy +1085 tax base tax base podstawa opodatkowania podstawa opodatkowanie +1086 tax bite tax bite klin podatkowy klin podatkowy +1087 tax books tax book księgi podatkowe księga podatkowy +1088 tax breaks tax break odliczenia podatkowe odliczenie podatkowy +1089 tax breaks tax break ulgi podatkowe ulga podatkowy +1090 tax credit tax credit ulga podatkowa ulga podatkowy +1091 tax deduction tax deduction odzyskanie odliczeń podatkowych odzyskanie odliczenie podatkowy +1092 tax deferral tax deferral odroczenie płatności podatku odroczenie płatność podatek +1093 tax depreciation tax depreciation amortyzacja podatkowa amortyzacja podatkowy +1094 tax efficient tax efficient podatkowo opłacalny podatkowo opłacalny +1095 tax evasion tax evasion uchylanie się od zobowiązań podatkowych uchylać się od zobowiązanie podatkowy +1096 tax expense tax expense odroczony podatek dochodowy odroczony podatek dochodowy +1097 tax gap tax gap niedobory podatkowe niedobór podatkowy +1098 tax havens tax haven raje podatkowe raje podatkowy +1099 tax holiday tax holiday zwolnienie podatkowe zwolnienie podatkowy +1100 tax integrated model tax integrate model sprawozdanie finansowe sporządzone zgodnie z przepisami podatkowymi sprawozdanie finansowy sporządzone zgodnie z przepis podatkowy +1101 tax leniency programmes tax leniency programme programy wyrozumiałości podatkowej program wyrozumiałość podatkowy +1102 tax loss carry forward tax loss carry forward strata podatkowa z lat ubiegłych strata podatkowy z rok ubiegły +1103 tax pools tax pool zakumulowane straty podatkowe i ulgi podatkowe zakumulowane strata podatkowy i ulga podatkowy +1104 tax relief tax relief zwolnienie podatkowe zwolnienie podatkowy +1105 tax reporting, separate vs. uniform tax reporting , separate vs. uniform sprawozdawczość podatkowa a sprawozdawczość finansowa sprawozdawczość podatkowy a sprawozdawczość finansowy +1106 tax resistance tax resistance opór przed płaceniem podatków opora przed płaceniem podatek +1107 tax shelters tax shelter schronienia podatkowe schronienie podatkowy +1108 tax value tax value wartość podatkowa wartość podatkowy +1109 tax wedge tax wedge klin podatkowy klin podatkowy +1110 taxable income taxable income dochód do opodatkowania dochód do opodatkowanie +1111 taxation taxation opodatkowanie opodatkowanie +1112 teeming & lading teem & lading manipulowanie wpływami kasowymi manipulowanie wpływy kasowy +1113 temporal method temporal method metoda czasowa metoda czasowy +1114 temporary difference temporary difference różnice przejściowe różnica przejściowy +1115 termination payments termination payment świadczenia z tytułu rozwiązania stosunku pracy świadczenie z tytuł rozwiązanie stosunek praca +1116 theory of constraints theory of constraint zarządzanie ograniczeniami zarządzanie ograniczenie +1117 thin capitalisation thin capitalisation niska kapitalizacja niski kapitalizacja +1118 throughput costing throughput cost kalkulacja kosztów materiałów bezpośrednich kalkulacja koszt materiał bezpośredni +1119 timing difference timing difference różnica przejściowa różnica przejściowy +1120 top line top line sprzedaż sprzedaż +1121 toxic accounting toxic accounting rachunkowość toksyczna rachunkowość toksyczny +1122 trade date vs. settlement date accounting trade date vs. settlement date accounting księgowanie transakcji według daty zawarcia lub daty rozliczenia księgowanie transakcja według data zawarcie lub data rozliczenie +1123 trading account trading account rachunek operacyjny rachunek operacyjny +1124 trailing twelve months trail twelve month metoda ttm metoda ttm +1125 transaction transaction transakcja transakcja +1126 transaction costs transaction cost koszty transakcji koszt transakcja +1127 transfer pricing transfer pricing ceny transferowe cena transferowy +1128 transition market accounting transition market accounting rachunkowość rynków w fazie przejściowej rachunkowość rynek w faza przejściowy +1129 transitional provisions transitional provision przepisy przejściowe przepis przejściowy +1130 translation, accounting exposure translation , accounting exposure maksymalne ryzyko walutowe/księgowe maksymalny ryzyka walutowy/księgowy +1131 transparency transparency przejrzystość przejrzystość +1132 treasury shares treasury share akcje własne akcja własny +1133 trial balance trial balance zestawienie obrotów i sald zestawienie obrót i saldo +1134 triple bottom line triple bottom line trzy kryteria oceny przedsiębiorstw trzy kryterium ocena przedsiębiorstwo +1135 true & fair presentation true & fair presentation prawdziwy i rzetelny obraz prawdziwy i rzetelny obraza +1136 true up true up weryfikacja trafności oszacowań księgowych weryfikacja trafność oszacowań księgowy +1137 true and fair view true and fair view prawidłowy i rzetelny obraz prawidłowy i rzetelny obraza +1138 turnover turnover obrót obrót +1139 unadjusted differences unadjusted difference nieskorygowane różnice nieskorygowane różnica +1140 unaudited numbers unaudited number niebadane sprawozdanie finansowe badany sprawozdanie finansowy +1141 undeclared income undeclared income niezadeklarowany dochód niezadeklarowany dochód +1142 under-absorbed manufacturing overhead under-absorb manufacturing overhead odchylenie kosztów pośrednich produkcji odchylenie koszt pośredni produkcja +1143 understandability understandability zasada zrozumiałości zasada zrozumiałość +1144 undistributable reserves undistributable reserve kapitał rezerwowy niepodlegający podziałowi kapitała rezerwowy niepodlegający podział +1145 undistributed profit undistribute profit zysk niepodzielony zysk niepodzielony +1146 unearned revenues unearned revenue przychody przyszłych okresów przychód przyszły okres +1147 unfunded debt unfunded debt dług nieskonsolidowany dług nieskonsolidowany +1148 uniform reporting accounting regimes uniform report accounting regime ujednolicone systemy sprawozdawczości ujednolicone systema sprawozdawczość +1149 uniting of interests (ias) unite of interest(ias ) łączenie udziałów (msr) łączenie udział(msr ) +1150 unitising fixed costs unitise fix cost określenie jednostkowych stałych kosztów produkcji określenie jednostkowy stały koszt produkcja +1151 units of production depreciation unit of production depreciation amortyzacja według jednostek produkcji amortyzacja według jednostka produkcja +1152 unrealised gains unrealised gain niezrealizowane zyski niezrealizowane zysk +1153 unrealised losses unrealised loss niezrealizowane straty niezrealizowane strata +1154 unwinding of a discount unwind of a discount odwrócenie dyskonta odwrócenie dyskonto +1155 vas vas vas vas +1156 vat vat vat vat +1157 vie vie podmiot o zmiennych udziałach podmiot o zmienny udział +1158 value added statement value add statement sprawozdanie z wartości dodanej sprawozdanie z wartość dodanej +1159 value added tax value add tax podatek od wartości dodanej podatek od wartość dodanej +1160 value for money audit value for money audit badanie jednostki niekomercyjnej badan jednostka komercyjny +1161 value-in-use value-in-use wartość użytkowa wartość użytkowy +1162 variable cost income statement variable cost income statement rachunek wyników według kosztów zmiennych rachunek wynik według koszt zmienny +1163 variable costing variable costing rachunek kosztów zmiennych rachunek koszt zmienny +1164 variable interest entity variable interest entity podmiot o zmiennych udziałach podmiot o zmienny udział +1165 variance variance odchylenie odchylenie +1166 variance analysis variance analysis analiza odchyleń analiza odchylenie +1167 volume discounts volume discount rabaty za ilość rabata za ilość +1168 voodoo accounting voodoo account szamańska rachunkowość szamański rachunkowość +1169 voucher voucher dowód kasowy dowód kasowy +1170 voucher voucher kwit kasowy kwit kasowy +1171 walkthroughs walkthrough przekroje przekrój +1172 wasting assets waste asset aktywa wyczerpujące się aktywa wyczerpujący się +1173 wealth tax wealth tax podatek od majątku podatek od majątek +1174 weighted-average cost inventory weight-average cost inventory średni ważony koszt wytworzenia zapasów średni ważony koszt wytworzenia zapasy +1175 whisper numbers whisper number pogłoski o wynikach pogłoska o wynik +1176 whistle blowers whistle blower demaskatorzy demaskator +1177 widget widget gadżet gadżet +1178 windfall gains windfall gain zysk nadzwyczajny zysk nadzwyczajny +1179 windfall profits tax windfall profit tax podatek od zysków nadzwyczajnych podatek od zysk nadzwyczajny +1180 window dressing window dress upiększanie wyników upiększanie wynik +1181 withheld income tax withhold income tax podatek pobierany u źródła podatek pobierany u źródło +1182 withholding tax withholding tax podatek pobierany u źródła podatek pobierany u źródło +1183 work-in-progress work-in-progress produkcja w toku produkcja w tok +1184 working papers working paper dokumentacja robocza dokumentacja roboczy +1185 worksheet worksheet arkusz roboczy arkusz roboczy +1186 world congress of accountants world congress of accountant światowy kongres księgowych światowy kongres księgowy +1187 write-up write-up odwrócenie odpisu aktualizacyjnego odwrócenie odpis aktualizacyjny +1188 write-down write-down odpis aktualizacyjny odpis aktualizacyjny +1189 write-off write-off odpis w koszty odpis w koszt +1190 xbrl xbrl rozszerzalny język sprawozdawczości finansowej rozszerzalny język sprawozdawczość finansowy +1191 y.t.d. y.t.d . od początku roku od początek rok +1192 ytd ytd od początku roku od początek rok +1193 year-end year-end koniec roku koniec rok +1194 year-to-date year-to-date od początku roku od początek rok +1195 zog zog zero wzrostu kosztów ogólnych zero wzrost koszt ogólny +1196 zero overhead growth zero overhead growth zero wzrostu kosztów ogólnych zero wzrost koszt ogólny diff --git a/rapidfuzztest.ipynb b/rapidfuzztest.ipynb new file mode 100644 index 0000000..5403eaf --- /dev/null +++ b/rapidfuzztest.ipynb @@ -0,0 +1,11740 @@ +{ + "cells": [ + { + "cell_type": "code", + "execution_count": 1, + "outputs": [ + { + "data": { + "text/plain": " source \\\nsource_lem \naaofi aaofi \naca aca \nacca acca \nabacus abacus \nabandonment cost abandonment costs \n... ... \nytd ytd \nyear-end year-end \nyear-to-date year-to-date \nzog zog \nzero overhead growth zero overhead growth \n\n result \\\nsource_lem \naaofi organizacja rachunkowości i audytu dla islamsk... \naca członek stowarzyszenia dyplomowanych biegłych ... \nacca stowarzyszenie dyplomowanych biegłych rewidentów \nabacus liczydło \nabandonment cost koszty zaniechania \n... ... \nytd od początku roku \nyear-end koniec roku \nyear-to-date od początku roku \nzog zero wzrostu kosztów ogólnych \nzero overhead growth zero wzrostu kosztów ogólnych \n\n result_lem \nsource_lem \naaofi organizacja rachunkowość i audyt dla islamski ... \naca członek stowarzyszenie dyplomowany biegły rewi... \nacca stowarzyszenie dyplomowany biegły rewident \nabacus liczydło \nabandonment cost koszt zaniechanie \n... ... \nytd od początek rok \nyear-end koniec rok \nyear-to-date od początek rok \nzog zero wzrost koszt ogólny \nzero overhead growth zero wzrost koszt ogólny \n\n[1197 rows x 3 columns]", + "text/html": "
\n\n\n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n \n
sourceresultresult_lem
source_lem
aaofiaaofiorganizacja rachunkowości i audytu dla islamsk...organizacja rachunkowość i audyt dla islamski ...
acaacaczłonek stowarzyszenia dyplomowanych biegłych ...członek stowarzyszenie dyplomowany biegły rewi...
accaaccastowarzyszenie dyplomowanych biegłych rewidentówstowarzyszenie dyplomowany biegły rewident
abacusabacusliczydłoliczydło
abandonment costabandonment costskoszty zaniechaniakoszt zaniechanie
............
ytdytdod początku rokuod początek rok
year-endyear-endkoniec rokukoniec rok
year-to-dateyear-to-dateod początku rokuod początek rok
zogzogzero wzrostu kosztów ogólnychzero wzrost koszt ogólny
zero overhead growthzero overhead growthzero wzrostu kosztów ogólnychzero wzrost koszt ogólny
\n

1197 rows × 3 columns

\n
" + }, + "execution_count": 1, + "metadata": {}, + "output_type": "execute_result" + } + ], + "source": [ + "import pandas as pd\n", + "import spacy\n", + "\n", + "\n", + "spacy_nlp_en = spacy.load('en_core_web_sm')\n", + "spacy_nlp_pl = spacy.load(\"pl_core_news_sm\")\n", + "\n", + "glossary = pd.read_csv('kompendium.tsv', sep='\\t', header=None, names=['source', 'result'])\n", + "\n", + "source_lemmatized = []\n", + "for word in glossary['source']:\n", + " temp = []\n", + " for token in spacy_nlp_en(word):\n", + " temp.append(token.lemma_)\n", + " source_lemmatized.append(' '.join(temp).replace(' - ', '-').replace(' ’', '’').replace(' / ', '/').replace(' ( ', '(').replace(' ) ', ')'))\n", + "\n", + "result_lemmatized = []\n", + "for word in glossary['result']:\n", + " temp = []\n", + " for token in spacy_nlp_pl(word):\n", + " temp.append(token.lemma_)\n", + " result_lemmatized.append(' '.join(temp).replace(' - ', '-').replace(' ’', '’').replace(' / ', '/').replace(' ( ', '(').replace(' ) ', ')'))\n", + "\n", + "glossary['source_lem'] = source_lemmatized\n", + "glossary['result_lem'] = result_lemmatized\n", + "glossary = glossary[['source', 'source_lem', 'result', 'result_lem']]\n", + "glossary.set_index('source_lem')\n", + "\n" + ], + "metadata": { + "collapsed": false, + "pycharm": { + "name": "#%%\n" + } + } + }, + { + "cell_type": "code", + "execution_count": 2, + "outputs": [], + "source": [ + "\n", + "dev_path = 'mt-summit-corpora/dev/dev'\n", + "\n", + "skip_chars = ''',./!?'''\n", + "\n", + "with open(dev_path + '.en', 'r') as file:\n", + " file_lemmatized = []\n", + " for line in file:\n", + " temp = []\n", + " for token in spacy_nlp_en(line):\n", + " temp.append(token.lemma_)\n", + " file_lemmatized.append(' '.join([x for x in temp if x not in skip_chars]).replace(' - ', '-').replace(' ’', '’').replace(' / ', '/').replace(' ( ', '(').replace(' ) ', ')'))\n", + "\n", + "with open(dev_path + '.pl', 'r') as file:\n", + " file_pl_lemmatized = []\n", + " for line in file:\n", + " temp = []\n", + " for token in spacy_nlp_pl(line):\n", + " temp.append(token.lemma_)\n", + " file_pl_lemmatized.append(' '.join([x for x in temp if x not in skip_chars]).replace(' - ', '-').replace(' ’', '’').replace(' / ', '/').replace(' ( ', '(').replace(' ) ', ')'))\n", + "\n" + ], + "metadata": { + "collapsed": false, + "pycharm": { + "name": "#%%\n" + } + } + }, + { + "cell_type": "code", + "execution_count": 26, + "outputs": [ + { + "name": "stdout", + "output_type": "stream", + "text": [ + "[('asset', 100.0, 105), 66.66666666666666, array(['aktywa'], dtype=object)]\n", + "where the carrying amount of an asset exceed its recoverable amount the asset be consider impaired and be write down to its recoverable amount\n", + "where the carrying amount of an asset aktywa exceed its recoverable amount the asset be consider impaired and be write down to its recoverable amount\n", + "jeśli wartość bilansowy składnik aktywa jest wysoki niż on wartość odzyskiwalny mieć miejsce utrata wartość i dokonywać się wówczas odpis do ustalonej wartość odzyskiwalny\n", + "=====================================================================\n", + "[('recoverable amount', 100.0, 947), 50.0, array(['wartość odzyskiwalna'], dtype=object)]\n", + "where the carrying amount of an asset exceed its recoverable amount the asset be consider impaired and be write down to its recoverable amount\n", + "where the carrying amount of an asset exceed its recoverable amount wartość odzyskiwalna the asset be consider impaired and be write down to its recoverable amount\n", + "jeśli wartość bilansowy składnik aktywa jest wysoki niż on wartość odzyskiwalny mieć miejsce utrata wartość i dokonywać się wówczas odpis do ustalonej wartość odzyskiwalny\n", + "=====================================================================\n", + "[('write down', 100.0, 1188), 58.8235294117647, array(['odpis aktualizacyjny'], dtype=object)]\n", + "where the carrying amount of an asset exceed its recoverable amount the asset be consider impaired and be write down to its recoverable amount\n", + "where the carrying amount of an asset exceed its recoverable amount the asset be consider impaired and be write down odpis aktualizacyjny to its recoverable amount\n", + "jeśli wartość bilansowy składnik aktywa jest wysoki niż on wartość odzyskiwalny mieć miejsce utrata wartość i dokonywać się wówczas odpis do ustalonej wartość odzyskiwalny\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "in the course of the control the control audit firm shall fulfil the responsibility refer to in article 114 on date and in form specify by the controller\n", + "in the course of the control the control audit badanie sprawozdania finansowego firm shall fulfil the responsibility refer to in article 114 on date and in form specify by the controller\n", + "w czas trwanie kontrola kontrolowany firma audytorski wypełnia obowiązek o których mowa w art 114 w ter mina i forma wskazany przez osoba kontrolującą\n", + "=====================================================================\n", + "[('control', 100.0, 289), 100.0, array(['kontrola '], dtype=object)]\n", + "in the course of the control the control audit firm shall fulfil the responsibility refer to in article 114 on date and in form specify by the controller\n", + "in the course of the control kontrola the control audit firm shall fulfil the responsibility refer to in article 114 on date and in form specify by the controller\n", + "w czas trwanie kontrola kontrolowany firma audytorski wypełnia obowiązek o których mowa w art 114 w ter mina i forma wskazany przez osoba kontrolującą\n", + "=====================================================================\n", + "[('cio', 100.0, 182), 100.0, array(['dyrektor ds. informacji'], dtype=object)]\n", + "a progressive minded cio will quickly conclude that he or she always need to be in the forefront of such change be one step ahead of the inevitable and embrace change pro actively\n", + "a progressive minded cio dyrektor ds. informacji will quickly conclude that he or she always need to be in the forefront of such change be one step ahead of the inevitable and embrace change pro actively\n", + "wniosek dla progresywnie myślący cio być taki że zawsze należeć być lider takich zmiana być o krok przed tym co uchronny i proaktywnie przewodzić zmiana\n", + "=====================================================================\n", + "[('financial instrument', 100.0, 516), 91.66666666666667, array(['instrumenty finansowe'], dtype=object)]\n", + "the group also monitor the market price risk arise from all financial instrument\n", + "the group also monitor the market price risk arise from all financial instrumenty finansowe instrument\n", + "grupa monitorować również ryzyka cena rynkowy dotyczące wszystkich posiadanych przez on instrument finansowy\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "the group also monitor the market price risk arise from all financial instrument\n", + "the group grupa kapitałowa also monitor the market price risk arise from all financial instrument\n", + "grupa monitorować również ryzyka cena rynkowy dotyczące wszystkich posiadanych przez on instrument finansowy\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the term of office of the audit oversight commission be 4 year 2\n", + "the term of office of the audit badanie sprawozdania finansowego oversight commission be 4 year 2\n", + "kadencja komisja nadzór audytowy trwać 4 rok 2\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 61.53846153846154, array(['prowizje'], dtype=object)]\n", + "the term of office of the audit oversight commission be 4 year 2\n", + "the term of office of the audit oversight commission prowizje be 4 year 2\n", + "kadencja komisja nadzór audytowy trwać 4 rok 2\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 50.0, array(['nadzór'], dtype=object)]\n", + "the term of office of the audit oversight commission be 4 year 2\n", + "the term of office of the audit oversight nadzór commission be 4 year 2\n", + "kadencja komisja nadzór audytowy trwać 4 rok 2\n", + "=====================================================================\n", + "[('account', 100.0, 13), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "at the date of the authorization of these consolidated financial statement for publication the management board have not yet complete its assessment of the impact of the other standard and interpretation implementation on the group s accounting policy relate to operation or financial result\n", + "at the date of the authorization of these consolidated financial statement for publication the management board have not yet complete its assessment of the impact of the other standard and interpretation implementation on the group s accounting konto policy relate to operation or financial result\n", + "na dzienie zatwierdzenie niniejszy skonsolidowanego sprawozdanie finansowy do publikacja zarząd nie zakończyć jeszcze prace nad ocena wpływ wprowadzenie pozstałych standard oraz interpretacja na stosowany przez grupa zasada polityka rachunkowość w odniesienie do działalność grupa lub on wynik finansowy\n", + "=====================================================================\n", + "[('account', 100.0, 25), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "at the date of the authorization of these consolidated financial statement for publication the management board have not yet complete its assessment of the impact of the other standard and interpretation implementation on the group s accounting policy relate to operation or financial result\n", + "at the date of the authorization of these consolidated financial statement for publication the management board have not yet complete its assessment of the impact of the other standard and interpretation implementation on the group s accounting konto policy relate to operation or financial result\n", + "na dzienie zatwierdzenie niniejszy skonsolidowanego sprawozdanie finansowy do publikacja zarząd nie zakończyć jeszcze prace nad ocena wpływ wprowadzenie pozstałych standard oraz interpretacja na stosowany przez grupa zasada polityka rachunkowość w odniesienie do działalność grupa lub on wynik finansowy\n", + "=====================================================================\n", + "[('accounting policy', 100.0, 45), 54.54545454545455, array(['zasady rachunkowości'], dtype=object)]\n", + "at the date of the authorization of these consolidated financial statement for publication the management board have not yet complete its assessment of the impact of the other standard and interpretation implementation on the group s accounting policy relate to operation or financial result\n", + "at the date of the authorization of these consolidated financial statement for publication the management board have not yet complete its assessment of the impact of the other standard and interpretation implementation on the group s accounting policy zasady rachunkowości relate to operation or financial result\n", + "na dzienie zatwierdzenie niniejszy skonsolidowanego sprawozdanie finansowy do publikacja zarząd nie zakończyć jeszcze prace nad ocena wpływ wprowadzenie pozstałych standard oraz interpretacja na stosowany przez grupa zasada polityka rachunkowość w odniesienie do działalność grupa lub on wynik finansowy\n", + "=====================================================================\n", + "[('account', 100.0, 57), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "at the date of the authorization of these consolidated financial statement for publication the management board have not yet complete its assessment of the impact of the other standard and interpretation implementation on the group s accounting policy relate to operation or financial result\n", + "at the date of the authorization of these consolidated financial statement for publication the management board have not yet complete its assessment of the impact of the other standard and interpretation implementation on the group s accounting konto policy relate to operation or financial result\n", + "na dzienie zatwierdzenie niniejszy skonsolidowanego sprawozdanie finansowy do publikacja zarząd nie zakończyć jeszcze prace nad ocena wpływ wprowadzenie pozstałych standard oraz interpretacja na stosowany przez grupa zasada polityka rachunkowość w odniesienie do działalność grupa lub on wynik finansowy\n", + "=====================================================================\n", + "[('erp', 100.0, 413), 100.0, array(['planowanie zasobów przedsiębiorstwa'], dtype=object)]\n", + "at the date of the authorization of these consolidated financial statement for publication the management board have not yet complete its assessment of the impact of the other standard and interpretation implementation on the group s accounting policy relate to operation or financial result\n", + "at the date of the authorization of these consolidated financial statement for publication the management board have not yet complete its assessment of the impact of the other standard and interpretation planowanie zasobów przedsiębiorstwa implementation on the group s accounting policy relate to operation or financial result\n", + "na dzienie zatwierdzenie niniejszy skonsolidowanego sprawozdanie finansowy do publikacja zarząd nie zakończyć jeszcze prace nad ocena wpływ wprowadzenie pozstałych standard oraz interpretacja na stosowany przez grupa zasada polityka rachunkowość w odniesienie do działalność grupa lub on wynik finansowy\n", + "=====================================================================\n", + "[('account', 100.0, 13), 50.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "when determine the type and the severity of the penalty account be take in particular of 1 the severity of a disciplinary offence and its duration 2 a degree of the accused s guilt 3 a financial situation of the accuse manifest itself in particular in the amount of his her annual income 4 the amount of profit gain or loss avoid to the extent to which they can be determine 5 a degree of cooperation of the accuse with authority conduct the disciplinary proceeding\n", + "when determine the type and the severity of the penalty account konto be take in particular of 1 the severity of a disciplinary offence and its duration 2 a degree of the accused s guilt 3 a financial situation of the accuse manifest itself in particular in the amount of his her annual income 4 the amount of profit gain or loss avoid to the extent to which they can be determine 5 a degree of cooperation of the accuse with authority conduct the disciplinary proceeding\n", + "ustalać rodzaj i wymiar kara brać się pod uwaga w szczególność 1 waga przewinienie dyscyplinarny i czas on trwanie 2 stopień wina obwiniony 3 sytuacja finansowy obwiniony wyrażającą się w szczególność w wysokość roczny dochód obwiniony 4 kwota zysk osiągniętych lub strata unikniętych w zakres w jakim można on ustalić 5 stopień współpraca obwiniony z organy prowadzący postępowanie dyscyplinarny\n", + "=====================================================================\n", + "[('account', 100.0, 25), 50.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "when determine the type and the severity of the penalty account be take in particular of 1 the severity of a disciplinary offence and its duration 2 a degree of the accused s guilt 3 a financial situation of the accuse manifest itself in particular in the amount of his her annual income 4 the amount of profit gain or loss avoid to the extent to which they can be determine 5 a degree of cooperation of the accuse with authority conduct the disciplinary proceeding\n", + "when determine the type and the severity of the penalty account konto be take in particular of 1 the severity of a disciplinary offence and its duration 2 a degree of the accused s guilt 3 a financial situation of the accuse manifest itself in particular in the amount of his her annual income 4 the amount of profit gain or loss avoid to the extent to which they can be determine 5 a degree of cooperation of the accuse with authority conduct the disciplinary proceeding\n", + "ustalać rodzaj i wymiar kara brać się pod uwaga w szczególność 1 waga przewinienie dyscyplinarny i czas on trwanie 2 stopień wina obwiniony 3 sytuacja finansowy obwiniony wyrażającą się w szczególność w wysokość roczny dochód obwiniony 4 kwota zysk osiągniętych lub strata unikniętych w zakres w jakim można on ustalić 5 stopień współpraca obwiniony z organy prowadzący postępowanie dyscyplinarny\n", + "=====================================================================\n", + "[('account', 100.0, 57), 50.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "when determine the type and the severity of the penalty account be take in particular of 1 the severity of a disciplinary offence and its duration 2 a degree of the accused s guilt 3 a financial situation of the accuse manifest itself in particular in the amount of his her annual income 4 the amount of profit gain or loss avoid to the extent to which they can be determine 5 a degree of cooperation of the accuse with authority conduct the disciplinary proceeding\n", + "when determine the type and the severity of the penalty account konto be take in particular of 1 the severity of a disciplinary offence and its duration 2 a degree of the accused s guilt 3 a financial situation of the accuse manifest itself in particular in the amount of his her annual income 4 the amount of profit gain or loss avoid to the extent to which they can be determine 5 a degree of cooperation of the accuse with authority conduct the disciplinary proceeding\n", + "ustalać rodzaj i wymiar kara brać się pod uwaga w szczególność 1 waga przewinienie dyscyplinarny i czas on trwanie 2 stopień wina obwiniony 3 sytuacja finansowy obwiniony wyrażającą się w szczególność w wysokość roczny dochód obwiniony 4 kwota zysk osiągniętych lub strata unikniętych w zakres w jakim można on ustalić 5 stopień współpraca obwiniony z organy prowadzący postępowanie dyscyplinarny\n", + "=====================================================================\n", + "[('coo', 100.0, 184), 66.66666666666666, array(['dyrektor operacyjny'], dtype=object)]\n", + "when determine the type and the severity of the penalty account be take in particular of 1 the severity of a disciplinary offence and its duration 2 a degree of the accused s guilt 3 a financial situation of the accuse manifest itself in particular in the amount of his her annual income 4 the amount of profit gain or loss avoid to the extent to which they can be determine 5 a degree of cooperation of the accuse with authority conduct the disciplinary proceeding\n", + "when determine the type and the severity of the penalty account be take in particular of 1 the severity of a disciplinary offence and its duration 2 a degree of the accused s guilt 3 a financial situation of the accuse manifest itself in particular in the amount of his her annual income 4 the amount of profit gain or loss avoid to the extent to which they can be determine 5 a degree of cooperation dyrektor operacyjny of the accuse with authority conduct the disciplinary proceeding\n", + "ustalać rodzaj i wymiar kara brać się pod uwaga w szczególność 1 waga przewinienie dyscyplinarny i czas on trwanie 2 stopień wina obwiniony 3 sytuacja finansowy obwiniony wyrażającą się w szczególność w wysokość roczny dochód obwiniony 4 kwota zysk osiągniętych lub strata unikniętych w zakres w jakim można on ustalić 5 stopień współpraca obwiniony z organy prowadzący postępowanie dyscyplinarny\n", + "=====================================================================\n", + "[('income', 100.0, 638), 100.0, array(['zysk'], dtype=object)]\n", + "when determine the type and the severity of the penalty account be take in particular of 1 the severity of a disciplinary offence and its duration 2 a degree of the accused s guilt 3 a financial situation of the accuse manifest itself in particular in the amount of his her annual income 4 the amount of profit gain or loss avoid to the extent to which they can be determine 5 a degree of cooperation of the accuse with authority conduct the disciplinary proceeding\n", + "when determine the type and the severity of the penalty account be take in zysk particular of 1 the severity of a disciplinary offence and its duration 2 a degree of the accused s guilt 3 a financial situation of the accuse manifest itself in particular in the amount of his her annual income 4 the amount of profit gain or loss avoid to the extent to which they can be determine 5 a degree of cooperation of the accuse with authority conduct the disciplinary proceeding\n", + "ustalać rodzaj i wymiar kara brać się pod uwaga w szczególność 1 waga przewinienie dyscyplinarny i czas on trwanie 2 stopień wina obwiniony 3 sytuacja finansowy obwiniony wyrażającą się w szczególność w wysokość roczny dochód obwiniony 4 kwota zysk osiągniętych lub strata unikniętych w zakres w jakim można on ustalić 5 stopień współpraca obwiniony z organy prowadzący postępowanie dyscyplinarny\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "the group operate such a fund and make periodic contribution to it base on the minimum require amount the amount agree with labour union\n", + "the group grupa kapitałowa operate such a fund and make periodic contribution to it base on the minimum require amount the amount agree with labour union\n", + "grupa tworzyć taki fundusz i dokonywać okresowy odpis w wysokość odpis podstawowego kwota uzgodnionych z związka zawodowy\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "the ultimate parent of the entire group be\n", + "the ultimate parent of the entire group grupa kapitałowa be\n", + "podmiot dominujący cały grupa jest\n", + "=====================================================================\n", + "[('balance', 100.0, 136), 72.72727272727272, array(['saldo'], dtype=object)]\n", + "also car fleet contract classify as operating lease will be recognize in a balance sheet with a corresponding liability measure as discount cash flow from the give lease agreement\n", + "also car fleet contract classify as operating lease will be recognize in a saldo balance sheet with a corresponding liability measure as discount cash flow from the give lease agreement\n", + "również flota samochodowy w leasing operacyjny zostaną ujawnione w bilans wraz z zobowiązanie odpowiadającym zdyskontowanym przepływ w ramy dany umowa leasing\n", + "=====================================================================\n", + "[('balance sheet', 100.0, 137), 61.53846153846154, array(['bilans'], dtype=object)]\n", + "also car fleet contract classify as operating lease will be recognize in a balance sheet with a corresponding liability measure as discount cash flow from the give lease agreement\n", + "also car fleet contract classify as operating lease will be recognize in a balance sheet bilans with a corresponding liability measure as discount cash flow from the give lease agreement\n", + "również flota samochodowy w leasing operacyjny zostaną ujawnione w bilans wraz z zobowiązanie odpowiadającym zdyskontowanym przepływ w ramy dany umowa leasing\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 66.66666666666666, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "also car fleet contract classify as operating lease will be recognize in a balance sheet with a corresponding liability measure as discount cash flow from the give lease agreement\n", + "also car fleet contract classify as operating lease will be recognize koszty sprzedanych produktów, towarów i materiałów in a balance sheet with a corresponding liability measure as discount cash flow from the give lease agreement\n", + "również flota samochodowy w leasing operacyjny zostaną ujawnione w bilans wraz z zobowiązanie odpowiadającym zdyskontowanym przepływ w ramy dany umowa leasing\n", + "=====================================================================\n", + "[('cash', 100.0, 203), 57.142857142857146, array(['środki pieniężne'], dtype=object)]\n", + "also car fleet contract classify as operating lease will be recognize in a balance sheet with a corresponding liability measure as discount cash flow from the give lease agreement\n", + "also car fleet contract classify as środki pieniężne operating lease will be recognize in a balance sheet with a corresponding liability measure as discount cash flow from the give lease agreement\n", + "również flota samochodowy w leasing operacyjny zostaną ujawnione w bilans wraz z zobowiązanie odpowiadającym zdyskontowanym przepływ w ramy dany umowa leasing\n", + "=====================================================================\n", + "[('contract', 100.0, 282), 60.0, array(['kontrakt', 'umowa'], dtype=object)]\n", + "also car fleet contract classify as operating lease will be recognize in a balance sheet with a corresponding liability measure as discount cash flow from the give lease agreement\n", + "also car fleet contract kontrakt classify as operating lease will be recognize in a balance sheet with a corresponding liability measure as discount cash flow from the give lease agreement\n", + "również flota samochodowy w leasing operacyjny zostaną ujawnione w bilans wraz z zobowiązanie odpowiadającym zdyskontowanym przepływ w ramy dany umowa leasing\n", + "=====================================================================\n", + "[('information management', 100.0, 657), 50.0, array(['zarządzanie informacją'], dtype=object)]\n", + "this approach require develop of the appropriate system for non financial information management assessment and gathering of those datum and maintenance of appropriate documentation\n", + "this approach require develop of the appropriate system for non financial information management zarządzanie informacją assessment and gathering of those datum and maintenance of appropriate documentation\n", + "takie podejście wymagać opracowanie odpowiedni system zarządzanie obszar finansowy mierzenia on zbieranie i agregowania dane oraz utrzymywania odpowiedni dokumentacja\n", + "=====================================================================\n", + "[('audit documentation', 88.88888888888889, 114), 57.142857142857146, array(['dokumentacja z badania sprawozdania finansowego'], dtype=object)]\n", + "this approach require develop of the appropriate system for non financial information management assessment and gathering of those datum and maintenance of appropriate documentation\n", + "this approach require develop of the appropriate system for non financial information dokumentacja z badania sprawozdania finansowego management assessment and gathering of those datum and maintenance of appropriate documentation\n", + "takie podejście wymagać opracowanie odpowiedni system zarządzanie obszar finansowy mierzenia on zbieranie i agregowania dane oraz utrzymywania odpowiedni dokumentacja\n", + "=====================================================================\n", + "[('guarantee', 100.0, 594), 36.36363636363637, array(['udzielić gwarancji'], dtype=object)]\n", + "loan guarantee\n", + "loan udzielić gwarancji guarantee\n", + "poręczenie spłata kredyt\n", + "=====================================================================\n", + "[('loan a', 90.9090909090909, 722), 44.44444444444444, array(['kredyt (udzielony)'], dtype=object)]\n", + "loan guarantee\n", + "loan guarantee kredyt (udzielony) \n", + "poręczenie spłata kredyt\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the polish chamber of statutory auditors shall form and liquidate regional division 3 the polish chamber of statutory auditors have the right to use the official seal dz\n", + "the polish chamber of statutory auditors badanie sprawozdania finansowego shall form and liquidate regional division 3 the polish chamber of statutory auditors have the right to use the official seal dz\n", + "polski izba biegły rewident tworzyć i likwidować oddział regionalny 3 polski izba biegły rewident mieć prawo używanie pieczęć urzędowy\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "the polish chamber of statutory auditors shall form and liquidate regional division 3 the polish chamber of statutory auditors have the right to use the official seal dz\n", + "the polish chamber of statutory auditors biegły rewident shall form and liquidate regional division 3 the polish chamber of statutory auditors have the right to use the official seal dz\n", + "polski izba biegły rewident tworzyć i likwidować oddział regionalny 3 polski izba biegły rewident mieć prawo używanie pieczęć urzędowy\n", + "=====================================================================\n", + "[('balance', 100.0, 136), 72.72727272727272, array(['saldo'], dtype=object)]\n", + "open balance as at 1 january 2017\n", + "open balance saldo as at 1 january 2017\n", + "bilans otwarcie na 1 stycznia2017 rok\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 66.66666666666666, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "accord to the resolution of the minister of finance date 25 may 2016 amend the resolution on current and periodic information publish by issuer of security and condition for recognition as equivalent information require by the law of a non member country dz\n", + "accord to the resolution of the minister of finance date 25 may 2016 amend the resolution on current and periodic information publish by issuer of security and condition for recognition koszty sprzedanych produktów, towarów i materiałów as equivalent information require by the law of a non member country dz\n", + "zgodnie z rozporządzenie minister finanse z dzień 25 maj 2016 rok zmieniającym rozporządzenie w sprawa informacja bieżący i okresowy przekazywanych przez emitent papier wartościowy oraz warunki uznawania za równoważny informacja wymaganych przepis prawo państwo niebędącego państwo członkowski dz\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "in the case refer to in passage 1 the audit oversight commission may submit the request to the competent public oversight authority of the ue member state so that its authorise representative could participate in investigative activity\n", + "in the case refer to in passage 1 the audit badanie sprawozdania finansowego oversight commission may submit the request to the competent public oversight authority of the ue member state so that its authorise representative could participate in investigative activity\n", + "w przypadek o którym mowa w ust 1 komisja nadzór audytowy móc skierować wniosek do właściwy organ nadzór publiczny z państwo unia europejski aby on upoważnieni przedstawiciel móc uczestniczyć w działanie o charakter dochodzeniowy\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "in the case refer to in passage 1 the audit oversight commission may submit the request to the competent public oversight authority of the ue member state so that its authorise representative could participate in investigative activity\n", + "in the case refer to in passage 1 the audit oversight commission prowizje may submit the request to the competent public oversight authority of the ue member state so that its authorise representative could participate in investigative activity\n", + "w przypadek o którym mowa w ust 1 komisja nadzór audytowy móc skierować wniosek do właściwy organ nadzór publiczny z państwo unia europejski aby on upoważnieni przedstawiciel móc uczestniczyć w działanie o charakter dochodzeniowy\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 100.0, array(['nadzór'], dtype=object)]\n", + "in the case refer to in passage 1 the audit oversight commission may submit the request to the competent public oversight authority of the ue member state so that its authorise representative could participate in investigative activity\n", + "in the case refer to in passage 1 the audit oversight nadzór commission may submit the request to the competent public oversight authority of the ue member state so that its authorise representative could participate in investigative activity\n", + "w przypadek o którym mowa w ust 1 komisja nadzór audytowy móc skierować wniosek do właściwy organ nadzór publiczny z państwo unia europejski aby on upoważnieni przedstawiciel móc uczestniczyć w działanie o charakter dochodzeniowy\n", + "=====================================================================\n", + "[('company', 100.0, 245), 100.0, array(['spółka kapitałowa'], dtype=object)]\n", + "it be worth note that the group of 10 large investor include polish company such as comarch and the asseco group\n", + "it be worth note that the group of 10 large investor include polish company spółka kapitałowa such as comarch and the asseco group\n", + "co istotny w groń 10 wielki inwestor znajdywać się również polski podmiot comarch i grupa asseco\n", + "=====================================================================\n", + "[('group', 100.0, 593), 85.71428571428571, array(['grupa kapitałowa'], dtype=object)]\n", + "it be worth note that the group of 10 large investor include polish company such as comarch and the asseco group\n", + "it be worth note that the group grupa kapitałowa of 10 large investor include polish company such as comarch and the asseco group\n", + "co istotny w groń 10 wielki inwestor znajdywać się również polski podmiot comarch i grupa asseco\n", + "=====================================================================\n", + "[('note', 100.0, 791), 66.66666666666666, array(['informacja dodatkowa'], dtype=object)]\n", + "it be worth note that the group of 10 large investor include polish company such as comarch and the asseco group\n", + "it be worth note informacja dodatkowa that the group of 10 large investor include polish company such as comarch and the asseco group\n", + "co istotny w groń 10 wielki inwestor znajdywać się również polski podmiot comarch i grupa asseco\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the audit firm member of the audit team and a natural person that may affect result of the audit shall be independent from the audited entity and shall not be involve in process of make decision by the audit entity at least in the period cover by the audit financial statement and the audit period\n", + "the audit badanie sprawozdania finansowego firm member of the audit team and a natural person that may affect result of the audit shall be independent from the audited entity and shall not be involve in process of make decision by the audit entity at least in the period cover by the audit financial statement and the audit period\n", + "firma audytorski członek zespół wykonującego badan oraz osoba fizyczny mogący wpłynąć na wynik badanie są zależny od badany jednostka i nie brać udział w proces podejmowania decyzja przez badany jednostka co mało w okres objętym badany sprawozdanie finansowy oraz okres przeprowadzania badanie\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 100.0, array(['jednostka'], dtype=object)]\n", + "the audit firm member of the audit team and a natural person that may affect result of the audit shall be independent from the audited entity and shall not be involve in process of make decision by the audit entity at least in the period cover by the audit financial statement and the audit period\n", + "the audit firm member of the audit team and a natural person that may affect result of the audit shall be independent from the audited entity jednostka and shall not be involve in process of make decision by the audit entity at least in the period cover by the audit financial statement and the audit period\n", + "firma audytorski członek zespół wykonującego badan oraz osoba fizyczny mogący wpłynąć na wynik badanie są zależny od badany jednostka i nie brać udział w proces podejmowania decyzja przez badany jednostka co mało w okres objętym badany sprawozdanie finansowy oraz okres przeprowadzania badanie\n", + "=====================================================================\n", + "[('financial statement', 100.0, 526), 54.54545454545455, array(['sprawozdanie finansowe'], dtype=object)]\n", + "the audit firm member of the audit team and a natural person that may affect result of the audit shall be independent from the audited entity and shall not be involve in process of make decision by the audit entity at least in the period cover by the audit financial statement and the audit period\n", + "the audit firm member of the audit team and a natural person that may affect result of the audit shall be independent from the audited entity and shall not be involve in process of make decision by the audit entity at least in the period cover by the audit financial statement sprawozdanie finansowe and the audit period\n", + "firma audytorski członek zespół wykonującego badan oraz osoba fizyczny mogący wpłynąć na wynik badanie są zależny od badany jednostka i nie brać udział w proces podejmowania decyzja przez badany jednostka co mało w okres objętym badany sprawozdanie finansowy oraz okres przeprowadzania badanie\n", + "=====================================================================\n", + "[('cash', 100.0, 203), 100.0, array(['środki pieniężne'], dtype=object)]\n", + "the documentation include identification of the hedge instrument the hedge item or transaction the nature of the risk be hedge and how the company will assess the hedge instrument s effectiveness in offset the exposure to change in the hedge item s fair value or cash flow attributable to the hedged risk\n", + "the documentation include identification of the hedge instrument the hedge item or transaction the nature of the risk be hedge and how the company will assess the hedge instrument s środki pieniężne effectiveness in offset the exposure to change in the hedge item s fair value or cash flow attributable to the hedged risk\n", + "dokumentacja zawierać identyfikacja instrument zabezpieczający zabezpieczanej pozycja lub transakcja charakter zabezpieczanego ryzyko a także sposób ocena efektywność instrument zabezpieczający w kompensowaniu zagrożenie zmiana wartość godziwy zabezpieczanej pozycja lub przepływ pieniężny związanych z zabezpieczanym ryzyko\n", + "=====================================================================\n", + "[('company', 100.0, 245), 100.0, array(['spółka kapitałowa'], dtype=object)]\n", + "the documentation include identification of the hedge instrument the hedge item or transaction the nature of the risk be hedge and how the company will assess the hedge instrument s effectiveness in offset the exposure to change in the hedge item s fair value or cash flow attributable to the hedged risk\n", + "the documentation include identification of the hedge instrument the hedge item or transaction the nature of the risk be hedge and how the company spółka kapitałowa will assess the hedge instrument s effectiveness in offset the exposure to change in the hedge item s fair value or cash flow attributable to the hedged risk\n", + "dokumentacja zawierać identyfikacja instrument zabezpieczający zabezpieczanej pozycja lub transakcja charakter zabezpieczanego ryzyko a także sposób ocena efektywność instrument zabezpieczający w kompensowaniu zagrożenie zmiana wartość godziwy zabezpieczanej pozycja lub przepływ pieniężny związanych z zabezpieczanym ryzyko\n", + "=====================================================================\n", + "[('fair value', 100.0, 497), 53.333333333333336, array(['wartość godziwa'], dtype=object)]\n", + "the documentation include identification of the hedge instrument the hedge item or transaction the nature of the risk be hedge and how the company will assess the hedge instrument s effectiveness in offset the exposure to change in the hedge item s fair value or cash flow attributable to the hedged risk\n", + "the documentation include identification of the hedge instrument the hedge item or transaction the nature of the risk be hedge and how the company will assess the hedge instrument s effectiveness in offset the exposure to change in the hedge item s fair value wartość godziwa or cash flow attributable to the hedged risk\n", + "dokumentacja zawierać identyfikacja instrument zabezpieczający zabezpieczanej pozycja lub transakcja charakter zabezpieczanego ryzyko a także sposób ocena efektywność instrument zabezpieczający w kompensowaniu zagrożenie zmiana wartość godziwy zabezpieczanej pozycja lub przepływ pieniężny związanych z zabezpieczanym ryzyko\n", + "=====================================================================\n", + "[('hedge', 100.0, 600), 50.0, array(['transakcje zabezpieczające'], dtype=object)]\n", + "the documentation include identification of the hedge instrument the hedge item or transaction the nature of the risk be hedge and how the company will assess the hedge instrument s effectiveness in offset the exposure to change in the hedge item s fair value or cash flow attributable to the hedged risk\n", + "the documentation include identification of the hedge transakcje zabezpieczające instrument the hedge item or transaction the nature of the risk be hedge and how the company will assess the hedge instrument s effectiveness in offset the exposure to change in the hedge item s fair value or cash flow attributable to the hedged risk\n", + "dokumentacja zawierać identyfikacja instrument zabezpieczający zabezpieczanej pozycja lub transakcja charakter zabezpieczanego ryzyko a także sposób ocena efektywność instrument zabezpieczający w kompensowaniu zagrożenie zmiana wartość godziwy zabezpieczanej pozycja lub przepływ pieniężny związanych z zabezpieczanym ryzyko\n", + "=====================================================================\n", + "[('sac', 100.0, 993), 100.0, array(['komisje doradcze ds. standardów'], dtype=object)]\n", + "the documentation include identification of the hedge instrument the hedge item or transaction the nature of the risk be hedge and how the company will assess the hedge instrument s effectiveness in offset the exposure to change in the hedge item s fair value or cash flow attributable to the hedged risk\n", + "the documentation include identification of the hedge instrument the hedge item or transaction komisje doradcze ds. standardów the nature of the risk be hedge and how the company will assess the hedge instrument s effectiveness in offset the exposure to change in the hedge item s fair value or cash flow attributable to the hedged risk\n", + "dokumentacja zawierać identyfikacja instrument zabezpieczający zabezpieczanej pozycja lub transakcja charakter zabezpieczanego ryzyko a także sposób ocena efektywność instrument zabezpieczający w kompensowaniu zagrożenie zmiana wartość godziwy zabezpieczanej pozycja lub przepływ pieniężny związanych z zabezpieczanym ryzyko\n", + "=====================================================================\n", + "[('company', 100.0, 245), 60.0, array(['spółka kapitałowa'], dtype=object)]\n", + "the above mention scenario do not exhaust the range of scenario and consequence of cyberattack especially in the light of the continue evolution of method and source of the attack therefore employee awareness in the field of cybersecurity at all level of the organization play a key role to ensure company s cybersecurity lack of cybersecurity awareness be the most common factor use by cybercriminal to carry out a successful attack\n", + "the above mention scenario do not exhaust the range of scenario and consequence of cyberattack especially in the light of the continue evolution of method and source of the attack therefore employee awareness in the field of cybersecurity at all level of the organization play a spółka kapitałowa key role to ensure company s cybersecurity lack of cybersecurity awareness be the most common factor use by cybercriminal to carry out a successful attack\n", + "wskazany scenariusz nie wyczerpywać gama i konsekwencja cyberataków szczególnie w światło stały ewolucja metoda i źródło atak z tego wzgląd szczególny znaczenie nabierać świadomość pracownik na wszystkich szczebel organizacja w zakres cyberbezpieczeństwa której brak są często wykorzystywane przez cyberprzestępców w cel przeprowadzenia skuteczny atak\n", + "=====================================================================\n", + "[('derivative', 100.0, 377), 66.66666666666666, array(['instrumenty pochodne'], dtype=object)]\n", + "odpowiednio zmodyfikować jeśli spółka nie korzysta such derivative financial instrument be re measure to fair value\n", + "odpowiednio zmodyfikować jeśli spółka nie korzysta such derivative instrumenty pochodne financial instrument be re measure to fair value\n", + "odpowiednio zmodyfikować jeśli spółka nie korzysta tego rodzaj pochodny instrument finansowy są wyceniane do wartość godziwy\n", + "=====================================================================\n", + "[('fair value', 100.0, 497), 44.44444444444444, array(['wartość godziwa'], dtype=object)]\n", + "odpowiednio zmodyfikować jeśli spółka nie korzysta such derivative financial instrument be re measure to fair value\n", + "odpowiednio zmodyfikować jeśli spółka nie korzysta such derivative financial instrument be re measure to fair wartość godziwa value\n", + "odpowiednio zmodyfikować jeśli spółka nie korzysta tego rodzaj pochodny instrument finansowy są wyceniane do wartość godziwy\n", + "=====================================================================\n", + "[('financial instrument', 100.0, 516), 73.33333333333333, array(['instrumenty finansowe'], dtype=object)]\n", + "odpowiednio zmodyfikować jeśli spółka nie korzysta such derivative financial instrument be re measure to fair value\n", + "odpowiednio zmodyfikować jeśli spółka nie korzysta such derivative financial instrument instrumenty finansowe be re measure to fair value\n", + "odpowiednio zmodyfikować jeśli spółka nie korzysta tego rodzaj pochodny instrument finansowy są wyceniane do wartość godziwy\n", + "=====================================================================\n", + "[('vat', 100.0, 1156), 66.66666666666666, array(['vat'], dtype=object)]\n", + "odpowiednio zmodyfikować jeśli spółka nie korzysta such derivative financial instrument be re measure to fair value\n", + "odpowiednio zmodyfikować jeśli spółka nie korzysta such derivative vat financial instrument be re measure to fair value\n", + "odpowiednio zmodyfikować jeśli spółka nie korzysta tego rodzaj pochodny instrument finansowy są wyceniane do wartość godziwy\n", + "=====================================================================\n", + "[('par value', 88.88888888888889, 850), 44.44444444444444, array(['wartość nominalna'], dtype=object)]\n", + "odpowiednio zmodyfikować jeśli spółka nie korzysta such derivative financial instrument be re measure to fair value\n", + "odpowiednio zmodyfikować jeśli spółka nie korzysta such derivative wartość nominalna financial instrument be re measure to fair value\n", + "odpowiednio zmodyfikować jeśli spółka nie korzysta tego rodzaj pochodny instrument finansowy są wyceniane do wartość godziwy\n", + "=====================================================================\n", + "[('company', 100.0, 245), 50.0, array(['spółka kapitałowa'], dtype=object)]\n", + "as at 31 december 2017 the company have a interest in nazwa 31 december 2016\n", + "as at 31 december 2017 the company spółka kapitałowa have a interest in nazwa 31 december 2016\n", + "na dzienie 31 grudzień 2017 rok spółka posiadać udział w spółka nazwa 31 grudzień 2016\n", + "=====================================================================\n", + "[('interest', 100.0, 664), 54.54545454545455, array(['odsetki'], dtype=object)]\n", + "as at 31 december 2017 the company have a interest in nazwa 31 december 2016\n", + "as at 31 december 2017 the company have a interest odsetki in nazwa 31 december 2016\n", + "na dzienie 31 grudzień 2017 rok spółka posiadać udział w spółka nazwa 31 grudzień 2016\n", + "=====================================================================\n", + "[('cap', 100.0, 178), 50.0, array(['dyplomowany księgowy'], dtype=object)]\n", + "ai offer the ability to boost current capital and labor to stimulate economic growth\n", + "ai offer the ability to boost current capital dyplomowany księgowy and labor to stimulate economic growth\n", + "ai dawać też możliwość zwiększenie efektywność wykorzy stania zasób w cel pobudzanie wzrost gospodar czego\n", + "=====================================================================\n", + "[('economic', 100.0, 433), 50.0, array(['ekonomia'], dtype=object)]\n", + "ai offer the ability to boost current capital and labor to stimulate economic growth\n", + "ai offer the ability to boost current capital and labor to stimulate economic ekonomia growth\n", + "ai dawać też możliwość zwiększenie efektywność wykorzy stania zasób w cel pobudzanie wzrost gospodar czego\n", + "=====================================================================\n", + "[('account', 100.0, 13), 61.53846153846154, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the group discontinue hedge account prospectively if the hedge instrument expire or be sell terminate or exercised or the hedge no long qualify for hedge accounting or the group revoke the designation\n", + "the group discontinue hedge account konto prospectively if the hedge instrument expire or be sell terminate or exercised or the hedge no long qualify for hedge accounting or the group revoke the designation\n", + "grupa zaprzestawać stosowania zasada rachunkowość zabezpieczenie jeżeli instrument zabezpieczający wygasać zostaje sprzedany rozwiązany lub wykonany jeżeli zabezpieczenie przestawać spełniać kryterium rachunkowość zabezpieczenie lub gdy grupa unieważnia powiązanie zabezpieczający\n", + "=====================================================================\n", + "[('account', 100.0, 25), 61.53846153846154, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the group discontinue hedge account prospectively if the hedge instrument expire or be sell terminate or exercised or the hedge no long qualify for hedge accounting or the group revoke the designation\n", + "the group discontinue hedge account konto prospectively if the hedge instrument expire or be sell terminate or exercised or the hedge no long qualify for hedge accounting or the group revoke the designation\n", + "grupa zaprzestawać stosowania zasada rachunkowość zabezpieczenie jeżeli instrument zabezpieczający wygasać zostaje sprzedany rozwiązany lub wykonany jeżeli zabezpieczenie przestawać spełniać kryterium rachunkowość zabezpieczenie lub gdy grupa unieważnia powiązanie zabezpieczający\n", + "=====================================================================\n", + "[('account', 100.0, 57), 61.53846153846154, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the group discontinue hedge account prospectively if the hedge instrument expire or be sell terminate or exercised or the hedge no long qualify for hedge accounting or the group revoke the designation\n", + "the group discontinue hedge account konto prospectively if the hedge instrument expire or be sell terminate or exercised or the hedge no long qualify for hedge accounting or the group revoke the designation\n", + "grupa zaprzestawać stosowania zasada rachunkowość zabezpieczenie jeżeli instrument zabezpieczający wygasać zostaje sprzedany rozwiązany lub wykonany jeżeli zabezpieczenie przestawać spełniać kryterium rachunkowość zabezpieczenie lub gdy grupa unieważnia powiązanie zabezpieczający\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "the group discontinue hedge account prospectively if the hedge instrument expire or be sell terminate or exercised or the hedge no long qualify for hedge accounting or the group revoke the designation\n", + "the group grupa kapitałowa discontinue hedge account prospectively if the hedge instrument expire or be sell terminate or exercised or the hedge no long qualify for hedge accounting or the group revoke the designation\n", + "grupa zaprzestawać stosowania zasada rachunkowość zabezpieczenie jeżeli instrument zabezpieczający wygasać zostaje sprzedany rozwiązany lub wykonany jeżeli zabezpieczenie przestawać spełniać kryterium rachunkowość zabezpieczenie lub gdy grupa unieważnia powiązanie zabezpieczający\n", + "=====================================================================\n", + "[('hedge', 100.0, 600), 44.44444444444444, array(['transakcje zabezpieczające'], dtype=object)]\n", + "the group discontinue hedge account prospectively if the hedge instrument expire or be sell terminate or exercised or the hedge no long qualify for hedge accounting or the group revoke the designation\n", + "the group discontinue hedge transakcje zabezpieczające account prospectively if the hedge instrument expire or be sell terminate or exercised or the hedge no long qualify for hedge accounting or the group revoke the designation\n", + "grupa zaprzestawać stosowania zasada rachunkowość zabezpieczenie jeżeli instrument zabezpieczający wygasać zostaje sprzedany rozwiązany lub wykonany jeżeli zabezpieczenie przestawać spełniać kryterium rachunkowość zabezpieczenie lub gdy grupa unieważnia powiązanie zabezpieczający\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 40.0, array(['strata'], dtype=object)]\n", + "profit loss for the period\n", + "profit loss strata for the period\n", + "zysk strata netto za okres\n", + "=====================================================================\n", + "[('profit', 100.0, 898), 36.36363636363637, array(['zysk'], dtype=object)]\n", + "profit loss for the period\n", + "profit zysk loss for the period\n", + "zysk strata netto za okres\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the audit firm of the group document the result of its own work perform in connection with the audit of the consolidated financial statement and prepare the audit file refer to in article 67 passage 4 4\n", + "the audit badanie sprawozdania finansowego firm of the group document the result of its own work perform in connection with the audit of the consolidated financial statement and prepare the audit file refer to in article 67 passage 4 4\n", + "firma audytorski grupa dokumentować wynik własny praca wykonanej w związek z badanie skonsolidowanego sprawozdanie finansowy i tworzyć akt badanie o których mowa w art 67 ust 4 4\n", + "=====================================================================\n", + "[('financial statement', 100.0, 526), 66.66666666666666, array(['sprawozdanie finansowe'], dtype=object)]\n", + "the audit firm of the group document the result of its own work perform in connection with the audit of the consolidated financial statement and prepare the audit file refer to in article 67 passage 4 4\n", + "the audit firm of the group document the result of its own work perform in connection with the audit of the consolidated financial statement sprawozdanie finansowe and prepare the audit file refer to in article 67 passage 4 4\n", + "firma audytorski grupa dokumentować wynik własny praca wykonanej w związek z badanie skonsolidowanego sprawozdanie finansowy i tworzyć akt badanie o których mowa w art 67 ust 4 4\n", + "=====================================================================\n", + "[('group', 100.0, 593), 100.0, array(['grupa kapitałowa'], dtype=object)]\n", + "the audit firm of the group document the result of its own work perform in connection with the audit of the consolidated financial statement and prepare the audit file refer to in article 67 passage 4 4\n", + "the audit firm of the group grupa kapitałowa document the result of its own work perform in connection with the audit of the consolidated financial statement and prepare the audit file refer to in article 67 passage 4 4\n", + "firma audytorski grupa dokumentować wynik własny praca wykonanej w związek z badanie skonsolidowanego sprawozdanie finansowy i tworzyć akt badanie o których mowa w art 67 ust 4 4\n", + "=====================================================================\n", + "[('consideration', 100.0, 263), 100.0, array(['zapłata'], dtype=object)]\n", + "however the group decide to use the practical expedient provide in ifrs 15 and will not adjust the promise amount of the consideration for the effect of a significant financing component in the contract where the group expect at contract inception that the period between the group transfer of a promise good or service to a customer and when the customer pay for that good or service will be one year or less\n", + "however the group decide to use the practical expedient provide in ifrs 15 and will not adjust the promise amount of the consideration zapłata for the effect of a significant financing component in the contract where the group expect at contract inception that the period between the group transfer of a promise good or service to a customer and when the customer pay for that good or service will be one year or less\n", + "grupa zdecydować się skorzystać z praktyczny rozwiązanie zgodny z którym nie korygować przyrzeczonej kwota wynagrodzenie o wpływ istotny element finansowania jeśli w moment zawarcie umowa oczekiwać że okres od moment przekazania przyrzeczonego dobro lub usługa klient do moment zapłata za dobro lub usługa przez klient wynieść nie więcej niż jeden rok\n", + "=====================================================================\n", + "[('contract', 100.0, 282), 100.0, array(['kontrakt', 'umowa'], dtype=object)]\n", + "however the group decide to use the practical expedient provide in ifrs 15 and will not adjust the promise amount of the consideration for the effect of a significant financing component in the contract where the group expect at contract inception that the period between the group transfer of a promise good or service to a customer and when the customer pay for that good or service will be one year or less\n", + "however the group decide to use the practical expedient provide in ifrs 15 and will not adjust the promise amount of the consideration for the effect of a kontrakt significant financing component in the contract where the group expect at contract inception that the period between the group transfer of a promise good or service to a customer and when the customer pay for that good or service will be one year or less\n", + "grupa zdecydować się skorzystać z praktyczny rozwiązanie zgodny z którym nie korygować przyrzeczonej kwota wynagrodzenie o wpływ istotny element finansowania jeśli w moment zawarcie umowa oczekiwać że okres od moment przekazania przyrzeczonego dobro lub usługa klient do moment zapłata za dobro lub usługa przez klient wynieść nie więcej niż jeden rok\n", + "=====================================================================\n", + "[('contract', 100.0, 283), 100.0, array(['kontrakt', 'umowa'], dtype=object)]\n", + "however the group decide to use the practical expedient provide in ifrs 15 and will not adjust the promise amount of the consideration for the effect of a significant financing component in the contract where the group expect at contract inception that the period between the group transfer of a promise good or service to a customer and when the customer pay for that good or service will be one year or less\n", + "however the group decide to use the practical expedient provide in ifrs 15 and will not adjust the promise amount of the consideration for the effect of a kontrakt significant financing component in the contract where the group expect at contract inception that the period between the group transfer of a promise good or service to a customer and when the customer pay for that good or service will be one year or less\n", + "grupa zdecydować się skorzystać z praktyczny rozwiązanie zgodny z którym nie korygować przyrzeczonej kwota wynagrodzenie o wpływ istotny element finansowania jeśli w moment zawarcie umowa oczekiwać że okres od moment przekazania przyrzeczonego dobro lub usługa klient do moment zapłata za dobro lub usługa przez klient wynieść nie więcej niż jeden rok\n", + "=====================================================================\n", + "[('group', 100.0, 593), 100.0, array(['grupa kapitałowa'], dtype=object)]\n", + "however the group decide to use the practical expedient provide in ifrs 15 and will not adjust the promise amount of the consideration for the effect of a significant financing component in the contract where the group expect at contract inception that the period between the group transfer of a promise good or service to a customer and when the customer pay for that good or service will be one year or less\n", + "however the group grupa kapitałowa decide to use the practical expedient provide in ifrs 15 and will not adjust the promise amount of the consideration for the effect of a significant financing component in the contract where the group expect at contract inception that the period between the group transfer of a promise good or service to a customer and when the customer pay for that good or service will be one year or less\n", + "grupa zdecydować się skorzystać z praktyczny rozwiązanie zgodny z którym nie korygować przyrzeczonej kwota wynagrodzenie o wpływ istotny element finansowania jeśli w moment zawarcie umowa oczekiwać że okres od moment przekazania przyrzeczonego dobro lub usługa klient do moment zapłata za dobro lub usługa przez klient wynieść nie więcej niż jeden rok\n", + "=====================================================================\n", + "[('ifrs', 100.0, 624), 66.66666666666666, array(['mssf'], dtype=object)]\n", + "however the group decide to use the practical expedient provide in ifrs 15 and will not adjust the promise amount of the consideration for the effect of a significant financing component in the contract where the group expect at contract inception that the period between the group transfer of a promise good or service to a customer and when the customer pay for that good or service will be one year or less\n", + "however the group decide to use the practical expedient provide in ifrs mssf 15 and will not adjust the promise amount of the consideration for the effect of a significant financing component in the contract where the group expect at contract inception that the period between the group transfer of a promise good or service to a customer and when the customer pay for that good or service will be one year or less\n", + "grupa zdecydować się skorzystać z praktyczny rozwiązanie zgodny z którym nie korygować przyrzeczonej kwota wynagrodzenie o wpływ istotny element finansowania jeśli w moment zawarcie umowa oczekiwać że okres od moment przekazania przyrzeczonego dobro lub usługa klient do moment zapłata za dobro lub usługa przez klient wynieść nie więcej niż jeden rok\n", + "=====================================================================\n", + "[('guarantee', 100.0, 594), 44.44444444444444, array(['udzielić gwarancji'], dtype=object)]\n", + "third party loan guarantee note\n", + "third party loan guarantee udzielić gwarancji note\n", + "poręczenie kredyt bankowy udzielonego strona trzeci nota\n", + "=====================================================================\n", + "[('note', 100.0, 791), 57.142857142857146, array(['informacja dodatkowa'], dtype=object)]\n", + "third party loan guarantee note\n", + "third party loan guarantee informacja dodatkowa note\n", + "poręczenie kredyt bankowy udzielonego strona trzeci nota\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "to resolution of the national council of statutory auditors refer to in passage 4 and the provision of the act of 14 june 1960 code of administrative procedure shall apply 9 there shall be no right of appeal against the resolution refer to in passage 4 and 5 however a party dissatisfy with the decision may submit an application for re examination of the case pursuant to article 127 3 of the act of 14 june 1960 code of administrative procedure 10 the percentage rate term and manner of payment of the fee refer to in passage 1 and 2 shall be determine by the national broadcasting council of statutory auditors by way of a resolution 11\n", + "to resolution of the national council of statutory auditors badanie sprawozdania finansowego refer to in passage 4 and the provision of the act of 14 june 1960 code of administrative procedure shall apply 9 there shall be no right of appeal against the resolution refer to in passage 4 and 5 however a party dissatisfy with the decision may submit an application for re examination of the case pursuant to article 127 3 of the act of 14 june 1960 code of administrative procedure 10 the percentage rate term and manner of payment of the fee refer to in passage 1 and 2 shall be determine by the national broadcasting council of statutory auditors by way of a resolution 11\n", + "do uchwał krajowy rada biegły rewident o których mowa w ust 4 i 5 stosować się odpowiednio przepis ustawa z dzień 14 czerwiec 1960 r kodeks postępowanie administracyjny 9 od uchwał o których mowa w ust 4 i 5 nie służyć odwołanie jednakże strona zadowolony z decyzja móc zło żyć wniosek o ponowny rozpatrzenie sprawa zgodnie z art 127 3 ustawa z dzień 14 czerwiec 1960 r kodeks postępo wania administracyjny 8 zmiana tekst jednolity wymienionej ustawa zostały ogłoszone w dz u z 2016 r poz 868 1228 1244 1579 1860 i 1948 oraz z 2017 r poz 933 dziennik ustawa 25 poz 1089 10 wysokość stawka procentowy termin i sposób uiszczenia opłata o których mowa w ust 1 i 2 określać krajowy rado biegły rewident w forma uchwała 11\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "to resolution of the national council of statutory auditors refer to in passage 4 and the provision of the act of 14 june 1960 code of administrative procedure shall apply 9 there shall be no right of appeal against the resolution refer to in passage 4 and 5 however a party dissatisfy with the decision may submit an application for re examination of the case pursuant to article 127 3 of the act of 14 june 1960 code of administrative procedure 10 the percentage rate term and manner of payment of the fee refer to in passage 1 and 2 shall be determine by the national broadcasting council of statutory auditors by way of a resolution 11\n", + "to biegły rewident resolution of the national council of statutory auditors refer to in passage 4 and the provision of the act of 14 june 1960 code of administrative procedure shall apply 9 there shall be no right of appeal against the resolution refer to in passage 4 and 5 however a party dissatisfy with the decision may submit an application for re examination of the case pursuant to article 127 3 of the act of 14 june 1960 code of administrative procedure 10 the percentage rate term and manner of payment of the fee refer to in passage 1 and 2 shall be determine by the national broadcasting council of statutory auditors by way of a resolution 11\n", + "do uchwał krajowy rada biegły rewident o których mowa w ust 4 i 5 stosować się odpowiednio przepis ustawa z dzień 14 czerwiec 1960 r kodeks postępowanie administracyjny 9 od uchwał o których mowa w ust 4 i 5 nie służyć odwołanie jednakże strona zadowolony z decyzja móc zło żyć wniosek o ponowny rozpatrzenie sprawa zgodnie z art 127 3 ustawa z dzień 14 czerwiec 1960 r kodeks postępo wania administracyjny 8 zmiana tekst jednolity wymienionej ustawa zostały ogłoszone w dz u z 2016 r poz 868 1228 1244 1579 1860 i 1948 oraz z 2017 r poz 933 dziennik ustawa 25 poz 1089 10 wysokość stawka procentowy termin i sposób uiszczenia opłata o których mowa w ust 1 i 2 określać krajowy rado biegły rewident w forma uchwała 11\n", + "=====================================================================\n", + "[('ppe', 100.0, 844), 50.0, array(['środki trwałe'], dtype=object)]\n", + "to resolution of the national council of statutory auditors refer to in passage 4 and the provision of the act of 14 june 1960 code of administrative procedure shall apply 9 there shall be no right of appeal against the resolution refer to in passage 4 and 5 however a party dissatisfy with the decision may submit an application for re examination of the case pursuant to article 127 3 of the act of 14 june 1960 code of administrative procedure 10 the percentage rate term and manner of payment of the fee refer to in passage 1 and 2 shall be determine by the national broadcasting council of statutory auditors by way of a resolution 11\n", + "to resolution of the national council of statutory auditors refer to in passage 4 and the provision of the act of 14 june 1960 code of administrative procedure shall apply 9 there shall be no right of appeal środki trwałe against the resolution refer to in passage 4 and 5 however a party dissatisfy with the decision may submit an application for re examination of the case pursuant to article 127 3 of the act of 14 june 1960 code of administrative procedure 10 the percentage rate term and manner of payment of the fee refer to in passage 1 and 2 shall be determine by the national broadcasting council of statutory auditors by way of a resolution 11\n", + "do uchwał krajowy rada biegły rewident o których mowa w ust 4 i 5 stosować się odpowiednio przepis ustawa z dzień 14 czerwiec 1960 r kodeks postępowanie administracyjny 9 od uchwał o których mowa w ust 4 i 5 nie służyć odwołanie jednakże strona zadowolony z decyzja móc zło żyć wniosek o ponowny rozpatrzenie sprawa zgodnie z art 127 3 ustawa z dzień 14 czerwiec 1960 r kodeks postępo wania administracyjny 8 zmiana tekst jednolity wymienionej ustawa zostały ogłoszone w dz u z 2016 r poz 868 1228 1244 1579 1860 i 1948 oraz z 2017 r poz 933 dziennik ustawa 25 poz 1089 10 wysokość stawka procentowy termin i sposób uiszczenia opłata o których mowa w ust 1 i 2 określać krajowy rado biegły rewident w forma uchwała 11\n", + "=====================================================================\n", + "[('provision', 100.0, 909), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "to resolution of the national council of statutory auditors refer to in passage 4 and the provision of the act of 14 june 1960 code of administrative procedure shall apply 9 there shall be no right of appeal against the resolution refer to in passage 4 and 5 however a party dissatisfy with the decision may submit an application for re examination of the case pursuant to article 127 3 of the act of 14 june 1960 code of administrative procedure 10 the percentage rate term and manner of payment of the fee refer to in passage 1 and 2 shall be determine by the national broadcasting council of statutory auditors by way of a resolution 11\n", + "to resolution of the national council of statutory auditors refer to in passage 4 and the provision rezerwa of the act of 14 june 1960 code of administrative procedure shall apply 9 there shall be no right of appeal against the resolution refer to in passage 4 and 5 however a party dissatisfy with the decision may submit an application for re examination of the case pursuant to article 127 3 of the act of 14 june 1960 code of administrative procedure 10 the percentage rate term and manner of payment of the fee refer to in passage 1 and 2 shall be determine by the national broadcasting council of statutory auditors by way of a resolution 11\n", + "do uchwał krajowy rada biegły rewident o których mowa w ust 4 i 5 stosować się odpowiednio przepis ustawa z dzień 14 czerwiec 1960 r kodeks postępowanie administracyjny 9 od uchwał o których mowa w ust 4 i 5 nie służyć odwołanie jednakże strona zadowolony z decyzja móc zło żyć wniosek o ponowny rozpatrzenie sprawa zgodnie z art 127 3 ustawa z dzień 14 czerwiec 1960 r kodeks postępo wania administracyjny 8 zmiana tekst jednolity wymienionej ustawa zostały ogłoszone w dz u z 2016 r poz 868 1228 1244 1579 1860 i 1948 oraz z 2017 r poz 933 dziennik ustawa 25 poz 1089 10 wysokość stawka procentowy termin i sposób uiszczenia opłata o których mowa w ust 1 i 2 określać krajowy rado biegły rewident w forma uchwała 11\n", + "=====================================================================\n", + "[('provision', 100.0, 911), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "to resolution of the national council of statutory auditors refer to in passage 4 and the provision of the act of 14 june 1960 code of administrative procedure shall apply 9 there shall be no right of appeal against the resolution refer to in passage 4 and 5 however a party dissatisfy with the decision may submit an application for re examination of the case pursuant to article 127 3 of the act of 14 june 1960 code of administrative procedure 10 the percentage rate term and manner of payment of the fee refer to in passage 1 and 2 shall be determine by the national broadcasting council of statutory auditors by way of a resolution 11\n", + "to resolution of the national council of statutory auditors refer to in passage 4 and the provision rezerwa of the act of 14 june 1960 code of administrative procedure shall apply 9 there shall be no right of appeal against the resolution refer to in passage 4 and 5 however a party dissatisfy with the decision may submit an application for re examination of the case pursuant to article 127 3 of the act of 14 june 1960 code of administrative procedure 10 the percentage rate term and manner of payment of the fee refer to in passage 1 and 2 shall be determine by the national broadcasting council of statutory auditors by way of a resolution 11\n", + "do uchwał krajowy rada biegły rewident o których mowa w ust 4 i 5 stosować się odpowiednio przepis ustawa z dzień 14 czerwiec 1960 r kodeks postępowanie administracyjny 9 od uchwał o których mowa w ust 4 i 5 nie służyć odwołanie jednakże strona zadowolony z decyzja móc zło żyć wniosek o ponowny rozpatrzenie sprawa zgodnie z art 127 3 ustawa z dzień 14 czerwiec 1960 r kodeks postępo wania administracyjny 8 zmiana tekst jednolity wymienionej ustawa zostały ogłoszone w dz u z 2016 r poz 868 1228 1244 1579 1860 i 1948 oraz z 2017 r poz 933 dziennik ustawa 25 poz 1089 10 wysokość stawka procentowy termin i sposób uiszczenia opłata o których mowa w ust 1 i 2 określać krajowy rado biegły rewident w forma uchwała 11\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the board make decision in the form of resolution 3 the board may order on the basis of a civil law contract examiner appoint by the board from among person have necessary knowledge in a give field to prepare examination question or situational task or to check examination test 4 the polish chamber of statutory auditors shall ensure servicing for the board and examination for the statutory auditor and cover any cost of organisation and conduct of examination cost of remuneration of member of the board and examiner as well as cost of servicing for the board 5\n", + "the board make decision in the form of resolution 3 the board may order on the basis of a badanie sprawozdania finansowego civil law contract examiner appoint by the board from among person have necessary knowledge in a give field to prepare examination question or situational task or to check examination test 4 the polish chamber of statutory auditors shall ensure servicing for the board and examination for the statutory auditor and cover any cost of organisation and conduct of examination cost of remuneration of member of the board and examiner as well as cost of servicing for the board 5\n", + "komisja podejmować decyzja w forma uchwał 3 komisja móc zlecić na podstawa umowa cywilnoprawny przygotowanie pytanie testowy i zadanie sytuacyjny lub sprawdzenie prace egzaminacyjny egzaminator powołany przez komisja spośród osoba posiadający zbędny wiedza z zakres dany dziedzina 7 zmiana tekst jednolity wymienionej ustawa zostały ogłoszone w dz u z 2016 r poz 1933 2169 i 2260 oraz z 2017 r poz 60 777 858 i 859 dziennik ustawa 10 poz 1089 4 polski izba biegły rewident zapewniać obsługa komisja i egzamin dla kandydat na biegły rewident oraz pokrywać koszt organizacja i przeprowadzenia egzamin koszt wynagrodzenie członek komisja i egzaminator oraz koszt obsługa komisja 5\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "the board make decision in the form of resolution 3 the board may order on the basis of a civil law contract examiner appoint by the board from among person have necessary knowledge in a give field to prepare examination question or situational task or to check examination test 4 the polish chamber of statutory auditors shall ensure servicing for the board and examination for the statutory auditor and cover any cost of organisation and conduct of examination cost of remuneration of member of the board and examiner as well as cost of servicing for the board 5\n", + "the board make decision in the form of resolution 3 the board may order on the basis of a biegły rewident civil law contract examiner appoint by the board from among person have necessary knowledge in a give field to prepare examination question or situational task or to check examination test 4 the polish chamber of statutory auditors shall ensure servicing for the board and examination for the statutory auditor and cover any cost of organisation and conduct of examination cost of remuneration of member of the board and examiner as well as cost of servicing for the board 5\n", + "komisja podejmować decyzja w forma uchwał 3 komisja móc zlecić na podstawa umowa cywilnoprawny przygotowanie pytanie testowy i zadanie sytuacyjny lub sprawdzenie prace egzaminacyjny egzaminator powołany przez komisja spośród osoba posiadający zbędny wiedza z zakres dany dziedzina 7 zmiana tekst jednolity wymienionej ustawa zostały ogłoszone w dz u z 2016 r poz 1933 2169 i 2260 oraz z 2017 r poz 60 777 858 i 859 dziennik ustawa 10 poz 1089 4 polski izba biegły rewident zapewniać obsługa komisja i egzamin dla kandydat na biegły rewident oraz pokrywać koszt organizacja i przeprowadzenia egzamin koszt wynagrodzenie członek komisja i egzaminator oraz koszt obsługa komisja 5\n", + "=====================================================================\n", + "[('contract', 100.0, 282), 100.0, array(['kontrakt', 'umowa'], dtype=object)]\n", + "the board make decision in the form of resolution 3 the board may order on the basis of a civil law contract examiner appoint by the board from among person have necessary knowledge in a give field to prepare examination question or situational task or to check examination test 4 the polish chamber of statutory auditors shall ensure servicing for the board and examination for the statutory auditor and cover any cost of organisation and conduct of examination cost of remuneration of member of the board and examiner as well as cost of servicing for the board 5\n", + "the board make decision in the form of resolution 3 the board may order on kontrakt the basis of a civil law contract examiner appoint by the board from among person have necessary knowledge in a give field to prepare examination question or situational task or to check examination test 4 the polish chamber of statutory auditors shall ensure servicing for the board and examination for the statutory auditor and cover any cost of organisation and conduct of examination cost of remuneration of member of the board and examiner as well as cost of servicing for the board 5\n", + "komisja podejmować decyzja w forma uchwał 3 komisja móc zlecić na podstawa umowa cywilnoprawny przygotowanie pytanie testowy i zadanie sytuacyjny lub sprawdzenie prace egzaminacyjny egzaminator powołany przez komisja spośród osoba posiadający zbędny wiedza z zakres dany dziedzina 7 zmiana tekst jednolity wymienionej ustawa zostały ogłoszone w dz u z 2016 r poz 1933 2169 i 2260 oraz z 2017 r poz 60 777 858 i 859 dziennik ustawa 10 poz 1089 4 polski izba biegły rewident zapewniać obsługa komisja i egzamin dla kandydat na biegły rewident oraz pokrywać koszt organizacja i przeprowadzenia egzamin koszt wynagrodzenie członek komisja i egzaminator oraz koszt obsługa komisja 5\n", + "=====================================================================\n", + "[('contract', 100.0, 283), 100.0, array(['kontrakt', 'umowa'], dtype=object)]\n", + "the board make decision in the form of resolution 3 the board may order on the basis of a civil law contract examiner appoint by the board from among person have necessary knowledge in a give field to prepare examination question or situational task or to check examination test 4 the polish chamber of statutory auditors shall ensure servicing for the board and examination for the statutory auditor and cover any cost of organisation and conduct of examination cost of remuneration of member of the board and examiner as well as cost of servicing for the board 5\n", + "the board make decision in the form of resolution 3 the board may order on kontrakt the basis of a civil law contract examiner appoint by the board from among person have necessary knowledge in a give field to prepare examination question or situational task or to check examination test 4 the polish chamber of statutory auditors shall ensure servicing for the board and examination for the statutory auditor and cover any cost of organisation and conduct of examination cost of remuneration of member of the board and examiner as well as cost of servicing for the board 5\n", + "komisja podejmować decyzja w forma uchwał 3 komisja móc zlecić na podstawa umowa cywilnoprawny przygotowanie pytanie testowy i zadanie sytuacyjny lub sprawdzenie prace egzaminacyjny egzaminator powołany przez komisja spośród osoba posiadający zbędny wiedza z zakres dany dziedzina 7 zmiana tekst jednolity wymienionej ustawa zostały ogłoszone w dz u z 2016 r poz 1933 2169 i 2260 oraz z 2017 r poz 60 777 858 i 859 dziennik ustawa 10 poz 1089 4 polski izba biegły rewident zapewniać obsługa komisja i egzamin dla kandydat na biegły rewident oraz pokrywać koszt organizacja i przeprowadzenia egzamin koszt wynagrodzenie członek komisja i egzaminator oraz koszt obsługa komisja 5\n", + "=====================================================================\n", + "[('cost', 100.0, 303), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "the board make decision in the form of resolution 3 the board may order on the basis of a civil law contract examiner appoint by the board from among person have necessary knowledge in a give field to prepare examination question or situational task or to check examination test 4 the polish chamber of statutory auditors shall ensure servicing for the board and examination for the statutory auditor and cover any cost of organisation and conduct of examination cost of remuneration of member of the board and examiner as well as cost of servicing for the board 5\n", + "the board make decision in the form of resolution 3 the board may order on the basis of a civil law contract examiner appoint by the board from among person have necessary knowledge in a give field to prepare examination question or situational task or to check examination test 4 the polish chamber of statutory auditors shall ensure servicing for the board and examination for the statutory auditor and cover any cost koszt of organisation and conduct of examination cost of remuneration of member of the board and examiner as well as cost of servicing for the board 5\n", + "komisja podejmować decyzja w forma uchwał 3 komisja móc zlecić na podstawa umowa cywilnoprawny przygotowanie pytanie testowy i zadanie sytuacyjny lub sprawdzenie prace egzaminacyjny egzaminator powołany przez komisja spośród osoba posiadający zbędny wiedza z zakres dany dziedzina 7 zmiana tekst jednolity wymienionej ustawa zostały ogłoszone w dz u z 2016 r poz 1933 2169 i 2260 oraz z 2017 r poz 60 777 858 i 859 dziennik ustawa 10 poz 1089 4 polski izba biegły rewident zapewniać obsługa komisja i egzamin dla kandydat na biegły rewident oraz pokrywać koszt organizacja i przeprowadzenia egzamin koszt wynagrodzenie członek komisja i egzaminator oraz koszt obsługa komisja 5\n", + "=====================================================================\n", + "[('account', 100.0, 13), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "base on our procedure perform during our visit we note that the financial statement closing process fscp be choose as appropriate not formalize formalize in a very limited respect and there be limited control perform and document in order to assure that the financial statement be prepare on a timely basis in accordance with the applicable accounting framework and that it be free of material misstatement\n", + "base on our procedure perform during our visit we note that the financial statement closing process fscp be choose as appropriate not formalize formalize in a konto very limited respect and there be limited control perform and document in order to assure that the financial statement be prepare on a timely basis in accordance with the applicable accounting framework and that it be free of material misstatement\n", + "na podstawa procedura wykonywanych podczas naszej wizyta zaobserwować że proces zamykania księga rachunkowy fscp jest wybrać odpowiednio niesformalizowany sformalizowany w bardzo ograniczony zakres i nie istnieć wiele udokumentowanych kontrola przeprowadzanych w cel zapewnienie że sprawozdanie finansowy jest przygotowane terminowo zgodnie z obowiązujący zasada rachunkowość oraz że jest pozbawione istotny nieprawidłowość\n", + "=====================================================================\n", + "[('account', 100.0, 25), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "base on our procedure perform during our visit we note that the financial statement closing process fscp be choose as appropriate not formalize formalize in a very limited respect and there be limited control perform and document in order to assure that the financial statement be prepare on a timely basis in accordance with the applicable accounting framework and that it be free of material misstatement\n", + "base on our procedure perform during our visit we note that the financial statement closing process fscp be choose as appropriate not formalize formalize in a konto very limited respect and there be limited control perform and document in order to assure that the financial statement be prepare on a timely basis in accordance with the applicable accounting framework and that it be free of material misstatement\n", + "na podstawa procedura wykonywanych podczas naszej wizyta zaobserwować że proces zamykania księga rachunkowy fscp jest wybrać odpowiednio niesformalizowany sformalizowany w bardzo ograniczony zakres i nie istnieć wiele udokumentowanych kontrola przeprowadzanych w cel zapewnienie że sprawozdanie finansowy jest przygotowane terminowo zgodnie z obowiązujący zasada rachunkowość oraz że jest pozbawione istotny nieprawidłowość\n", + "=====================================================================\n", + "[('account', 100.0, 57), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "base on our procedure perform during our visit we note that the financial statement closing process fscp be choose as appropriate not formalize formalize in a very limited respect and there be limited control perform and document in order to assure that the financial statement be prepare on a timely basis in accordance with the applicable accounting framework and that it be free of material misstatement\n", + "base on our procedure perform during our visit we note that the financial statement closing process fscp be choose as appropriate not formalize formalize in a konto very limited respect and there be limited control perform and document in order to assure that the financial statement be prepare on a timely basis in accordance with the applicable accounting framework and that it be free of material misstatement\n", + "na podstawa procedura wykonywanych podczas naszej wizyta zaobserwować że proces zamykania księga rachunkowy fscp jest wybrać odpowiednio niesformalizowany sformalizowany w bardzo ograniczony zakres i nie istnieć wiele udokumentowanych kontrola przeprowadzanych w cel zapewnienie że sprawozdanie finansowy jest przygotowane terminowo zgodnie z obowiązujący zasada rachunkowość oraz że jest pozbawione istotny nieprawidłowość\n", + "=====================================================================\n", + "[('control', 100.0, 289), 85.71428571428571, array(['kontrola '], dtype=object)]\n", + "base on our procedure perform during our visit we note that the financial statement closing process fscp be choose as appropriate not formalize formalize in a very limited respect and there be limited control perform and document in order to assure that the financial statement be prepare on a timely basis in accordance with the applicable accounting framework and that it be free of material misstatement\n", + "base on kontrola our procedure perform during our visit we note that the financial statement closing process fscp be choose as appropriate not formalize formalize in a very limited respect and there be limited control perform and document in order to assure that the financial statement be prepare on a timely basis in accordance with the applicable accounting framework and that it be free of material misstatement\n", + "na podstawa procedura wykonywanych podczas naszej wizyta zaobserwować że proces zamykania księga rachunkowy fscp jest wybrać odpowiednio niesformalizowany sformalizowany w bardzo ograniczony zakres i nie istnieć wiele udokumentowanych kontrola przeprowadzanych w cel zapewnienie że sprawozdanie finansowy jest przygotowane terminowo zgodnie z obowiązujący zasada rachunkowość oraz że jest pozbawione istotny nieprawidłowość\n", + "=====================================================================\n", + "[('financial statement', 100.0, 526), 61.53846153846154, array(['sprawozdanie finansowe'], dtype=object)]\n", + "base on our procedure perform during our visit we note that the financial statement closing process fscp be choose as appropriate not formalize formalize in a very limited respect and there be limited control perform and document in order to assure that the financial statement be prepare on a timely basis in accordance with the applicable accounting framework and that it be free of material misstatement\n", + "base on our procedure perform during our visit we note that the financial statement sprawozdanie finansowe closing process fscp be choose as appropriate not formalize formalize in a very limited respect and there be limited control perform and document in order to assure that the financial statement be prepare on a timely basis in accordance with the applicable accounting framework and that it be free of material misstatement\n", + "na podstawa procedura wykonywanych podczas naszej wizyta zaobserwować że proces zamykania księga rachunkowy fscp jest wybrać odpowiednio niesformalizowany sformalizowany w bardzo ograniczony zakres i nie istnieć wiele udokumentowanych kontrola przeprowadzanych w cel zapewnienie że sprawozdanie finansowy jest przygotowane terminowo zgodnie z obowiązujący zasada rachunkowość oraz że jest pozbawione istotny nieprawidłowość\n", + "=====================================================================\n", + "[('report', 100.0, 963), 100.0, array(['sprawozdawczość'], dtype=object)]\n", + "also report be an influx of investment from germany sweden with seven new center each and switzerland five new center\n", + "also report sprawozdawczość be an influx of investment from germany sweden with seven new center each and switzerland five new center\n", + "widoczny był również napływ inwestycja z niemcy szwecja po siedem nowy centrum i szwajcaria pięć\n", + "=====================================================================\n", + "[('fair value', 100.0, 497), 0, array(['wartość godziwa'], dtype=object)]\n", + "fair value\n", + "fair value wartość godziwa \n", + "wartość godziwy\n", + "=====================================================================\n", + "[('fair value accounting', 100.0, 498), 0, array(['rachunkowość oparta na wartości godziwej'], dtype=object)]\n", + "fair value\n", + "fair value rachunkowość oparta na wartości godziwej \n", + "wartość godziwy\n", + "=====================================================================\n", + "[('fair value carry amount', 100.0, 499), 0, array(['wartość bilansowa oparta na wartości godziwej'], dtype=object)]\n", + "fair value\n", + "fair value wartość bilansowa oparta na wartości godziwej \n", + "wartość godziwy\n", + "=====================================================================\n", + "[('par value', 88.88888888888889, 850), 0, array(['wartość nominalna'], dtype=object)]\n", + "fair value\n", + "fair value wartość nominalna \n", + "wartość godziwy\n", + "=====================================================================\n", + "[('company', 100.0, 245), 66.66666666666666, array(['spółka kapitałowa'], dtype=object)]\n", + "at 31 december 2017 the company have available pln thousand 31 december 2016 pln thousand of un draw committed borrowing facility in respect of which all condition precedent have be meet\n", + "at 31 december 2017 the company spółka kapitałowa have available pln thousand 31 december 2016 pln thousand of un draw committed borrowing facility in respect of which all condition precedent have be meet\n", + "na dzienie 31 grudzień 2017 rok spółka dysponować niewykorzystanymi przyznanymi środki kredytowy w wysokość tysiąc pln 31 grudzień 2016 rok tysiąc pln w odniesienie do których wszystkie warunek zawieszające zostały spełnione\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "preferences for the business services sector 5 chapter content preparation ey ey be a global leader on the market for professional auditing tax business and transaction consulting service\n", + "preferences for the business services sector 5 chapter content preparation ey ey be a badanie sprawozdania finansowego global leader on the market for professional auditing tax business and transaction consulting service\n", + "preferencja dla sektor nowoczesny usługi biznesowych 5 opracowanie treść rozdział ey firma ey jest światowy lider rynek usługi profesjonalny obejmujących usługa audytorski doradztwo podatkowy doradztwo biznesowy i doradztwo transakcyjny\n", + "=====================================================================\n", + "[('sac', 100.0, 993), 66.66666666666666, array(['komisje doradcze ds. standardów'], dtype=object)]\n", + "preferences for the business services sector 5 chapter content preparation ey ey be a global leader on the market for professional auditing tax business and transaction consulting service\n", + "preferences for the business services sector 5 chapter content preparation ey ey be a komisje doradcze ds. standardów global leader on the market for professional auditing tax business and transaction consulting service\n", + "preferencja dla sektor nowoczesny usługi biznesowych 5 opracowanie treść rozdział ey firma ey jest światowy lider rynek usługi profesjonalny obejmujących usługa audytorski doradztwo podatkowy doradztwo biznesowy i doradztwo transakcyjny\n", + "=====================================================================\n", + "[('transaction', 100.0, 1125), 100.0, array(['transakcja'], dtype=object)]\n", + "preferences for the business services sector 5 chapter content preparation ey ey be a global leader on the market for professional auditing tax business and transaction consulting service\n", + "preferences for the business services sector 5 chapter content preparation ey ey be a transakcja global leader on the market for professional auditing tax business and transaction consulting service\n", + "preferencja dla sektor nowoczesny usługi biznesowych 5 opracowanie treść rozdział ey firma ey jest światowy lider rynek usługi profesjonalny obejmujących usługa audytorski doradztwo podatkowy doradztwo biznesowy i doradztwo transakcyjny\n", + "=====================================================================\n", + "[('transaction cost', 93.75, 1126), 50.0, array(['koszty transakcji'], dtype=object)]\n", + "preferences for the business services sector 5 chapter content preparation ey ey be a global leader on the market for professional auditing tax business and transaction consulting service\n", + "preferences for the business services sector 5 chapter content preparation ey ey be a global leader on the market for professional auditing tax business and transaction consulting koszty transakcji service\n", + "preferencja dla sektor nowoczesny usługi biznesowych 5 opracowanie treść rozdział ey firma ey jest światowy lider rynek usługi profesjonalny obejmujących usługa audytorski doradztwo podatkowy doradztwo biznesowy i doradztwo transakcyjny\n", + "=====================================================================\n", + "[('ema', 100.0, 410), 66.66666666666666, array(['rachunkowość zarządcza ochrony środowiska'], dtype=object)]\n", + "on demand\n", + "on rachunkowość zarządcza ochrony środowiska demand\n", + "na żądanie\n", + "=====================================================================\n", + "[('combination', 100.0, 238), 100.0, array(['połączenia'], dtype=object)]\n", + "the question remain then as to how much the digital office base on the late technology understand as a combination of mobile technology a mobile style of working flexibility create by legislation and virtual channel of communication will change the way current office premise be use\n", + "the question remain then as to how much the digital office base on połączenia the late technology understand as a combination of mobile technology a mobile style of working flexibility create by legislation and virtual channel of communication will change the way current office premise be use\n", + "pozostawać więc pytanie nie czy ale w jakim stopień digital office oparty o nowy technologia rozumiany jako połączenie technologia mobil nych mobilność w stylo praca elastyczność stworzonych przez legislacja i wreszcie wirtualny kanał komunikacyjny zmienić sposób wyka rzystania obecny powierzchnia biurowy\n", + "=====================================================================\n", + "[('ema', 100.0, 410), 66.66666666666666, array(['rachunkowość zarządcza ochrony środowiska'], dtype=object)]\n", + "the question remain then as to how much the digital office base on the late technology understand as a combination of mobile technology a mobile style of working flexibility create by legislation and virtual channel of communication will change the way current office premise be use\n", + "the question remain rachunkowość zarządcza ochrony środowiska then as to how much the digital office base on the late technology understand as a combination of mobile technology a mobile style of working flexibility create by legislation and virtual channel of communication will change the way current office premise be use\n", + "pozostawać więc pytanie nie czy ale w jakim stopień digital office oparty o nowy technologia rozumiany jako połączenie technologia mobil nych mobilność w stylo praca elastyczność stworzonych przez legislacja i wreszcie wirtualny kanał komunikacyjny zmienić sposób wyka rzystania obecny powierzchnia biurowy\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 57.142857142857146, array(['aktywa'], dtype=object)]\n", + "receivables from public authority be present under other non financial asset except for current tax asset that constitute a separate item in the balance sheet statement of financial position\n", + "receivables from public authority be present under other non financial asset aktywa except for current tax asset that constitute a separate item in the balance sheet statement of financial position\n", + "należność budżetowy prezentowane są w ramy pozostały aktywa finansowy z wyjątek należność z tytuł podatek dochodowy od osoba prawny które stanowić w bilans odrębny pozycja\n", + "=====================================================================\n", + "[('balance', 100.0, 136), 72.72727272727272, array(['saldo'], dtype=object)]\n", + "receivables from public authority be present under other non financial asset except for current tax asset that constitute a separate item in the balance sheet statement of financial position\n", + "receivables from public authority be present under other non financial asset except for current tax asset that constitute a saldo separate item in the balance sheet statement of financial position\n", + "należność budżetowy prezentowane są w ramy pozostały aktywa finansowy z wyjątek należność z tytuł podatek dochodowy od osoba prawny które stanowić w bilans odrębny pozycja\n", + "=====================================================================\n", + "[('balance sheet', 100.0, 137), 61.53846153846154, array(['bilans'], dtype=object)]\n", + "receivables from public authority be present under other non financial asset except for current tax asset that constitute a separate item in the balance sheet statement of financial position\n", + "receivables from public authority be present under other non financial asset except for current tax asset that constitute a separate item in the balance sheet bilans statement of financial position\n", + "należność budżetowy prezentowane są w ramy pozostały aktywa finansowy z wyjątek należność z tytuł podatek dochodowy od osoba prawny które stanowić w bilans odrębny pozycja\n", + "=====================================================================\n", + "[('c a', 100.0, 176), 66.66666666666666, array(['dyplomowany biegły rewident'], dtype=object)]\n", + "receivables from public authority be present under other non financial asset except for current tax asset that constitute a separate item in the balance sheet statement of financial position\n", + "receivables from public authority dyplomowany biegły rewident be present under other non financial asset except for current tax asset that constitute a separate item in the balance sheet statement of financial position\n", + "należność budżetowy prezentowane są w ramy pozostały aktywa finansowy z wyjątek należność z tytuł podatek dochodowy od osoba prawny które stanowić w bilans odrębny pozycja\n", + "=====================================================================\n", + "[('financial asset', 100.0, 514), 62.5, array(['aktywa finansowe'], dtype=object)]\n", + "receivables from public authority be present under other non financial asset except for current tax asset that constitute a separate item in the balance sheet statement of financial position\n", + "receivables from public authority be present under other non financial asset aktywa finansowe except for current tax asset that constitute a separate item in the balance sheet statement of financial position\n", + "należność budżetowy prezentowane są w ramy pozostały aktywa finansowy z wyjątek należność z tytuł podatek dochodowy od osoba prawny które stanowić w bilans odrębny pozycja\n", + "=====================================================================\n", + "[('allocation', 90.0, 83), 100.0, array(['rozliczanie'], dtype=object)]\n", + "compare to last year s summary in three additional location tri city katowice agglomeration and łódź the headcount in the sector exceed 20 000\n", + "compare to last year s summary in three additional location rozliczanie tri city katowice agglomeration and łódź the headcount in the sector exceed 20 000\n", + "w porównanie do ubiegłoroczny zestawienie w dodatkowy trzy ośrodek trójmiasto aglomeracja katowicki i łódź zatrudnienie w branża przekroczyć 20 tys osoba\n", + "=====================================================================\n", + "[('company', 100.0, 245), 57.142857142857146, array(['spółka kapitałowa'], dtype=object)]\n", + "the result of the study concern the activity of business service center whose parent company have head quarter in poland polish center and abroad foreign center\n", + "the result of the study concern the activity of business service center whose parent company spółka kapitałowa have head quarter in poland polish center and abroad foreign center\n", + "wynik zaprezentowanych analiza dotyczyć działalność centrum usługi których firma macierzysty posiadać centrala w polska centrum polski oraz poza on granica centrum zagraniczny\n", + "=====================================================================\n", + "[('error adjustment', 89.65517241379311, 463), 0, array(['korekty błędów księgowych'], dtype=object)]\n", + "other adjustment\n", + "other adjustment korekty błędów księgowych \n", + "pozostały korekta\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 100.0, array(['jednostka'], dtype=object)]\n", + "article 154 1 the party to the proceeding before the national disciplinary court shall be the prosecutor the accuse as well as entity which have the right to join the proceeding as party and use this right dz u 60 item 1089 2 the aggrieved party in the proceeding before the national disciplinary court may join the proceeding as a party however not later than until the commencement of the first instance hearing\n", + "article 154 1 the party to the proceeding before the national disciplinary court shall be the prosecutor the accuse as well as entity jednostka which have the right to join the proceeding as party and use this right dz u 60 item 1089 2 the aggrieved party in the proceeding before the national disciplinary court may join the proceeding as a party however not later than until the commencement of the first instance hearing\n", + "art 154 1 w postępowanie przed krajowy sąd dyscyplinarny strona są oskarżyciel obwiniony a także podmiot które mieć prawo przystąpienie do postępowanie w charakter strona i z tego prawo skorzystały 2 w postępowanie przed krajowy sąd dyscyplinarny pokrzywdzony móc przystąpić do postępowanie w charakter strona nie późno jednak niż do dzień rozpoczęcie przewód sądowy na rozprawa główny\n", + "=====================================================================\n", + "[('gri', 100.0, 567), 100.0, array(['globalna inicjatywa sprawozdawcza'], dtype=object)]\n", + "article 154 1 the party to the proceeding before the national disciplinary court shall be the prosecutor the accuse as well as entity which have the right to join the proceeding as party and use this right dz u 60 item 1089 2 the aggrieved party in the proceeding before the national disciplinary court may join the proceeding as a party however not later than until the commencement of the first instance hearing\n", + "article 154 1 the party to the proceeding before the national disciplinary court shall be the prosecutor the accuse as well as entity which have the right to join the proceeding as party and use this right dz u 60 item 1089 2 the aggrieved globalna inicjatywa sprawozdawcza party in the proceeding before the national disciplinary court may join the proceeding as a party however not later than until the commencement of the first instance hearing\n", + "art 154 1 w postępowanie przed krajowy sąd dyscyplinarny strona są oskarżyciel obwiniony a także podmiot które mieć prawo przystąpienie do postępowanie w charakter strona i z tego prawo skorzystały 2 w postępowanie przed krajowy sąd dyscyplinarny pokrzywdzony móc przystąpić do postępowanie w charakter strona nie późno jednak niż do dzień rozpoczęcie przewód sądowy na rozprawa główny\n", + "=====================================================================\n", + "[('irs', 100.0, 627), 100.0, array(['amerykański urząd skarbowy'], dtype=object)]\n", + "article 154 1 the party to the proceeding before the national disciplinary court shall be the prosecutor the accuse as well as entity which have the right to join the proceeding as party and use this right dz u 60 item 1089 2 the aggrieved party in the proceeding before the national disciplinary court may join the proceeding as a party however not later than until the commencement of the first instance hearing\n", + "article 154 1 the party to the proceeding before the national disciplinary court shall be the prosecutor the accuse as well as entity which have the right to join the proceeding as party and use this right dz u 60 item 1089 2 the aggrieved party in the proceeding before the national disciplinary court may join the proceeding as a party however not later than until the commencement of the first amerykański urząd skarbowy instance hearing\n", + "art 154 1 w postępowanie przed krajowy sąd dyscyplinarny strona są oskarżyciel obwiniony a także podmiot które mieć prawo przystąpienie do postępowanie w charakter strona i z tego prawo skorzystały 2 w postępowanie przed krajowy sąd dyscyplinarny pokrzywdzony móc przystąpić do postępowanie w charakter strona nie późno jednak niż do dzień rozpoczęcie przewód sądowy na rozprawa główny\n", + "=====================================================================\n", + "[('earning', 92.3076923076923, 419), 100.0, array(['zysk'], dtype=object)]\n", + "article 154 1 the party to the proceeding before the national disciplinary court shall be the prosecutor the accuse as well as entity which have the right to join the proceeding as party and use this right dz u 60 item 1089 2 the aggrieved party in the proceeding before the national disciplinary court may join the proceeding as a party however not later than until the commencement of the first instance hearing\n", + "article 154 1 the party to the proceeding before the national disciplinary court shall be the prosecutor the accuse as well as entity which have the right to join the proceeding as party and use this right dz u 60 item 1089 2 the aggrieved party in zysk the proceeding before the national disciplinary court may join the proceeding as a party however not later than until the commencement of the first instance hearing\n", + "art 154 1 w postępowanie przed krajowy sąd dyscyplinarny strona są oskarżyciel obwiniony a także podmiot które mieć prawo przystąpienie do postępowanie w charakter strona i z tego prawo skorzystały 2 w postępowanie przed krajowy sąd dyscyplinarny pokrzywdzony móc przystąpić do postępowanie w charakter strona nie późno jednak niż do dzień rozpoczęcie przewód sądowy na rozprawa główny\n", + "=====================================================================\n", + "[('cost', 100.0, 303), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "make the warehouse management system zalos available to fiege for the purpose of fulfil this agreement and to maintain this at its own cost\n", + "make the warehouse management system zalos koszt available to fiege for the purpose of fulfil this agreement and to maintain this at its own cost\n", + "udostępnić fiege systema zarządzanie magazyn zalos dla cel wykonywania niniejszy umowa i utrzymywać on na własny koszt\n", + "=====================================================================\n", + "[('cost', 100.0, 324), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "make the warehouse management system zalos available to fiege for the purpose of fulfil this agreement and to maintain this at its own cost\n", + "make the warehouse management system zalos koszt available to fiege for the purpose of fulfil this agreement and to maintain this at its own cost\n", + "udostępnić fiege systema zarządzanie magazyn zalos dla cel wykonywania niniejszy umowa i utrzymywać on na własny koszt\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 66.66666666666666, array(['aktywa'], dtype=object)]\n", + "at each reporting date for recur individual asset and liability the company assess whether any transfer have be make between the level of fair value hierarchy by re assessment of the classification to the give level of fair value hierarchy base on the materiality of input from the low level which be significant to the entire fair value measurement\n", + "at each reporting date for recur individual asset aktywa and liability the company assess whether any transfer have be make between the level of fair value hierarchy by re assessment of the classification to the give level of fair value hierarchy base on the materiality of input from the low level which be significant to the entire fair value measurement\n", + "na każdą data bilansowy w przypadek aktywa i zobowiązanie występujących na poszczególny data bilansowy w sprawozdanie finansowy spółka oceniać czy mieć miejsce transfer między poziom hierarchia poprzez ponowny ocena klasyfikacja do poszczególny poziom kierować się istotność dane wejściowy z niski poziom który jest istotny dla wycena do wartość godziwy traktowanej jako całość\n", + "=====================================================================\n", + "[('company', 100.0, 245), 57.142857142857146, array(['spółka kapitałowa'], dtype=object)]\n", + "at each reporting date for recur individual asset and liability the company assess whether any transfer have be make between the level of fair value hierarchy by re assessment of the classification to the give level of fair value hierarchy base on the materiality of input from the low level which be significant to the entire fair value measurement\n", + "at each reporting date for recur individual asset and liability the company spółka kapitałowa assess whether any transfer have be make between the level of fair value hierarchy by re assessment of the classification to the give level of fair value hierarchy base on the materiality of input from the low level which be significant to the entire fair value measurement\n", + "na każdą data bilansowy w przypadek aktywa i zobowiązanie występujących na poszczególny data bilansowy w sprawozdanie finansowy spółka oceniać czy mieć miejsce transfer między poziom hierarchia poprzez ponowny ocena klasyfikacja do poszczególny poziom kierować się istotność dane wejściowy z niski poziom który jest istotny dla wycena do wartość godziwy traktowanej jako całość\n", + "=====================================================================\n", + "[('fair value', 100.0, 497), 42.857142857142854, array(['wartość godziwa'], dtype=object)]\n", + "at each reporting date for recur individual asset and liability the company assess whether any transfer have be make between the level of fair value hierarchy by re assessment of the classification to the give level of fair value hierarchy base on the materiality of input from the low level which be significant to the entire fair value measurement\n", + "at each reporting date for recur individual asset and liability the company assess whether any transfer have be make between the level of fair value wartość godziwa hierarchy by re assessment of the classification to the give level of fair value hierarchy base on the materiality of input from the low level which be significant to the entire fair value measurement\n", + "na każdą data bilansowy w przypadek aktywa i zobowiązanie występujących na poszczególny data bilansowy w sprawozdanie finansowy spółka oceniać czy mieć miejsce transfer między poziom hierarchia poprzez ponowny ocena klasyfikacja do poszczególny poziom kierować się istotność dane wejściowy z niski poziom który jest istotny dla wycena do wartość godziwy traktowanej jako całość\n", + "=====================================================================\n", + "[('liability', 100.0, 716), 100.0, array(['zobowiązania'], dtype=object)]\n", + "at each reporting date for recur individual asset and liability the company assess whether any transfer have be make between the level of fair value hierarchy by re assessment of the classification to the give level of fair value hierarchy base on the materiality of input from the low level which be significant to the entire fair value measurement\n", + "at each reporting date for recur individual asset and liability zobowiązania the company assess whether any transfer have be make between the level of fair value hierarchy by re assessment of the classification to the give level of fair value hierarchy base on the materiality of input from the low level which be significant to the entire fair value measurement\n", + "na każdą data bilansowy w przypadek aktywa i zobowiązanie występujących na poszczególny data bilansowy w sprawozdanie finansowy spółka oceniać czy mieć miejsce transfer między poziom hierarchia poprzez ponowny ocena klasyfikacja do poszczególny poziom kierować się istotność dane wejściowy z niski poziom który jest istotny dla wycena do wartość godziwy traktowanej jako całość\n", + "=====================================================================\n", + "[('materiality', 100.0, 757), 100.0, array(['istotność'], dtype=object)]\n", + "at each reporting date for recur individual asset and liability the company assess whether any transfer have be make between the level of fair value hierarchy by re assessment of the classification to the give level of fair value hierarchy base on the materiality of input from the low level which be significant to the entire fair value measurement\n", + "at istotność each reporting date for recur individual asset and liability the company assess whether any transfer have be make between the level of fair value hierarchy by re assessment of the classification to the give level of fair value hierarchy base on the materiality of input from the low level which be significant to the entire fair value measurement\n", + "na każdą data bilansowy w przypadek aktywa i zobowiązanie występujących na poszczególny data bilansowy w sprawozdanie finansowy spółka oceniać czy mieć miejsce transfer między poziom hierarchia poprzez ponowny ocena klasyfikacja do poszczególny poziom kierować się istotność dane wejściowy z niski poziom który jest istotny dla wycena do wartość godziwy traktowanej jako całość\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 66.66666666666666, array(['aktywa'], dtype=object)]\n", + "debt security hold by the company treasury bond and corporate bond will be measure at fair value through other comprehensive income as the company s business objective be achieve by both collect contractual cash flow and sell financial asset\n", + "debt security hold by the company treasury bond and corporate bond will be measure at fair value through other comprehensive income as aktywa the company s business objective be achieve by both collect contractual cash flow and sell financial asset\n", + "posiadane przez spółka dłużny papier wartościowy obligacja skarbowy oraz obligacja korporacyjny być wyceniane w wartość godziwy przez inny całkowity dochód ponieważ cel biznesowy spółki jest zarówno otrzymywanie przepływ pieniężny jak i sprzedaż składnik aktywa finansowy\n", + "=====================================================================\n", + "[('cash', 100.0, 203), 66.66666666666666, array(['środki pieniężne'], dtype=object)]\n", + "debt security hold by the company treasury bond and corporate bond will be measure at fair value through other comprehensive income as the company s business objective be achieve by both collect contractual cash flow and sell financial asset\n", + "debt security hold by the company treasury bond and corporate bond will be measure at fair value through other comprehensive income as środki pieniężne the company s business objective be achieve by both collect contractual cash flow and sell financial asset\n", + "posiadane przez spółka dłużny papier wartościowy obligacja skarbowy oraz obligacja korporacyjny być wyceniane w wartość godziwy przez inny całkowity dochód ponieważ cel biznesowy spółki jest zarówno otrzymywanie przepływ pieniężny jak i sprzedaż składnik aktywa finansowy\n", + "=====================================================================\n", + "[('company', 100.0, 245), 66.66666666666666, array(['spółka kapitałowa'], dtype=object)]\n", + "debt security hold by the company treasury bond and corporate bond will be measure at fair value through other comprehensive income as the company s business objective be achieve by both collect contractual cash flow and sell financial asset\n", + "debt security hold by the company spółka kapitałowa treasury bond and corporate bond will be measure at fair value through other comprehensive income as the company s business objective be achieve by both collect contractual cash flow and sell financial asset\n", + "posiadane przez spółka dłużny papier wartościowy obligacja skarbowy oraz obligacja korporacyjny być wyceniane w wartość godziwy przez inny całkowity dochód ponieważ cel biznesowy spółki jest zarówno otrzymywanie przepływ pieniężny jak i sprzedaż składnik aktywa finansowy\n", + "=====================================================================\n", + "[('comprehensive income', 100.0, 253), 50.0, array(['zysk całkowity'], dtype=object)]\n", + "debt security hold by the company treasury bond and corporate bond will be measure at fair value through other comprehensive income as the company s business objective be achieve by both collect contractual cash flow and sell financial asset\n", + "debt security hold by the company treasury bond and corporate bond will be measure at fair value through other comprehensive income zysk całkowity as the company s business objective be achieve by both collect contractual cash flow and sell financial asset\n", + "posiadane przez spółka dłużny papier wartościowy obligacja skarbowy oraz obligacja korporacyjny być wyceniane w wartość godziwy przez inny całkowity dochód ponieważ cel biznesowy spółki jest zarówno otrzymywanie przepływ pieniężny jak i sprzedaż składnik aktywa finansowy\n", + "=====================================================================\n", + "[('contract', 100.0, 282), 54.54545454545455, array(['kontrakt', 'umowa'], dtype=object)]\n", + "debt security hold by the company treasury bond and corporate bond will be measure at fair value through other comprehensive income as the company s business objective be achieve by both collect contractual cash flow and sell financial asset\n", + "debt security hold by the company treasury bond and corporate bond will be measure at fair value through other comprehensive income as the company s business objective be achieve by both collect contractual kontrakt cash flow and sell financial asset\n", + "posiadane przez spółka dłużny papier wartościowy obligacja skarbowy oraz obligacja korporacyjny być wyceniane w wartość godziwy przez inny całkowity dochód ponieważ cel biznesowy spółki jest zarówno otrzymywanie przepływ pieniężny jak i sprzedaż składnik aktywa finansowy\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 50.0, array(['aktywa'], dtype=object)]\n", + "issue asset of joint venture subsidiary\n", + "issue asset aktywa of joint venture subsidiary\n", + "wydane aktywa przedsięwzięcia jednostka zależny\n", + "=====================================================================\n", + "[('subsidiary', 100.0, 1066), 44.44444444444444, array(['jednostka zależna'], dtype=object)]\n", + "issue asset of joint venture subsidiary\n", + "issue jednostka zależna asset of joint venture subsidiary\n", + "wydane aktywa przedsięwzięcia jednostka zależny\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 50.0, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "recognize impairment charge result from perform impairment test may have a significant impact on the company s financial statement\n", + "recognize koszty sprzedanych produktów, towarów i materiałów impairment charge result from perform impairment test may have a significant impact on the company s financial statement\n", + "utworzone przez spółka odpis aktualizujące wynikające z przeprowadzanych test na utrata wartość móc mieść istotny wpływ na sprawozdanie finansowy spółki\n", + "=====================================================================\n", + "[('company', 100.0, 245), 50.0, array(['spółka kapitałowa'], dtype=object)]\n", + "recognize impairment charge result from perform impairment test may have a significant impact on the company s financial statement\n", + "recognize impairment charge result from perform impairment test may have a spółka kapitałowa significant impact on the company s financial statement\n", + "utworzone przez spółka odpis aktualizujące wynikające z przeprowadzanych test na utrata wartość móc mieść istotny wpływ na sprawozdanie finansowy spółki\n", + "=====================================================================\n", + "[('financial statement', 100.0, 526), 55.55555555555556, array(['sprawozdanie finansowe'], dtype=object)]\n", + "recognize impairment charge result from perform impairment test may have a significant impact on the company s financial statement\n", + "recognize impairment charge result from perform impairment test may have a significant impact on the company s financial sprawozdanie finansowe statement\n", + "utworzone przez spółka odpis aktualizujące wynikające z przeprowadzanych test na utrata wartość móc mieść istotny wpływ na sprawozdanie finansowy spółki\n", + "=====================================================================\n", + "[('impairment', 100.0, 632), 57.142857142857146, array(['utrata wartości aktywów'], dtype=object)]\n", + "recognize impairment charge result from perform impairment test may have a significant impact on the company s financial statement\n", + "recognize impairment utrata wartości aktywów charge result from perform impairment test may have a significant impact on the company s financial statement\n", + "utworzone przez spółka odpis aktualizujące wynikające z przeprowadzanych test na utrata wartość móc mieść istotny wpływ na sprawozdanie finansowy spółki\n", + "=====================================================================\n", + "[('restatement', 90.0, 972), 75.0, array(['korekty poprzedniego okresu'], dtype=object)]\n", + "recognize impairment charge result from perform impairment test may have a significant impact on the company s financial statement\n", + "recognize impairment charge result from perform impairment test may have a korekty poprzedniego okresu significant impact on the company s financial statement\n", + "utworzone przez spółka odpis aktualizujące wynikające z przeprowadzanych test na utrata wartość móc mieść istotny wpływ na sprawozdanie finansowy spółki\n", + "=====================================================================\n", + "[('earning', 100.0, 419), 50.0, array(['zysk'], dtype=object)]\n", + "diluted earning per share after error adjustment\n", + "diluted earning zysk per share after error adjustment\n", + "rozwodniony zysk na akcja po korekta błąd\n", + "=====================================================================\n", + "[('earning per share', 100.0, 426), 40.0, array(['zysk na jedną akcję'], dtype=object)]\n", + "diluted earning per share after error adjustment\n", + "diluted earning per share zysk na jedną akcję after error adjustment\n", + "rozwodniony zysk na akcja po korekta błąd\n", + "=====================================================================\n", + "[('error adjustment', 100.0, 463), 37.5, array(['korekty błędów księgowych'], dtype=object)]\n", + "diluted earning per share after error adjustment\n", + "diluted earning per share after error korekty błędów księgowych adjustment\n", + "rozwodniony zysk na akcja po korekta błąd\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the audit oversight commission shall submit to the control audit firm the report on the control refer to in article 106 passage 1 contain main finding and conclusion from the control include the recommendation refer to in article 121 passage 1 item 1 as well as information about the plan follow up activity refer to in article 121 passage 1 item 2 or 3\n", + "the audit badanie sprawozdania finansowego oversight commission shall submit to the control audit firm the report on the control refer to in article 106 passage 1 contain main finding and conclusion from the control include the recommendation refer to in article 121 passage 1 item 1 as well as information about the plan follow up activity refer to in article 121 passage 1 item 2 or 3\n", + "komisja nadzór audytowy kierować do kontrolowany firma audytorski raport z kontrola o której mo wa w art 106 ust 1 zawierający główny ustalenie i wniosek z kontrola w tym zalecenie o których mowa w art 121 ust 1 pkt 1 a także informacja o planowanych działanie pokontrolny o których mowa w art 121 ust 1 pkt 2 lub 3\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "the audit oversight commission shall submit to the control audit firm the report on the control refer to in article 106 passage 1 contain main finding and conclusion from the control include the recommendation refer to in article 121 passage 1 item 1 as well as information about the plan follow up activity refer to in article 121 passage 1 item 2 or 3\n", + "the audit oversight commission prowizje shall submit to the control audit firm the report on the control refer to in article 106 passage 1 contain main finding and conclusion from the control include the recommendation refer to in article 121 passage 1 item 1 as well as information about the plan follow up activity refer to in article 121 passage 1 item 2 or 3\n", + "komisja nadzór audytowy kierować do kontrolowany firma audytorski raport z kontrola o której mo wa w art 106 ust 1 zawierający główny ustalenie i wniosek z kontrola w tym zalecenie o których mowa w art 121 ust 1 pkt 1 a także informacja o planowanych działanie pokontrolny o których mowa w art 121 ust 1 pkt 2 lub 3\n", + "=====================================================================\n", + "[('control', 100.0, 289), 100.0, array(['kontrola '], dtype=object)]\n", + "the audit oversight commission shall submit to the control audit firm the report on the control refer to in article 106 passage 1 contain main finding and conclusion from the control include the recommendation refer to in article 121 passage 1 item 1 as well as information about the plan follow up activity refer to in article 121 passage 1 item 2 or 3\n", + "the audit oversight commission shall submit to the control kontrola audit firm the report on the control refer to in article 106 passage 1 contain main finding and conclusion from the control include the recommendation refer to in article 121 passage 1 item 1 as well as information about the plan follow up activity refer to in article 121 passage 1 item 2 or 3\n", + "komisja nadzór audytowy kierować do kontrolowany firma audytorski raport z kontrola o której mo wa w art 106 ust 1 zawierający główny ustalenie i wniosek z kontrola w tym zalecenie o których mowa w art 121 ust 1 pkt 1 a także informacja o planowanych działanie pokontrolny o których mowa w art 121 ust 1 pkt 2 lub 3\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 100.0, array(['nadzór'], dtype=object)]\n", + "the audit oversight commission shall submit to the control audit firm the report on the control refer to in article 106 passage 1 contain main finding and conclusion from the control include the recommendation refer to in article 121 passage 1 item 1 as well as information about the plan follow up activity refer to in article 121 passage 1 item 2 or 3\n", + "the audit oversight nadzór commission shall submit to the control audit firm the report on the control refer to in article 106 passage 1 contain main finding and conclusion from the control include the recommendation refer to in article 121 passage 1 item 1 as well as information about the plan follow up activity refer to in article 121 passage 1 item 2 or 3\n", + "komisja nadzór audytowy kierować do kontrolowany firma audytorski raport z kontrola o której mo wa w art 106 ust 1 zawierający główny ustalenie i wniosek z kontrola w tym zalecenie o których mowa w art 121 ust 1 pkt 1 a także informacja o planowanych działanie pokontrolny o których mowa w art 121 ust 1 pkt 2 lub 3\n", + "=====================================================================\n", + "[('report', 100.0, 963), 100.0, array(['sprawozdawczość'], dtype=object)]\n", + "the audit oversight commission shall submit to the control audit firm the report on the control refer to in article 106 passage 1 contain main finding and conclusion from the control include the recommendation refer to in article 121 passage 1 item 1 as well as information about the plan follow up activity refer to in article 121 passage 1 item 2 or 3\n", + "the audit oversight commission shall submit to the control audit firm the report sprawozdawczość on the control refer to in article 106 passage 1 contain main finding and conclusion from the control include the recommendation refer to in article 121 passage 1 item 1 as well as information about the plan follow up activity refer to in article 121 passage 1 item 2 or 3\n", + "komisja nadzór audytowy kierować do kontrolowany firma audytorski raport z kontrola o której mo wa w art 106 ust 1 zawierający główny ustalenie i wniosek z kontrola w tym zalecenie o których mowa w art 121 ust 1 pkt 1 a także informacja o planowanych działanie pokontrolny o których mowa w art 121 ust 1 pkt 2 lub 3\n", + "=====================================================================\n", + "[('provision', 100.0, 909), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "the person refer to in passage 1 not meet the condition refer to in the provision mention in passage 1 shall perform the function until the appointment or selection of person meet these condition however not long than for 3 month from the effective date of this act\n", + "the person refer to in passage 1 not meet the condition refer to in the provision rezerwa mention in passage 1 shall perform the function until the appointment or selection of person meet these condition however not long than for 3 month from the effective date of this act\n", + "osoba o których mowa w ust 1 niespełniające warunki o których mowa w przepis wymienionym w ust 1 pełnić funkcja do czas powołanie lub wyznaczenia osoba spełniających te warunek nie długo jednak niż przez 3 miesiąc od dzień wejście w żyto niniejszy ustawa\n", + "=====================================================================\n", + "[('provision', 100.0, 911), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "the person refer to in passage 1 not meet the condition refer to in the provision mention in passage 1 shall perform the function until the appointment or selection of person meet these condition however not long than for 3 month from the effective date of this act\n", + "the person refer to in passage 1 not meet the condition refer to in the provision rezerwa mention in passage 1 shall perform the function until the appointment or selection of person meet these condition however not long than for 3 month from the effective date of this act\n", + "osoba o których mowa w ust 1 niespełniające warunki o których mowa w przepis wymienionym w ust 1 pełnić funkcja do czas powołanie lub wyznaczenia osoba spełniających te warunek nie długo jednak niż przez 3 miesiąc od dzień wejście w żyto niniejszy ustawa\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 50.0, array(['aktywa'], dtype=object)]\n", + "financial asset at fair value through profit or loss\n", + "financial asset aktywa at fair value through profit or loss\n", + "aktywa finansowy w wartość godziwy przez zysk lub strata\n", + "=====================================================================\n", + "[('fair value', 100.0, 497), 42.857142857142854, array(['wartość godziwa'], dtype=object)]\n", + "financial asset at fair value through profit or loss\n", + "financial asset at fair value wartość godziwa through profit or loss\n", + "aktywa finansowy w wartość godziwy przez zysk lub strata\n", + "=====================================================================\n", + "[('financial asset', 100.0, 514), 62.5, array(['aktywa finansowe'], dtype=object)]\n", + "financial asset at fair value through profit or loss\n", + "financial asset aktywa finansowe at fair value through profit or loss\n", + "aktywa finansowy w wartość godziwy przez zysk lub strata\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 50.0, array(['strata'], dtype=object)]\n", + "financial asset at fair value through profit or loss\n", + "financial asset strata at fair value through profit or loss\n", + "aktywa finansowy w wartość godziwy przez zysk lub strata\n", + "=====================================================================\n", + "[('profit', 100.0, 898), 57.142857142857146, array(['zysk'], dtype=object)]\n", + "financial asset at fair value through profit or loss\n", + "financial asset at fair value through profit zysk or loss\n", + "aktywa finansowy w wartość godziwy przez zysk lub strata\n", + "=====================================================================\n", + "[('economic', 100.0, 433), 87.5, array(['ekonomia'], dtype=object)]\n", + "involvement of intermediary despite lack of economic or business ground or\n", + "involvement of intermediary despite lack of economic ekonomia or business ground or\n", + "angażowania podmiot pośredniczących mimo brak uzasadnienie ekonomiczny lub gospodarczy lub\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 57.142857142857146, array(['strata'], dtype=object)]\n", + "in the year end 31 december 2017 contingent payment charge to the profit and loss for the year amount to pln thousand in the year end 31 december 2016 pln thousand\n", + "in the year end 31 december 2017 contingent payment charge to the profit and loss strata for the year amount to pln thousand in the year end 31 december 2016 pln thousand\n", + "w rok zakończony 31 grudzień 2017 rok warunkowy opłata leasingowy ujęte jako koszt dany okres obrotowy wynieść tysiąc pln w okres zakończony dzień 31 grudzień 2016 rok tysiąc pln\n", + "=====================================================================\n", + "[('profit', 100.0, 898), 66.66666666666666, array(['zysk'], dtype=object)]\n", + "in the year end 31 december 2017 contingent payment charge to the profit and loss for the year amount to pln thousand in the year end 31 december 2016 pln thousand\n", + "in the year end 31 december 2017 contingent payment charge to the profit zysk and loss for the year amount to pln thousand in the year end 31 december 2016 pln thousand\n", + "w rok zakończony 31 grudzień 2017 rok warunkowy opłata leasingowy ujęte jako koszt dany okres obrotowy wynieść tysiąc pln w okres zakończony dzień 31 grudzień 2016 rok tysiąc pln\n", + "=====================================================================\n", + "[('year end', 100.0, 1193), 50.0, array(['koniec roku'], dtype=object)]\n", + "in the year end 31 december 2017 contingent payment charge to the profit and loss for the year amount to pln thousand in the year end 31 december 2016 pln thousand\n", + "in the year end koniec roku 31 december 2017 contingent payment charge to the profit and loss for the year amount to pln thousand in the year end 31 december 2016 pln thousand\n", + "w rok zakończony 31 grudzień 2017 rok warunkowy opłata leasingowy ujęte jako koszt dany okres obrotowy wynieść tysiąc pln w okres zakończony dzień 31 grudzień 2016 rok tysiąc pln\n", + "=====================================================================\n", + "[('coo', 100.0, 184), 100.0, array(['dyrektor operacyjny'], dtype=object)]\n", + "in the act of 7 december 2000 on operation of cooperative banks their affiliation and affiliating banks dz\n", + "in the act of 7 december 2000 on operation of cooperative dyrektor operacyjny banks their affiliation and affiliating banks dz\n", + "w ustawa z dzień 7 grudzień 2000 r o funkcjonowanie bank spółdzielczy on zrzeszaniu się i bank zrzeszających dz\n", + "=====================================================================\n", + "[('affiliate', 88.88888888888889, 80), 100.0, array(['jednostka afiliowana'], dtype=object)]\n", + "in the act of 7 december 2000 on operation of cooperative banks their affiliation and affiliating banks dz\n", + "in the act of 7 december 2000 on operation of cooperative banks their affiliation jednostka afiliowana and affiliating banks dz\n", + "w ustawa z dzień 7 grudzień 2000 r o funkcjonowanie bank spółdzielczy on zrzeszaniu się i bank zrzeszających dz\n", + "=====================================================================\n", + "[('ema', 100.0, 410), 66.66666666666666, array(['rachunkowość zarządcza ochrony środowiska'], dtype=object)]\n", + "business services sector in poland 2018 overview of the business service sector 43 ukraine remain the country most frequently name as the country of origin of foreigner employ at business service center\n", + "business services sector in poland 2018 overview of the business service sector 43 ukraine remain rachunkowość zarządcza ochrony środowiska the country most frequently name as the country of origin of foreigner employ at business service center\n", + "sektor nowoczesny usługi biznesowy w polska 2018 charakterystyka sektor usługi biznesowy 43 ukraina niezmiennie pozostawać państwo zdecydowanie najczę ściej wskazywanym jako miejsce pochodzenie cudzoziemiec pracujący w centrum usługi\n", + "=====================================================================\n", + "[('vie', 100.0, 1157), 80.0, array(['podmiot o zmiennych udziałach'], dtype=object)]\n", + "business services sector in poland 2018 overview of the business service sector 43 ukraine remain the country most frequently name as the country of origin of foreigner employ at business service center\n", + "business services sector in poland 2018 overview podmiot o zmiennych udziałach of the business service sector 43 ukraine remain the country most frequently name as the country of origin of foreigner employ at business service center\n", + "sektor nowoczesny usługi biznesowy w polska 2018 charakterystyka sektor usługi biznesowy 43 ukraina niezmiennie pozostawać państwo zdecydowanie najczę ściej wskazywanym jako miejsce pochodzenie cudzoziemiec pracujący w centrum usługi\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the explanatory proceeding shall not be commence if a notification of suspect disciplinary offence be submit by 1 national council of statutory auditors 2 the national supervisory committee 3 the audit oversight commission 4 the financial supervision authority 5 the minister of justice\n", + "the explanatory proceeding shall not be commence if a badanie sprawozdania finansowego notification of suspect disciplinary offence be submit by 1 national council of statutory auditors 2 the national supervisory committee 3 the audit oversight commission 4 the financial supervision authority 5 the minister of justice\n", + "postępowanie wyjaśniający nie wszczynać się w przypadek gdy zawiadomienie o podejrzenie popełnienia prze winienia dyscyplinarny złożyć 1 krajowy rado biegły rewident 2 krajowy komisja nadzór 3 komisja nadzór audytowy 4 komisja nadzór finansowy 5 minister sprawiedliwość\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "the explanatory proceeding shall not be commence if a notification of suspect disciplinary offence be submit by 1 national council of statutory auditors 2 the national supervisory committee 3 the audit oversight commission 4 the financial supervision authority 5 the minister of justice\n", + "the explanatory proceeding shall not be commence if a biegły rewident notification of suspect disciplinary offence be submit by 1 national council of statutory auditors 2 the national supervisory committee 3 the audit oversight commission 4 the financial supervision authority 5 the minister of justice\n", + "postępowanie wyjaśniający nie wszczynać się w przypadek gdy zawiadomienie o podejrzenie popełnienia prze winienia dyscyplinarny złożyć 1 krajowy rado biegły rewident 2 krajowy komisja nadzór 3 komisja nadzór audytowy 4 komisja nadzór finansowy 5 minister sprawiedliwość\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "the explanatory proceeding shall not be commence if a notification of suspect disciplinary offence be submit by 1 national council of statutory auditors 2 the national supervisory committee 3 the audit oversight commission 4 the financial supervision authority 5 the minister of justice\n", + "the explanatory proceeding shall not be commence if a notification of suspect disciplinary offence be submit by 1 national council of statutory auditors 2 the national supervisory committee 3 the audit oversight commission prowizje 4 the financial supervision authority 5 the minister of justice\n", + "postępowanie wyjaśniający nie wszczynać się w przypadek gdy zawiadomienie o podejrzenie popełnienia prze winienia dyscyplinarny złożyć 1 krajowy rado biegły rewident 2 krajowy komisja nadzór 3 komisja nadzór audytowy 4 komisja nadzór finansowy 5 minister sprawiedliwość\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 100.0, array(['nadzór'], dtype=object)]\n", + "the explanatory proceeding shall not be commence if a notification of suspect disciplinary offence be submit by 1 national council of statutory auditors 2 the national supervisory committee 3 the audit oversight commission 4 the financial supervision authority 5 the minister of justice\n", + "the explanatory proceeding shall not be commence if a notification of suspect disciplinary offence be submit by 1 national council of statutory auditors 2 the national supervisory committee 3 the audit oversight nadzór commission 4 the financial supervision authority 5 the minister of justice\n", + "postępowanie wyjaśniający nie wszczynać się w przypadek gdy zawiadomienie o podejrzenie popełnienia prze winienia dyscyplinarny złożyć 1 krajowy rado biegły rewident 2 krajowy komisja nadzór 3 komisja nadzór audytowy 4 komisja nadzór finansowy 5 minister sprawiedliwość\n", + "=====================================================================\n", + "[('provision', 88.88888888888889, 909), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "the explanatory proceeding shall not be commence if a notification of suspect disciplinary offence be submit by 1 national council of statutory auditors 2 the national supervisory committee 3 the audit oversight commission 4 the financial supervision authority 5 the minister of justice\n", + "the explanatory proceeding shall not be commence if a notification of suspect disciplinary offence be submit by 1 national council of statutory auditors 2 the national supervisory committee 3 the audit oversight commission 4 the financial supervision rezerwa authority 5 the minister of justice\n", + "postępowanie wyjaśniający nie wszczynać się w przypadek gdy zawiadomienie o podejrzenie popełnienia prze winienia dyscyplinarny złożyć 1 krajowy rado biegły rewident 2 krajowy komisja nadzór 3 komisja nadzór audytowy 4 komisja nadzór finansowy 5 minister sprawiedliwość\n", + "=====================================================================\n", + "[('supervisory board', 100.0, 1071), 54.54545454545455, array(['rada nadzorcza'], dtype=object)]\n", + "share of key management personnel include member of management and supervisory board in the employee share incentive scheme\n", + "share of key management personnel include member of management and supervisory board rada nadzorcza in the employee share incentive scheme\n", + "udział wysoki kadra kierowniczy w tym członek zarząd i rada nadzorczy w program akcja pracowniczy\n", + "=====================================================================\n", + "[('financial statement', 100.0, 526), 66.66666666666666, array(['sprawozdanie finansowe'], dtype=object)]\n", + "accord to the new regulation issuer be oblige in particular to explain and to indicate the impact on the financial statement of qualification both quantitatively and qualitatively as well as present the action take or plan in connection with the situation\n", + "accord to the new regulation issuer be oblige in particular to explain and to indicate the impact on the financial statement sprawozdanie finansowe of qualification both quantitatively and qualitatively as well as present the action take or plan in connection with the situation\n", + "zgodnie z nowy regulacja emitent są zobowiązany w szczególność do wyjaśnienie oraz wskazanie wpływ zastrzeżenie zarówno w ujęcie ilościowy jak i jakościowy na sprawozdanie finansowy a także przedstawienie podjętych lub planowanych działanie w związek z zaistniały sytuacja\n", + "=====================================================================\n", + "[('qualification', 100.0, 927), 100.0, array(['kwalifikacje zawodowe'], dtype=object)]\n", + "accord to the new regulation issuer be oblige in particular to explain and to indicate the impact on the financial statement of qualification both quantitatively and qualitatively as well as present the action take or plan in connection with the situation\n", + "accord to the new regulation issuer be oblige in particular to explain and to indicate the impact on kwalifikacje zawodowe the financial statement of qualification both quantitatively and qualitatively as well as present the action take or plan in connection with the situation\n", + "zgodnie z nowy regulacja emitent są zobowiązany w szczególność do wyjaśnienie oraz wskazanie wpływ zastrzeżenie zarówno w ujęcie ilościowy jak i jakościowy na sprawozdanie finansowy a także przedstawienie podjętych lub planowanych działanie w związek z zaistniały sytuacja\n", + "=====================================================================\n", + "[('loan classification', 91.42857142857143, 723), 64.28571428571428, array(['klasyfikacja kredytów'], dtype=object)]\n", + "a classification and measurement\n", + "a classification klasyfikacja kredytów and measurement\n", + "a klasyfikacja i wycena\n", + "=====================================================================\n", + "[('account', 100.0, 13), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "in the act of 15 february 1992 on corporate income tax dz u of 2016 item 1888 as amended12 the follow change be introduce dz u 76 item 1089 1 article 9b passage 1 item 2 shall be replace by the following 2 accounting regulation provide that in the period refer to in passage 3 financial statement prepare by taxpayer shall be examine by the audit firm 2 article 27 passage 2 shall be replace by the following 2\n", + "in the act of 15 february 1992 on corporate income tax dz u konto of 2016 item 1888 as amended12 the follow change be introduce dz u 76 item 1089 1 article 9b passage 1 item 2 shall be replace by the following 2 accounting regulation provide that in the period refer to in passage 3 financial statement prepare by taxpayer shall be examine by the audit firm 2 article 27 passage 2 shall be replace by the following 2\n", + "w ustawa z dzień 15 luty 1992 r o podatek dochodowy od osoba prawny dz u z 2016 r poz 1888 z późn zm 14 wprowadzać się następujący zmiana 1 w art 9b w ust 1 pkt 2 otrzymywać brzmienie 2 przepis o rachunkowość pod warunek że w okres o którym mowa w ust 3 sporządzane przez podatny ków sprawozdanie finansowy być badany przez firma audytorski 2 w art 27 ust 2 otrzymywać brzmienie 2\n", + "=====================================================================\n", + "[('account', 100.0, 25), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "in the act of 15 february 1992 on corporate income tax dz u of 2016 item 1888 as amended12 the follow change be introduce dz u 76 item 1089 1 article 9b passage 1 item 2 shall be replace by the following 2 accounting regulation provide that in the period refer to in passage 3 financial statement prepare by taxpayer shall be examine by the audit firm 2 article 27 passage 2 shall be replace by the following 2\n", + "in the act of 15 february 1992 on corporate income tax dz u konto of 2016 item 1888 as amended12 the follow change be introduce dz u 76 item 1089 1 article 9b passage 1 item 2 shall be replace by the following 2 accounting regulation provide that in the period refer to in passage 3 financial statement prepare by taxpayer shall be examine by the audit firm 2 article 27 passage 2 shall be replace by the following 2\n", + "w ustawa z dzień 15 luty 1992 r o podatek dochodowy od osoba prawny dz u z 2016 r poz 1888 z późn zm 14 wprowadzać się następujący zmiana 1 w art 9b w ust 1 pkt 2 otrzymywać brzmienie 2 przepis o rachunkowość pod warunek że w okres o którym mowa w ust 3 sporządzane przez podatny ków sprawozdanie finansowy być badany przez firma audytorski 2 w art 27 ust 2 otrzymywać brzmienie 2\n", + "=====================================================================\n", + "[('account', 100.0, 57), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "in the act of 15 february 1992 on corporate income tax dz u of 2016 item 1888 as amended12 the follow change be introduce dz u 76 item 1089 1 article 9b passage 1 item 2 shall be replace by the following 2 accounting regulation provide that in the period refer to in passage 3 financial statement prepare by taxpayer shall be examine by the audit firm 2 article 27 passage 2 shall be replace by the following 2\n", + "in the act of 15 february 1992 on corporate income tax dz u konto of 2016 item 1888 as amended12 the follow change be introduce dz u 76 item 1089 1 article 9b passage 1 item 2 shall be replace by the following 2 accounting regulation provide that in the period refer to in passage 3 financial statement prepare by taxpayer shall be examine by the audit firm 2 article 27 passage 2 shall be replace by the following 2\n", + "w ustawa z dzień 15 luty 1992 r o podatek dochodowy od osoba prawny dz u z 2016 r poz 1888 z późn zm 14 wprowadzać się następujący zmiana 1 w art 9b w ust 1 pkt 2 otrzymywać brzmienie 2 przepis o rachunkowość pod warunek że w okres o którym mowa w ust 3 sporządzane przez podatny ków sprawozdanie finansowy być badany przez firma audytorski 2 w art 27 ust 2 otrzymywać brzmienie 2\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "in the act of 15 february 1992 on corporate income tax dz u of 2016 item 1888 as amended12 the follow change be introduce dz u 76 item 1089 1 article 9b passage 1 item 2 shall be replace by the following 2 accounting regulation provide that in the period refer to in passage 3 financial statement prepare by taxpayer shall be examine by the audit firm 2 article 27 passage 2 shall be replace by the following 2\n", + "in the act of 15 february 1992 on corporate income tax dz u badanie sprawozdania finansowego of 2016 item 1888 as amended12 the follow change be introduce dz u 76 item 1089 1 article 9b passage 1 item 2 shall be replace by the following 2 accounting regulation provide that in the period refer to in passage 3 financial statement prepare by taxpayer shall be examine by the audit firm 2 article 27 passage 2 shall be replace by the following 2\n", + "w ustawa z dzień 15 luty 1992 r o podatek dochodowy od osoba prawny dz u z 2016 r poz 1888 z późn zm 14 wprowadzać się następujący zmiana 1 w art 9b w ust 1 pkt 2 otrzymywać brzmienie 2 przepis o rachunkowość pod warunek że w okres o którym mowa w ust 3 sporządzane przez podatny ków sprawozdanie finansowy być badany przez firma audytorski 2 w art 27 ust 2 otrzymywać brzmienie 2\n", + "=====================================================================\n", + "[('financial statement', 100.0, 526), 60.0, array(['sprawozdanie finansowe'], dtype=object)]\n", + "in the act of 15 february 1992 on corporate income tax dz u of 2016 item 1888 as amended12 the follow change be introduce dz u 76 item 1089 1 article 9b passage 1 item 2 shall be replace by the following 2 accounting regulation provide that in the period refer to in passage 3 financial statement prepare by taxpayer shall be examine by the audit firm 2 article 27 passage 2 shall be replace by the following 2\n", + "in the act of 15 february 1992 on corporate income tax dz u of 2016 item 1888 as amended12 the follow change be introduce dz u 76 item 1089 1 article 9b passage 1 item 2 shall be replace by the following 2 accounting regulation provide that in the period refer to in passage 3 financial statement sprawozdanie finansowe prepare by taxpayer shall be examine by the audit firm 2 article 27 passage 2 shall be replace by the following 2\n", + "w ustawa z dzień 15 luty 1992 r o podatek dochodowy od osoba prawny dz u z 2016 r poz 1888 z późn zm 14 wprowadzać się następujący zmiana 1 w art 9b w ust 1 pkt 2 otrzymywać brzmienie 2 przepis o rachunkowość pod warunek że w okres o którym mowa w ust 3 sporządzane przez podatny ków sprawozdanie finansowy być badany przez firma audytorski 2 w art 27 ust 2 otrzymywać brzmienie 2\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 66.66666666666666, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "audit procedure in response to the identify risk\n", + "audit badanie sprawozdania finansowego procedure in response to the identify risk\n", + "procedura biegły rewident w odpowiedź na zidentyfikowane ryzyka\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 100.0, array(['aktywa'], dtype=object)]\n", + "for financial reporting purpose deferred tax be recognise use the liability method on all temporary difference at the reporting date between the tax basis of asset and liability and their carrying amount\n", + "for financial reporting purpose deferred tax be recognise use the liability method on all temporary difference at the reporting date between the tax basis of asset aktywa and liability and their carrying amount\n", + "na potrzeba sprawozdawczość finansowy podatek odroczony jest obliczany metoda zobowiązanie bilansowy w stosunek do różnica przejściowy występujących na dzienie bilansowy między wartość podatkowy aktywa i zobowiązanie a on wartość bilansowy wykazaną w sprawozdanie finansowy\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 66.66666666666666, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "for financial reporting purpose deferred tax be recognise use the liability method on all temporary difference at the reporting date between the tax basis of asset and liability and their carrying amount\n", + "for financial reporting purpose deferred tax be recognise koszty sprzedanych produktów, towarów i materiałów use the liability method on all temporary difference at the reporting date between the tax basis of asset and liability and their carrying amount\n", + "na potrzeba sprawozdawczość finansowy podatek odroczony jest obliczany metoda zobowiązanie bilansowy w stosunek do różnica przejściowy występujących na dzienie bilansowy między wartość podatkowy aktywa i zobowiązanie a on wartość bilansowy wykazaną w sprawozdanie finansowy\n", + "=====================================================================\n", + "[('financial reporting', 100.0, 519), 54.54545454545455, array(['sprawozdawczość finansowa'], dtype=object)]\n", + "for financial reporting purpose deferred tax be recognise use the liability method on all temporary difference at the reporting date between the tax basis of asset and liability and their carrying amount\n", + "for financial reporting sprawozdawczość finansowa purpose deferred tax be recognise use the liability method on all temporary difference at the reporting date between the tax basis of asset and liability and their carrying amount\n", + "na potrzeba sprawozdawczość finansowy podatek odroczony jest obliczany metoda zobowiązanie bilansowy w stosunek do różnica przejściowy występujących na dzienie bilansowy między wartość podatkowy aktywa i zobowiązanie a on wartość bilansowy wykazaną w sprawozdanie finansowy\n", + "=====================================================================\n", + "[('liability', 100.0, 716), 100.0, array(['zobowiązania'], dtype=object)]\n", + "for financial reporting purpose deferred tax be recognise use the liability method on all temporary difference at the reporting date between the tax basis of asset and liability and their carrying amount\n", + "for financial reporting purpose deferred tax be recognise use the liability zobowiązania method on all temporary difference at the reporting date between the tax basis of asset and liability and their carrying amount\n", + "na potrzeba sprawozdawczość finansowy podatek odroczony jest obliczany metoda zobowiązanie bilansowy w stosunek do różnica przejściowy występujących na dzienie bilansowy między wartość podatkowy aktywa i zobowiązanie a on wartość bilansowy wykazaną w sprawozdanie finansowy\n", + "=====================================================================\n", + "[('report', 100.0, 963), 66.66666666666666, array(['sprawozdawczość'], dtype=object)]\n", + "for financial reporting purpose deferred tax be recognise use the liability method on all temporary difference at the reporting date between the tax basis of asset and liability and their carrying amount\n", + "for financial reporting sprawozdawczość purpose deferred tax be recognise use the liability method on all temporary difference at the reporting date between the tax basis of asset and liability and their carrying amount\n", + "na potrzeba sprawozdawczość finansowy podatek odroczony jest obliczany metoda zobowiązanie bilansowy w stosunek do różnica przejściowy występujących na dzienie bilansowy między wartość podatkowy aktywa i zobowiązanie a on wartość bilansowy wykazaną w sprawozdanie finansowy\n", + "=====================================================================\n", + "[('note', 100.0, 791), 66.66666666666666, array(['informacja dodatkowa'], dtype=object)]\n", + "look at poland s business service sector map we note that in seven location the employment level at bpo ssc it and r d center exceed 10 000 people\n", + "look at poland s business service sector map we note informacja dodatkowa that in seven location the employment level at bpo ssc it and r d center exceed 10 000 people\n", + "analiza polski mapa sektor nowoczesny usługi biznesowy pozwalać bowiem zauważyć że w siedem miejsce zatrudnienie w centrum usługi bpo ssc it r d przekraczać 10 tys osoba\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "in case of a discrepancy between the opinion of the board and the auditor or any other situation result in the modification of opinion we recommend to analyze the fact regulation and prepare the management board s opinion explain the circumstance around accept a different approach than the one suggest by the auditor or explain other circumstance behind the modification of the opinion\n", + "in case of a badanie sprawozdania finansowego discrepancy between the opinion of the board and the auditor or any other situation result in the modification of opinion we recommend to analyze the fact regulation and prepare the management board s opinion explain the circumstance around accept a different approach than the one suggest by the auditor or explain other circumstance behind the modification of the opinion\n", + "w przypadek wystąpienie rozbieżność pomiędzy zdanie zarząd a biegły rewident lub wystąpienie inny okoliczność skutkujących modyfikacja opinia rekomendować przeanalizowanie fakt przepis i przygotowanie stanowisko zarząd wyjaśniający okoliczność w związek z którymi zarząd przyjąć odmienny pogląd niż sugerowany przez biegły rewident lub wyjaśniający inny okoliczność wpływające na modyfikacja opinia\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "in case of a discrepancy between the opinion of the board and the auditor or any other situation result in the modification of opinion we recommend to analyze the fact regulation and prepare the management board s opinion explain the circumstance around accept a different approach than the one suggest by the auditor or explain other circumstance behind the modification of the opinion\n", + "in case of a biegły rewident discrepancy between the opinion of the board and the auditor or any other situation result in the modification of opinion we recommend to analyze the fact regulation and prepare the management board s opinion explain the circumstance around accept a different approach than the one suggest by the auditor or explain other circumstance behind the modification of the opinion\n", + "w przypadek wystąpienie rozbieżność pomiędzy zdanie zarząd a biegły rewident lub wystąpienie inny okoliczność skutkujących modyfikacja opinia rekomendować przeanalizowanie fakt przepis i przygotowanie stanowisko zarząd wyjaśniający okoliczność w związek z którymi zarząd przyjąć odmienny pogląd niż sugerowany przez biegły rewident lub wyjaśniający inny okoliczność wpływające na modyfikacja opinia\n", + "=====================================================================\n", + "[('fair value', 100.0, 497), 33.33333333333333, array(['wartość godziwa'], dtype=object)]\n", + "fair value hedge\n", + "fair value wartość godziwa hedge\n", + "zabezpieczenie wartość godziwy\n", + "=====================================================================\n", + "[('hedge', 100.0, 600), 44.44444444444444, array(['transakcje zabezpieczające'], dtype=object)]\n", + "fair value hedge\n", + "fair value transakcje zabezpieczające hedge\n", + "zabezpieczenie wartość godziwy\n", + "=====================================================================\n", + "[('par value', 88.88888888888889, 850), 30.769230769230774, array(['wartość nominalna'], dtype=object)]\n", + "fair value hedge\n", + "fair value wartość nominalna hedge\n", + "zabezpieczenie wartość godziwy\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "in the case of replace an audit firm with a different audit firm the replace company ensure to the substitute company the access to any information on the audited entity and the last audit conduct in this entity\n", + "in the case of replace an audit badanie sprawozdania finansowego firm with a different audit firm the replace company ensure to the substitute company the access to any information on the audited entity and the last audit conduct in this entity\n", + "w przypadek zastąpienia firma audytorski inny firma audytorski zastępowana firma audytorski zapew nia zastępującej firma audytorskiej dostęp do wszelkich informacja na temat badany jednostka i ostatni badanie tej jednostka\n", + "=====================================================================\n", + "[('company', 100.0, 245), 66.66666666666666, array(['spółka kapitałowa'], dtype=object)]\n", + "in the case of replace an audit firm with a different audit firm the replace company ensure to the substitute company the access to any information on the audited entity and the last audit conduct in this entity\n", + "in the case of replace an spółka kapitałowa audit firm with a different audit firm the replace company ensure to the substitute company the access to any information on the audited entity and the last audit conduct in this entity\n", + "w przypadek zastąpienia firma audytorski inny firma audytorski zastępowana firma audytorski zapew nia zastępującej firma audytorskiej dostęp do wszelkich informacja na temat badany jednostka i ostatni badanie tej jednostka\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 100.0, array(['jednostka'], dtype=object)]\n", + "in the case of replace an audit firm with a different audit firm the replace company ensure to the substitute company the access to any information on the audited entity and the last audit conduct in this entity\n", + "in the case of replace an audit firm with a different audit firm the replace company ensure to the substitute company the access to any information on the audited entity jednostka and the last audit conduct in this entity\n", + "w przypadek zastąpienia firma audytorski inny firma audytorski zastępowana firma audytorski zapew nia zastępującej firma audytorskiej dostęp do wszelkich informacja na temat badany jednostka i ostatni badanie tej jednostka\n", + "=====================================================================\n", + "[('group', 100.0, 593), 100.0, array(['grupa kapitałowa'], dtype=object)]\n", + "a mortgage security be establish on land and building with a carrying amount of pln thousand at 31 december 2016 pln thousand in respect of bank loan take out by the group note\n", + "a mortgage security be establish on land and building with a carrying amount of pln thousand at 31 december 2016 pln thousand in respect of bank loan take out by the group grupa kapitałowa note\n", + "grunt i budynek o wartość bilansowy tysiąc pln na dzienie 31 grudzień 2016 rok tysiąc pln objęte są hipoteka ustanowioną w cel zabezpieczenie kredyt bankowy grupa nota\n", + "=====================================================================\n", + "[('note', 100.0, 791), 100.0, array(['informacja dodatkowa'], dtype=object)]\n", + "a mortgage security be establish on land and building with a carrying amount of pln thousand at 31 december 2016 pln thousand in respect of bank loan take out by the group note\n", + "a mortgage security be establish on land and building with a carrying amount of pln thousand at 31 december 2016 pln thousand in respect of bank loan take out by the informacja dodatkowa group note\n", + "grunt i budynek o wartość bilansowy tysiąc pln na dzienie 31 grudzień 2016 rok tysiąc pln objęte są hipoteka ustanowioną w cel zabezpieczenie kredyt bankowy grupa nota\n", + "=====================================================================\n", + "[('liability', 100.0, 716), 50.0, array(['zobowiązania'], dtype=object)]\n", + "a person submit the report shall include therein a clause reading as follow i be aware of criminal liability for submission of a false statement\n", + "a zobowiązania person submit the report shall include therein a clause reading as follow i be aware of criminal liability for submission of a false statement\n", + "składający oświadczenie jest obowiązany do zawarcie w on klauzula o następujący treść jestem świadomy odpowiedzialność karny za złożenie fałszywy oświadczenie\n", + "=====================================================================\n", + "[('report', 100.0, 963), 100.0, array(['sprawozdawczość'], dtype=object)]\n", + "a person submit the report shall include therein a clause reading as follow i be aware of criminal liability for submission of a false statement\n", + "a person submit the report sprawozdawczość shall include therein a clause reading as follow i be aware of criminal liability for submission of a false statement\n", + "składający oświadczenie jest obowiązany do zawarcie w on klauzula o następujący treść jestem świadomy odpowiedzialność karny za złożenie fałszywy oświadczenie\n", + "=====================================================================\n", + "[('restatement', 90.9090909090909, 972), 75.0, array(['korekty poprzedniego okresu'], dtype=object)]\n", + "a person submit the report shall include therein a clause reading as follow i be aware of criminal liability for submission of a false statement\n", + "a korekty poprzedniego okresu person submit the report shall include therein a clause reading as follow i be aware of criminal liability for submission of a false statement\n", + "składający oświadczenie jest obowiązany do zawarcie w on klauzula o następujący treść jestem świadomy odpowiedzialność karny za złożenie fałszywy oświadczenie\n", + "=====================================================================\n", + "[('contract', 100.0, 282), 71.42857142857143, array(['kontrakt', 'umowa'], dtype=object)]\n", + "joint control be the contractually agree sharing of control of an arrangement which exist only when decision about the relevant activity require the unanimous consent of the party share control\n", + "joint control be the contractually kontrakt agree sharing of control of an arrangement which exist only when decision about the relevant activity require the unanimous consent of the party share control\n", + "współkontrola jest to określony w umowa podział kontrola nad działalność gospodarczy który występować tylko wówczas gdy strategiczny decyzja finansowy i operacyjny dotyczące tej działalność wymagać jednomyślny zgoda strona sprawujących współkontrolę\n", + "=====================================================================\n", + "[('contract', 100.0, 283), 71.42857142857143, array(['kontrakt', 'umowa'], dtype=object)]\n", + "joint control be the contractually agree sharing of control of an arrangement which exist only when decision about the relevant activity require the unanimous consent of the party share control\n", + "joint control be the contractually kontrakt agree sharing of control of an arrangement which exist only when decision about the relevant activity require the unanimous consent of the party share control\n", + "współkontrola jest to określony w umowa podział kontrola nad działalność gospodarczy który występować tylko wówczas gdy strategiczny decyzja finansowy i operacyjny dotyczące tej działalność wymagać jednomyślny zgoda strona sprawujących współkontrolę\n", + "=====================================================================\n", + "[('control', 100.0, 289), 85.71428571428571, array(['kontrola '], dtype=object)]\n", + "joint control be the contractually agree sharing of control of an arrangement which exist only when decision about the relevant activity require the unanimous consent of the party share control\n", + "joint control kontrola be the contractually agree sharing of control of an arrangement which exist only when decision about the relevant activity require the unanimous consent of the party share control\n", + "współkontrola jest to określony w umowa podział kontrola nad działalność gospodarczy który występować tylko wówczas gdy strategiczny decyzja finansowy i operacyjny dotyczące tej działalność wymagać jednomyślny zgoda strona sprawujących współkontrolę\n", + "=====================================================================\n", + "[('sale', 100.0, 1000), 75.0, array(['sprzedaż'], dtype=object)]\n", + "ensure the right product be available on the sale floor to improve store efficiency and maximize client experience\n", + "ensure the right product be available on the sale sprzedaż floor to improve store efficiency and maximize client experience\n", + "zapewnianie dostępność odpowiedni produkt na powierzchnia sklepowy cel podniesienie wydajność sklep i maksymalizacja poziom dobry doświadczenie klient\n", + "=====================================================================\n", + "[('provision', 88.88888888888889, 909), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "in the act of 13 april 2016 on systems of assessment of compliance and market supervision dz\n", + "in the act of 13 april 2016 on rezerwa systems of assessment of compliance and market supervision dz\n", + "w ustawa z dzień 13 kwiecień 2016 r o systema ocena zgodność i nadzór rynek dz\n", + "=====================================================================\n", + "[('provision', 88.88888888888889, 911), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "in the act of 13 april 2016 on systems of assessment of compliance and market supervision dz\n", + "in the act of 13 april 2016 on rezerwa systems of assessment of compliance and market supervision dz\n", + "w ustawa z dzień 13 kwiecień 2016 r o systema ocena zgodność i nadzór rynek dz\n", + "=====================================================================\n", + "[('revenue', 100.0, 983), 33.33333333333333, array(['przychód'], dtype=object)]\n", + "its share of the revenue from the sale of the output by the joint operation\n", + "its share of the revenue przychód from the sale of the output by the joint operation\n", + "swój udział w przychód z sprzedaż produkt wspólny działanie\n", + "=====================================================================\n", + "[('sale', 100.0, 1000), 50.0, array(['sprzedaż'], dtype=object)]\n", + "its share of the revenue from the sale of the output by the joint operation\n", + "its share of the revenue from the sale sprzedaż of the output by the joint operation\n", + "swój udział w przychód z sprzedaż produkt wspólny działanie\n", + "=====================================================================\n", + "[('sic', 100.0, 994), 33.33333333333333, array(['stały komitet ds. interpretacji'], dtype=object)]\n", + "basic from discontinued operation\n", + "basic stały komitet ds. interpretacji from discontinued operation\n", + "podstawowy a z działalność zaniechanej\n", + "=====================================================================\n", + "[('discontinue operation', 95.23809523809524, 389), 35.294117647058826, array(['działalność zaniechana', 'działalność zaniechiwana'], dtype=object)]\n", + "basic from discontinued operation\n", + "basic from discontinued działalność zaniechana operation\n", + "podstawowy a z działalność zaniechanej\n", + "=====================================================================\n", + "[('discontinue operation', 95.23809523809524, 390), 35.294117647058826, array(['działalność zaniechana', 'działalność zaniechiwana'], dtype=object)]\n", + "basic from discontinued operation\n", + "basic from discontinued działalność zaniechana operation\n", + "podstawowy a z działalność zaniechanej\n", + "=====================================================================\n", + "[('continue operation', 94.44444444444444, 277), 33.33333333333333, array(['działalność kontynuowana'], dtype=object)]\n", + "basic from discontinued operation\n", + "basic from discontinued działalność kontynuowana operation\n", + "podstawowy a z działalność zaniechanej\n", + "=====================================================================\n", + "[('equity', 100.0, 460), 36.36363636363637, array(['kapitał własny'], dtype=object)]\n", + "equity attributable to equity holder of the parent\n", + "equity kapitał własny attributable to equity holder of the parent\n", + "kapitała przypisany akcjonariusz jednostka dominujący\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 50.0, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "3 this impairment loss have be recognise in the income statement statement of comprehensive income under loss for the year from discontinued operation usunąć jeżeli nie dotyczy zmienić pozycję jeśli inna\n", + "3 this impairment loss have be recognise koszty sprzedanych produktów, towarów i materiałów in the income statement statement of comprehensive income under loss for the year from discontinued operation usunąć jeżeli nie dotyczy zmienić pozycję jeśli inna\n", + "3 ten odpis aktualizujący z tytuł utrata wartość został ujęty w rachunek zysk i strat sprawozdanie z całkowity dochód w pozycja strata z działalność zaniechanej za rok obrotowy usunąć jeżeli nie dotyczyć zmienić pozycja jeśli inny\n", + "=====================================================================\n", + "[('comprehensive income', 100.0, 253), 50.0, array(['zysk całkowity'], dtype=object)]\n", + "3 this impairment loss have be recognise in the income statement statement of comprehensive income under loss for the year from discontinued operation usunąć jeżeli nie dotyczy zmienić pozycję jeśli inna\n", + "3 this impairment loss have be recognise in the income statement statement of comprehensive income zysk całkowity under loss for the year from discontinued operation usunąć jeżeli nie dotyczy zmienić pozycję jeśli inna\n", + "3 ten odpis aktualizujący z tytuł utrata wartość został ujęty w rachunek zysk i strat sprawozdanie z całkowity dochód w pozycja strata z działalność zaniechanej za rok obrotowy usunąć jeżeli nie dotyczyć zmienić pozycja jeśli inny\n", + "=====================================================================\n", + "[('impairment', 100.0, 632), 100.0, array(['utrata wartości aktywów'], dtype=object)]\n", + "3 this impairment loss have be recognise in the income statement statement of comprehensive income under loss for the year from discontinued operation usunąć jeżeli nie dotyczy zmienić pozycję jeśli inna\n", + "3 this impairment utrata wartości aktywów loss have be recognise in the income statement statement of comprehensive income under loss for the year from discontinued operation usunąć jeżeli nie dotyczy zmienić pozycję jeśli inna\n", + "3 ten odpis aktualizujący z tytuł utrata wartość został ujęty w rachunek zysk i strat sprawozdanie z całkowity dochód w pozycja strata z działalność zaniechanej za rok obrotowy usunąć jeżeli nie dotyczyć zmienić pozycja jeśli inny\n", + "=====================================================================\n", + "[('income', 100.0, 638), 100.0, array(['zysk'], dtype=object)]\n", + "3 this impairment loss have be recognise in the income statement statement of comprehensive income under loss for the year from discontinued operation usunąć jeżeli nie dotyczy zmienić pozycję jeśli inna\n", + "3 this impairment loss have be recognise in zysk the income statement statement of comprehensive income under loss for the year from discontinued operation usunąć jeżeli nie dotyczy zmienić pozycję jeśli inna\n", + "3 ten odpis aktualizujący z tytuł utrata wartość został ujęty w rachunek zysk i strat sprawozdanie z całkowity dochód w pozycja strata z działalność zaniechanej za rok obrotowy usunąć jeżeli nie dotyczyć zmienić pozycja jeśli inny\n", + "=====================================================================\n", + "[('income statement', 100.0, 640), 71.42857142857143, array(['rachunek zysków i strat'], dtype=object)]\n", + "3 this impairment loss have be recognise in the income statement statement of comprehensive income under loss for the year from discontinued operation usunąć jeżeli nie dotyczy zmienić pozycję jeśli inna\n", + "3 this impairment loss have be recognise in the income statement rachunek zysków i strat statement of comprehensive income under loss for the year from discontinued operation usunąć jeżeli nie dotyczy zmienić pozycję jeśli inna\n", + "3 ten odpis aktualizujący z tytuł utrata wartość został ujęty w rachunek zysk i strat sprawozdanie z całkowity dochód w pozycja strata z działalność zaniechanej za rok obrotowy usunąć jeżeli nie dotyczyć zmienić pozycja jeśli inny\n", + "=====================================================================\n", + "[('impairment', 100.0, 632), 66.66666666666666, array(['utrata wartości aktywów'], dtype=object)]\n", + "in extreme case it may lead to incorrect result of impairment test\n", + "in extreme case it may lead to incorrect result of impairment utrata wartości aktywów test\n", + "w skrajny przypadek móc to prowadzić do prawidłowy wynik test na utrata wartość\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 50.0, array(['aktywa'], dtype=object)]\n", + "5 capital expenditure match purchase of property plant and equipment intangible asset and investment property include asset acquire as part of business combination\n", + "5 capital expenditure match purchase of property plant and equipment intangible asset aktywa and investment property include asset acquire as part of business combination\n", + "nakład inwestycyjny odpowiadać nabycie rzeczowy aktywa trwały aktywa materialny i nieruchomość inwestycyjny łącznie z aktywa przejęty w ramy połączenie jednostka\n", + "=====================================================================\n", + "[('cap', 100.0, 178), 50.0, array(['dyplomowany księgowy'], dtype=object)]\n", + "5 capital expenditure match purchase of property plant and equipment intangible asset and investment property include asset acquire as part of business combination\n", + "5 capital dyplomowany księgowy expenditure match purchase of property plant and equipment intangible asset and investment property include asset acquire as part of business combination\n", + "nakład inwestycyjny odpowiadać nabycie rzeczowy aktywa trwały aktywa materialny i nieruchomość inwestycyjny łącznie z aktywa przejęty w ramy połączenie jednostka\n", + "=====================================================================\n", + "[('combination', 100.0, 238), 100.0, array(['połączenia'], dtype=object)]\n", + "5 capital expenditure match purchase of property plant and equipment intangible asset and investment property include asset acquire as part of business combination\n", + "5 capital expenditure match purchase of połączenia property plant and equipment intangible asset and investment property include asset acquire as part of business combination\n", + "nakład inwestycyjny odpowiadać nabycie rzeczowy aktywa trwały aktywa materialny i nieruchomość inwestycyjny łącznie z aktywa przejęty w ramy połączenie jednostka\n", + "=====================================================================\n", + "[('expenditure', 100.0, 478), 100.0, array(['wydatki'], dtype=object)]\n", + "5 capital expenditure match purchase of property plant and equipment intangible asset and investment property include asset acquire as part of business combination\n", + "5 capital expenditure wydatki match purchase of property plant and equipment intangible asset and investment property include asset acquire as part of business combination\n", + "nakład inwestycyjny odpowiadać nabycie rzeczowy aktywa trwały aktywa materialny i nieruchomość inwestycyjny łącznie z aktywa przejęty w ramy połączenie jednostka\n", + "=====================================================================\n", + "[('intangible asset', 100.0, 660), 45.45454545454545, array(['wartości niematerialne i prawne'], dtype=object)]\n", + "5 capital expenditure match purchase of property plant and equipment intangible asset and investment property include asset acquire as part of business combination\n", + "5 capital expenditure match purchase of property plant and equipment intangible asset wartości niematerialne i prawne and investment property include asset acquire as part of business combination\n", + "nakład inwestycyjny odpowiadać nabycie rzeczowy aktywa trwały aktywa materialny i nieruchomość inwestycyjny łącznie z aktywa przejęty w ramy połączenie jednostka\n", + "=====================================================================\n", + "[('budget', 100.0, 168), 100.0, array(['budżet'], dtype=object)]\n", + "the recoverable amount of the unit b have also be determine base on a value in use calculate use the cash flow projection for 5 year financial budget approve by senior management\n", + "the recoverable amount of the unit b budżet have also be determine base on a value in use calculate use the cash flow projection for 5 year financial budget approve by senior management\n", + "wartość odzyskiwalny ośrodek b również została ustalona na podstawa wartość użytkowy przy wykorzystanie prognoz przepływ środki pieniężny opartych na zatwierdzonych przez wysoki kadra kierowniczą budżet finansowy obejmujących okres pięcioletni\n", + "=====================================================================\n", + "[('cash', 100.0, 203), 66.66666666666666, array(['środki pieniężne'], dtype=object)]\n", + "the recoverable amount of the unit b have also be determine base on a value in use calculate use the cash flow projection for 5 year financial budget approve by senior management\n", + "the recoverable amount of the unit b have also be determine base on a środki pieniężne value in use calculate use the cash flow projection for 5 year financial budget approve by senior management\n", + "wartość odzyskiwalny ośrodek b również została ustalona na podstawa wartość użytkowy przy wykorzystanie prognoz przepływ środki pieniężny opartych na zatwierdzonych przez wysoki kadra kierowniczą budżet finansowy obejmujących okres pięcioletni\n", + "=====================================================================\n", + "[('cash flow projection', 100.0, 209), 43.75, array(['projekcja przepływu środków pieniężnych'], dtype=object)]\n", + "the recoverable amount of the unit b have also be determine base on a value in use calculate use the cash flow projection for 5 year financial budget approve by senior management\n", + "the recoverable amount of the unit b have also be determine base on a value in use calculate use the cash flow projection projekcja przepływu środków pieniężnych for 5 year financial budget approve by senior management\n", + "wartość odzyskiwalny ośrodek b również została ustalona na podstawa wartość użytkowy przy wykorzystanie prognoz przepływ środki pieniężny opartych na zatwierdzonych przez wysoki kadra kierowniczą budżet finansowy obejmujących okres pięcioletni\n", + "=====================================================================\n", + "[('recoverable amount', 100.0, 947), 44.44444444444444, array(['wartość odzyskiwalna'], dtype=object)]\n", + "the recoverable amount of the unit b have also be determine base on a value in use calculate use the cash flow projection for 5 year financial budget approve by senior management\n", + "the recoverable amount wartość odzyskiwalna of the unit b have also be determine base on a value in use calculate use the cash flow projection for 5 year financial budget approve by senior management\n", + "wartość odzyskiwalny ośrodek b również została ustalona na podstawa wartość użytkowy przy wykorzystanie prognoz przepływ środki pieniężny opartych na zatwierdzonych przez wysoki kadra kierowniczą budżet finansowy obejmujących okres pięcioletni\n", + "=====================================================================\n", + "[('value in use', 100.0, 1161), 50.0, array(['wartość użytkowa'], dtype=object)]\n", + "the recoverable amount of the unit b have also be determine base on a value in use calculate use the cash flow projection for 5 year financial budget approve by senior management\n", + "the recoverable amount of the unit b have also be determine base on a value in use wartość użytkowa calculate use the cash flow projection for 5 year financial budget approve by senior management\n", + "wartość odzyskiwalny ośrodek b również została ustalona na podstawa wartość użytkowy przy wykorzystanie prognoz przepływ środki pieniężny opartych na zatwierdzonych przez wysoki kadra kierowniczą budżet finansowy obejmujących okres pięcioletni\n", + "=====================================================================\n", + "[('liability', 100.0, 716), 57.142857142857146, array(['zobowiązania'], dtype=object)]\n", + "social fund liability\n", + "social zobowiązania fund liability\n", + "zobowiązanie z tytuł fundusz\n", + "=====================================================================\n", + "[('reliability', 90.0, 959), 57.142857142857146, array(['wiarygodność'], dtype=object)]\n", + "social fund liability\n", + "social wiarygodność fund liability\n", + "zobowiązanie z tytuł fundusz\n", + "=====================================================================\n", + "[('consolidation', 100.0, 267), 76.19047619047619, array(['konsolidacja'], dtype=object)]\n", + "automatization of the consolidation process by a use of a software and maintain complete documentation on the consolidation entry make\n", + "automatization of the consolidation konsolidacja process by a use of a software and maintain complete documentation on the consolidation entry make\n", + "automatyzacja proces konsolidacja poprzez użycie odpowiedni oprogramowanie oraz utrzymanie kompletny dokumentacja dotyczącej dokonany zapis konsolidacyjny\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 66.66666666666666, array(['aktywa'], dtype=object)]\n", + "the recoverable amount of an asset or a cash generate unit be the high of the asset s or cash generate unit s fair value less cost to sell and its value in use\n", + "the recoverable amount of an asset aktywa or a cash generate unit be the high of the asset s or cash generate unit s fair value less cost to sell and its value in use\n", + "wartość odzyskiwalny składnik aktywa lub ośrodek wypracowującego środek pieniężny odpowiadać wartość godziwy pomniejszonej o koszt doprowadzenie do sprzedaż tego składnik aktywa lub odpowiednio ośrodek wypracowującego środek pieniężny lub on wartość użytkowy zależnie od tego która z on jest wysoki\n", + "=====================================================================\n", + "[('cash', 100.0, 203), 40.0, array(['środki pieniężne'], dtype=object)]\n", + "the recoverable amount of an asset or a cash generate unit be the high of the asset s or cash generate unit s fair value less cost to sell and its value in use\n", + "the recoverable amount of an asset or a środki pieniężne cash generate unit be the high of the asset s or cash generate unit s fair value less cost to sell and its value in use\n", + "wartość odzyskiwalny składnik aktywa lub ośrodek wypracowującego środek pieniężny odpowiadać wartość godziwy pomniejszonej o koszt doprowadzenie do sprzedaż tego składnik aktywa lub odpowiednio ośrodek wypracowującego środek pieniężny lub on wartość użytkowy zależnie od tego która z on jest wysoki\n", + "=====================================================================\n", + "[('cost', 100.0, 303), 100.0, array(['koszt', 'koszty'], dtype=object)]\n", + "the recoverable amount of an asset or a cash generate unit be the high of the asset s or cash generate unit s fair value less cost to sell and its value in use\n", + "the recoverable amount of an asset or a cash generate unit be the high of the asset s koszt or cash generate unit s fair value less cost to sell and its value in use\n", + "wartość odzyskiwalny składnik aktywa lub ośrodek wypracowującego środek pieniężny odpowiadać wartość godziwy pomniejszonej o koszt doprowadzenie do sprzedaż tego składnik aktywa lub odpowiednio ośrodek wypracowującego środek pieniężny lub on wartość użytkowy zależnie od tego która z on jest wysoki\n", + "=====================================================================\n", + "[('cost', 100.0, 324), 100.0, array(['koszt', 'koszty'], dtype=object)]\n", + "the recoverable amount of an asset or a cash generate unit be the high of the asset s or cash generate unit s fair value less cost to sell and its value in use\n", + "the recoverable amount of an asset or a cash generate unit be the high of the asset s koszt or cash generate unit s fair value less cost to sell and its value in use\n", + "wartość odzyskiwalny składnik aktywa lub ośrodek wypracowującego środek pieniężny odpowiadać wartość godziwy pomniejszonej o koszt doprowadzenie do sprzedaż tego składnik aktywa lub odpowiednio ośrodek wypracowującego środek pieniężny lub on wartość użytkowy zależnie od tego która z on jest wysoki\n", + "=====================================================================\n", + "[('fair value', 100.0, 497), 44.44444444444444, array(['wartość godziwa'], dtype=object)]\n", + "the recoverable amount of an asset or a cash generate unit be the high of the asset s or cash generate unit s fair value less cost to sell and its value in use\n", + "the recoverable amount of an asset or a cash generate unit be the high of the asset s or cash generate unit s fair value wartość godziwa less cost to sell and its value in use\n", + "wartość odzyskiwalny składnik aktywa lub ośrodek wypracowującego środek pieniężny odpowiadać wartość godziwy pomniejszonej o koszt doprowadzenie do sprzedaż tego składnik aktywa lub odpowiednio ośrodek wypracowującego środek pieniężny lub on wartość użytkowy zależnie od tego która z on jest wysoki\n", + "=====================================================================\n", + "[('gaa', 100.0, 563), 100.0, array(['światowe stowarzyszenie organizacji księgowych'], dtype=object)]\n", + "in accordance with gaar an activity do not bring about tax gain if its modus operandi be false\n", + "in accordance with gaar światowe stowarzyszenie organizacji księgowych an activity do not bring about tax gain if its modus operandi be false\n", + "zgodnie z gaar taka czynność nie skutkować osiągnięcie korzyść podatkowy jeżeli sposób działanie był sztuczny\n", + "=====================================================================\n", + "[('accumulate depreciation', 100.0, 64), 47.61904761904762, array(['umorzenie'], dtype=object)]\n", + "subsequent to initial recognition the value of investment property be decrease by accumulate depreciation and impairment\n", + "subsequent to initial recognition the value of investment property be decrease by accumulate depreciation umorzenie and impairment\n", + "po początkowy ujęcie wartość nieruchomość inwestycyjny pomniejszana jest o umorzenie i odpis z tytuł utrata wartość\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 100.0, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "subsequent to initial recognition the value of investment property be decrease by accumulate depreciation and impairment\n", + "subsequent to initial recognition koszty sprzedanych produktów, towarów i materiałów the value of investment property be decrease by accumulate depreciation and impairment\n", + "po początkowy ujęcie wartość nieruchomość inwestycyjny pomniejszana jest o umorzenie i odpis z tytuł utrata wartość\n", + "=====================================================================\n", + "[('depreciation', 100.0, 373), 100.0, array(['amortyzacja'], dtype=object)]\n", + "subsequent to initial recognition the value of investment property be decrease by accumulate depreciation and impairment\n", + "subsequent to initial recognition the value of investment property be decrease by accumulate depreciation amortyzacja and impairment\n", + "po początkowy ujęcie wartość nieruchomość inwestycyjny pomniejszana jest o umorzenie i odpis z tytuł utrata wartość\n", + "=====================================================================\n", + "[('impairment', 100.0, 632), 100.0, array(['utrata wartości aktywów'], dtype=object)]\n", + "subsequent to initial recognition the value of investment property be decrease by accumulate depreciation and impairment\n", + "subsequent to utrata wartości aktywów initial recognition the value of investment property be decrease by accumulate depreciation and impairment\n", + "po początkowy ujęcie wartość nieruchomość inwestycyjny pomniejszana jest o umorzenie i odpis z tytuł utrata wartość\n", + "=====================================================================\n", + "[('investment property', 100.0, 693), 52.94117647058823, array(['nieruchomości inwestycyjne'], dtype=object)]\n", + "subsequent to initial recognition the value of investment property be decrease by accumulate depreciation and impairment\n", + "subsequent to initial recognition the value of investment property nieruchomości inwestycyjne be decrease by accumulate depreciation and impairment\n", + "po początkowy ujęcie wartość nieruchomość inwestycyjny pomniejszana jest o umorzenie i odpis z tytuł utrata wartość\n", + "=====================================================================\n", + "[('cash', 100.0, 203), 66.66666666666666, array(['środki pieniężne'], dtype=object)]\n", + "goodwill originate from business combination jeżeli występuje and patent and licence with indefinite useful life have be allocate to the follow cash generate unit which be also separate operating segment zmienić jeżeli ośrodki generujące środki pieniężne są identyfikowane na poziomie niższym niż segment\n", + "goodwill originate from business combination jeżeli występuje and patent and licence with indefinite useful life have be allocate to the follow cash środki pieniężne generate unit which be also separate operating segment zmienić jeżeli ośrodki generujące środki pieniężne są identyfikowane na poziomie niższym niż segment\n", + "wartość firma powstać w wynik połączenie jednostka jeżeli występować oraz patent i licencja o określony okres użytkowanie zostały przyporządkowane do następujący ośrodek generujących środek pieniężny będących jednocześnie odrębny segment operacyjny zmienić jeżeli ośrodek generujące środek pieniężny są identyfikowane na poziom niski niż segment\n", + "=====================================================================\n", + "[('combination', 100.0, 238), 100.0, array(['połączenia'], dtype=object)]\n", + "goodwill originate from business combination jeżeli występuje and patent and licence with indefinite useful life have be allocate to the follow cash generate unit which be also separate operating segment zmienić jeżeli ośrodki generujące środki pieniężne są identyfikowane na poziomie niższym niż segment\n", + "goodwill originate from business combination połączenia jeżeli występuje and patent and licence with indefinite useful life have be allocate to the follow cash generate unit which be also separate operating segment zmienić jeżeli ośrodki generujące środki pieniężne są identyfikowane na poziomie niższym niż segment\n", + "wartość firma powstać w wynik połączenie jednostka jeżeli występować oraz patent i licencja o określony okres użytkowanie zostały przyporządkowane do następujący ośrodek generujących środek pieniężny będących jednocześnie odrębny segment operacyjny zmienić jeżeli ośrodek generujące środek pieniężny są identyfikowane na poziom niski niż segment\n", + "=====================================================================\n", + "[('goodwill', 100.0, 584), 100.0, array(['wartość firmy'], dtype=object)]\n", + "goodwill originate from business combination jeżeli występuje and patent and licence with indefinite useful life have be allocate to the follow cash generate unit which be also separate operating segment zmienić jeżeli ośrodki generujące środki pieniężne są identyfikowane na poziomie niższym niż segment\n", + "goodwill wartość firmy originate from business combination jeżeli występuje and patent and licence with indefinite useful life have be allocate to the follow cash generate unit which be also separate operating segment zmienić jeżeli ośrodki generujące środki pieniężne są identyfikowane na poziomie niższym niż segment\n", + "wartość firma powstać w wynik połączenie jednostka jeżeli występować oraz patent i licencja o określony okres użytkowanie zostały przyporządkowane do następujący ośrodek generujących środek pieniężny będących jednocześnie odrębny segment operacyjny zmienić jeżeli ośrodek generujące środek pieniężny są identyfikowane na poziom niski niż segment\n", + "=====================================================================\n", + "[('control', 100.0, 289), 100.0, array(['kontrola '], dtype=object)]\n", + "the internal quality control system encompass in particular policy procedure and solution as well as the mechanism refer to in article 64\n", + "the internal quality control kontrola system encompass in particular policy procedure and solution as well as the mechanism refer to in article 64\n", + "systema wewnętrzny kontrola jakość obejmować w szczególność polityka procedura oraz rozwiąza nia a także mechanizm o których mowa w art 64\n", + "=====================================================================\n", + "[('figure', 100.0, 503), 100.0, array(['liczby'], dtype=object)]\n", + "more information www jll pl office market business services sector in poland 2017 41 source jll january 2017 figure 30 poland office market in number 9 000 000 sq m in total of modern office space in poland\n", + "more information www jll pl office market business services sector in poland 2017 41 source jll january 2017 figure liczby 30 poland office market in number 9 000 000 sq m in total of modern office space in poland\n", + "więcej informacja www jll pl rynka nieruchomość biurowy sektor nowoczesny usługi biznesowy w polska 2017 41 źródło jll styczeń 2017 r rycina 30 rynka nowoczesny powierzchnia biurowy w liczbach 9 000 000 m2 całkowity zasób nowoczesny powierzchnia biurowejw polska\n", + "=====================================================================\n", + "[('balance', 100.0, 136), 72.72727272727272, array(['saldo'], dtype=object)]\n", + "open balance as at 1 january 2016\n", + "open balance saldo as at 1 january 2016\n", + "bilans otwarcie na 1 styczeń 2016 rok\n", + "=====================================================================\n", + "[('company', 100.0, 245), 66.66666666666666, array(['spółka kapitałowa'], dtype=object)]\n", + "these attack usually begin with the activity utilize the e mail correspondence or other communication channel which may help the attacker to take control of workstation of a select group of company s employee and therefore gain access to company s internal network\n", + "these attack usually begin with the activity utilize the e mail correspondence or other communication channel which may help the attacker to take control of workstation of a spółka kapitałowa select group of company s employee and therefore gain access to company s internal network\n", + "atak te zazwyczaj rozpoczynać się od działanie przy wykorzystanie korespondencja elektroniczny lub inny kanał komunikacja które mieć na cel przejęcie kontrola nad stacja roboczy wybrany pracownik spółka i uzyskanie dostęp do sieć wewnętrzny\n", + "=====================================================================\n", + "[('control', 100.0, 289), 85.71428571428571, array(['kontrola '], dtype=object)]\n", + "these attack usually begin with the activity utilize the e mail correspondence or other communication channel which may help the attacker to take control of workstation of a select group of company s employee and therefore gain access to company s internal network\n", + "these attack usually begin with the activity utilize the e mail correspondence or other communication channel which may help the attacker to take control kontrola of workstation of a select group of company s employee and therefore gain access to company s internal network\n", + "atak te zazwyczaj rozpoczynać się od działanie przy wykorzystanie korespondencja elektroniczny lub inny kanał komunikacja które mieć na cel przejęcie kontrola nad stacja roboczy wybrany pracownik spółka i uzyskanie dostęp do sieć wewnętrzny\n", + "=====================================================================\n", + "[('group', 100.0, 593), 66.66666666666666, array(['grupa kapitałowa'], dtype=object)]\n", + "these attack usually begin with the activity utilize the e mail correspondence or other communication channel which may help the attacker to take control of workstation of a select group of company s employee and therefore gain access to company s internal network\n", + "these attack usually begin with the activity utilize the e mail correspondence or other communication channel which may help the attacker to take control of workstation of a select group grupa kapitałowa of company s employee and therefore gain access to company s internal network\n", + "atak te zazwyczaj rozpoczynać się od działanie przy wykorzystanie korespondencja elektroniczny lub inny kanał komunikacja które mieć na cel przejęcie kontrola nad stacja roboczy wybrany pracownik spółka i uzyskanie dostęp do sieć wewnętrzny\n", + "=====================================================================\n", + "[('balance', 100.0, 136), 54.54545454545455, array(['saldo'], dtype=object)]\n", + "implementation of a formal reconciliation of intercompany balance\n", + "implementation of a saldo formal reconciliation of intercompany balance\n", + "wprowadzenie formalny uzgodnienie saldo wewnątrzgrupowych\n", + "=====================================================================\n", + "[('company', 100.0, 245), 71.42857142857143, array(['spółka kapitałowa'], dtype=object)]\n", + "implementation of a formal reconciliation of intercompany balance\n", + "implementation of a spółka kapitałowa formal reconciliation of intercompany balance\n", + "wprowadzenie formalny uzgodnienie saldo wewnątrzgrupowych\n", + "=====================================================================\n", + "[('reconcile', 88.88888888888889, 945), 61.53846153846154, array(['uzgodnić'], dtype=object)]\n", + "implementation of a formal reconciliation of intercompany balance\n", + "implementation of a formal reconciliation uzgodnić of intercompany balance\n", + "wprowadzenie formalny uzgodnienie saldo wewnątrzgrupowych\n", + "=====================================================================\n", + "[('fair value', 100.0, 497), 50.0, array(['wartość godziwa'], dtype=object)]\n", + "as at 31 december 2017 no financial liability be designate as at fair value through profit and loss as at 31 december 2016 nil\n", + "as at 31 december 2017 no financial liability be designate as at fair value wartość godziwa through profit and loss as at 31 december 2016 nil\n", + "na dzienie 31 grudzień 2017 rok żadne zobowiązanie finansowy nie zostały zakwalifikować do kategoria wycenianych w wartość godziwy przez wynik finansowy na dzienie 31 grudzień 2016 zero\n", + "=====================================================================\n", + "[('liability', 100.0, 716), 50.0, array(['zobowiązania'], dtype=object)]\n", + "as at 31 december 2017 no financial liability be designate as at fair value through profit and loss as at 31 december 2016 nil\n", + "as at 31 december 2017 no financial liability zobowiązania be designate as at fair value through profit and loss as at 31 december 2016 nil\n", + "na dzienie 31 grudzień 2017 rok żadne zobowiązanie finansowy nie zostały zakwalifikować do kategoria wycenianych w wartość godziwy przez wynik finansowy na dzienie 31 grudzień 2016 zero\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 57.142857142857146, array(['strata'], dtype=object)]\n", + "as at 31 december 2017 no financial liability be designate as at fair value through profit and loss as at 31 december 2016 nil\n", + "as at 31 december 2017 no financial liability be designate as at fair value through profit and loss strata as at 31 december 2016 nil\n", + "na dzienie 31 grudzień 2017 rok żadne zobowiązanie finansowy nie zostały zakwalifikować do kategoria wycenianych w wartość godziwy przez wynik finansowy na dzienie 31 grudzień 2016 zero\n", + "=====================================================================\n", + "[('profit', 100.0, 898), 66.66666666666666, array(['zysk'], dtype=object)]\n", + "as at 31 december 2017 no financial liability be designate as at fair value through profit and loss as at 31 december 2016 nil\n", + "as at 31 december 2017 no financial liability be designate as at fair value through profit zysk and loss as at 31 december 2016 nil\n", + "na dzienie 31 grudzień 2017 rok żadne zobowiązanie finansowy nie zostały zakwalifikować do kategoria wycenianych w wartość godziwy przez wynik finansowy na dzienie 31 grudzień 2016 zero\n", + "=====================================================================\n", + "[('par value', 88.88888888888889, 850), 50.0, array(['wartość nominalna'], dtype=object)]\n", + "as at 31 december 2017 no financial liability be designate as at fair value through profit and loss as at 31 december 2016 nil\n", + "as at 31 december 2017 no financial liability be designate as at fair value wartość nominalna through profit and loss as at 31 december 2016 nil\n", + "na dzienie 31 grudzień 2017 rok żadne zobowiązanie finansowy nie zostały zakwalifikować do kategoria wycenianych w wartość godziwy przez wynik finansowy na dzienie 31 grudzień 2016 zero\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the audit firm of the group be responsible for audit the consolidated financial statement 2\n", + "the audit badanie sprawozdania finansowego firm of the group be responsible for audit the consolidated financial statement 2\n", + "firma audytorski grupa odpowiadać za badan skonsolidowanego sprawozdanie finansowy 2\n", + "=====================================================================\n", + "[('financial statement', 100.0, 526), 42.857142857142854, array(['sprawozdanie finansowe'], dtype=object)]\n", + "the audit firm of the group be responsible for audit the consolidated financial statement 2\n", + "the audit firm of the group be responsible for audit the consolidated financial statement sprawozdanie finansowe 2\n", + "firma audytorski grupa odpowiadać za badan skonsolidowanego sprawozdanie finansowy 2\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "the audit firm of the group be responsible for audit the consolidated financial statement 2\n", + "the audit firm of the group grupa kapitałowa be responsible for audit the consolidated financial statement 2\n", + "firma audytorski grupa odpowiadać za badan skonsolidowanego sprawozdanie finansowy 2\n", + "=====================================================================\n", + "[('spread financial statement', 88.0, 1039), 50.0, array(['ujednolicanie sprawozdań finansowych'], dtype=object)]\n", + "the audit firm of the group be responsible for audit the consolidated financial statement 2\n", + "the audit firm of the group be responsible for audit the consolidated financial statement ujednolicanie sprawozdań finansowych 2\n", + "firma audytorski grupa odpowiadać za badan skonsolidowanego sprawozdanie finansowy 2\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the audit oversight commission may in accordance with the agreement refer to in article 214 file to the relevant public oversight authority from the third country request for provision of additional documentation concern audits of financial statement or consolidation package of subsidiary register in these country be part of a group whose parent company have the register office in the republic of poland or financial statement or consolidation package of the parent company and subsidiary register in these country and be part of a group in which security of the parent company be admit to trade on the regulated market in the republic of poland in the event that such audits be conduct for the need of audit such group of company\n", + "the audit badanie sprawozdania finansowego oversight commission may in accordance with the agreement refer to in article 214 file to the relevant public oversight authority from the third country request for provision of additional documentation concern audits of financial statement or consolidation package of subsidiary register in these country be part of a group whose parent company have the register office in the republic of poland or financial statement or consolidation package of the parent company and subsidiary register in these country and be part of a group in which security of the parent company be admit to trade on the regulated market in the republic of poland in the event that such audits be conduct for the need of audit such group of company\n", + "komisja nadzór audytowy móc zgodnie z porozumienie o którym mowa w art 214 kierować do właściwy organy nadzór publiczny z państwo trzeci wniosek o udostępnienie dodatkowy dokumentacja dotyczyć cej badanie sprawozdanie finansowy lub pakiet konsolidacyjny zarejestrowanych w tych państwo trzeci jednostka zależny wchodzący w skład grupa kapitałowy której jednostka dominujący mieć siedziba w rzeczypospolitej polski lub zarejestrowanych w tych państwo trzeci jednostka dominujący i jednostka zależny wchodzący w skład grupa kapitałowy w której papier wartościowy jednostka dominujący zostały dopuszczone do obrót na rynek regulowanym w rzeczypospolitej polski w sytuacja gdy badanie takie zostały przeprowadzone na potrzeba badanie takich grupa kapita łowych\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "the audit oversight commission may in accordance with the agreement refer to in article 214 file to the relevant public oversight authority from the third country request for provision of additional documentation concern audits of financial statement or consolidation package of subsidiary register in these country be part of a group whose parent company have the register office in the republic of poland or financial statement or consolidation package of the parent company and subsidiary register in these country and be part of a group in which security of the parent company be admit to trade on the regulated market in the republic of poland in the event that such audits be conduct for the need of audit such group of company\n", + "the audit oversight commission prowizje may in accordance with the agreement refer to in article 214 file to the relevant public oversight authority from the third country request for provision of additional documentation concern audits of financial statement or consolidation package of subsidiary register in these country be part of a group whose parent company have the register office in the republic of poland or financial statement or consolidation package of the parent company and subsidiary register in these country and be part of a group in which security of the parent company be admit to trade on the regulated market in the republic of poland in the event that such audits be conduct for the need of audit such group of company\n", + "komisja nadzór audytowy móc zgodnie z porozumienie o którym mowa w art 214 kierować do właściwy organy nadzór publiczny z państwo trzeci wniosek o udostępnienie dodatkowy dokumentacja dotyczyć cej badanie sprawozdanie finansowy lub pakiet konsolidacyjny zarejestrowanych w tych państwo trzeci jednostka zależny wchodzący w skład grupa kapitałowy której jednostka dominujący mieć siedziba w rzeczypospolitej polski lub zarejestrowanych w tych państwo trzeci jednostka dominujący i jednostka zależny wchodzący w skład grupa kapitałowy w której papier wartościowy jednostka dominujący zostały dopuszczone do obrót na rynek regulowanym w rzeczypospolitej polski w sytuacja gdy badanie takie zostały przeprowadzone na potrzeba badanie takich grupa kapita łowych\n", + "=====================================================================\n", + "[('company', 100.0, 245), 100.0, array(['spółka kapitałowa'], dtype=object)]\n", + "the audit oversight commission may in accordance with the agreement refer to in article 214 file to the relevant public oversight authority from the third country request for provision of additional documentation concern audits of financial statement or consolidation package of subsidiary register in these country be part of a group whose parent company have the register office in the republic of poland or financial statement or consolidation package of the parent company and subsidiary register in these country and be part of a group in which security of the parent company be admit to trade on the regulated market in the republic of poland in the event that such audits be conduct for the need of audit such group of company\n", + "the audit oversight commission may in accordance with the agreement refer to in article 214 file to the relevant public oversight authority from the third country request for provision of additional documentation concern audits of financial statement or consolidation package of subsidiary register in these country be part of a spółka kapitałowa group whose parent company have the register office in the republic of poland or financial statement or consolidation package of the parent company and subsidiary register in these country and be part of a group in which security of the parent company be admit to trade on the regulated market in the republic of poland in the event that such audits be conduct for the need of audit such group of company\n", + "komisja nadzór audytowy móc zgodnie z porozumienie o którym mowa w art 214 kierować do właściwy organy nadzór publiczny z państwo trzeci wniosek o udostępnienie dodatkowy dokumentacja dotyczyć cej badanie sprawozdanie finansowy lub pakiet konsolidacyjny zarejestrowanych w tych państwo trzeci jednostka zależny wchodzący w skład grupa kapitałowy której jednostka dominujący mieć siedziba w rzeczypospolitej polski lub zarejestrowanych w tych państwo trzeci jednostka dominujący i jednostka zależny wchodzący w skład grupa kapitałowy w której papier wartościowy jednostka dominujący zostały dopuszczone do obrót na rynek regulowanym w rzeczypospolitej polski w sytuacja gdy badanie takie zostały przeprowadzone na potrzeba badanie takich grupa kapita łowych\n", + "=====================================================================\n", + "[('consolidation', 100.0, 267), 100.0, array(['konsolidacja'], dtype=object)]\n", + "the audit oversight commission may in accordance with the agreement refer to in article 214 file to the relevant public oversight authority from the third country request for provision of additional documentation concern audits of financial statement or consolidation package of subsidiary register in these country be part of a group whose parent company have the register office in the republic of poland or financial statement or consolidation package of the parent company and subsidiary register in these country and be part of a group in which security of the parent company be admit to trade on the regulated market in the republic of poland in the event that such audits be conduct for the need of audit such group of company\n", + "the audit oversight commission may in accordance with the agreement refer to in article 214 file to the relevant public oversight authority from the third country request for provision of additional documentation concern audits of financial statement or consolidation konsolidacja package of subsidiary register in these country be part of a group whose parent company have the register office in the republic of poland or financial statement or consolidation package of the parent company and subsidiary register in these country and be part of a group in which security of the parent company be admit to trade on the regulated market in the republic of poland in the event that such audits be conduct for the need of audit such group of company\n", + "komisja nadzór audytowy móc zgodnie z porozumienie o którym mowa w art 214 kierować do właściwy organy nadzór publiczny z państwo trzeci wniosek o udostępnienie dodatkowy dokumentacja dotyczyć cej badanie sprawozdanie finansowy lub pakiet konsolidacyjny zarejestrowanych w tych państwo trzeci jednostka zależny wchodzący w skład grupa kapitałowy której jednostka dominujący mieć siedziba w rzeczypospolitej polski lub zarejestrowanych w tych państwo trzeci jednostka dominujący i jednostka zależny wchodzący w skład grupa kapitałowy w której papier wartościowy jednostka dominujący zostały dopuszczone do obrót na rynek regulowanym w rzeczypospolitej polski w sytuacja gdy badanie takie zostały przeprowadzone na potrzeba badanie takich grupa kapita łowych\n", + "=====================================================================\n", + "[('financial statement', 100.0, 526), 60.0, array(['sprawozdanie finansowe'], dtype=object)]\n", + "the audit oversight commission may in accordance with the agreement refer to in article 214 file to the relevant public oversight authority from the third country request for provision of additional documentation concern audits of financial statement or consolidation package of subsidiary register in these country be part of a group whose parent company have the register office in the republic of poland or financial statement or consolidation package of the parent company and subsidiary register in these country and be part of a group in which security of the parent company be admit to trade on the regulated market in the republic of poland in the event that such audits be conduct for the need of audit such group of company\n", + "the audit oversight commission may in accordance with the agreement refer to in article 214 file to the relevant public oversight authority from the third country request for provision of additional documentation concern audits of financial statement sprawozdanie finansowe or consolidation package of subsidiary register in these country be part of a group whose parent company have the register office in the republic of poland or financial statement or consolidation package of the parent company and subsidiary register in these country and be part of a group in which security of the parent company be admit to trade on the regulated market in the republic of poland in the event that such audits be conduct for the need of audit such group of company\n", + "komisja nadzór audytowy móc zgodnie z porozumienie o którym mowa w art 214 kierować do właściwy organy nadzór publiczny z państwo trzeci wniosek o udostępnienie dodatkowy dokumentacja dotyczyć cej badanie sprawozdanie finansowy lub pakiet konsolidacyjny zarejestrowanych w tych państwo trzeci jednostka zależny wchodzący w skład grupa kapitałowy której jednostka dominujący mieć siedziba w rzeczypospolitej polski lub zarejestrowanych w tych państwo trzeci jednostka dominujący i jednostka zależny wchodzący w skład grupa kapitałowy w której papier wartościowy jednostka dominujący zostały dopuszczone do obrót na rynek regulowanym w rzeczypospolitej polski w sytuacja gdy badanie takie zostały przeprowadzone na potrzeba badanie takich grupa kapita łowych\n", + "=====================================================================\n", + "[('figure', 100.0, 503), 40.0, array(['liczby'], dtype=object)]\n", + "present in the table below be the loss figure use as the numerator\n", + "present in the table below be the loss figure liczby use as the numerator\n", + "następujący tabela przedstawiać natomiast wartość strata występującej w obliczenie\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 40.0, array(['strata'], dtype=object)]\n", + "present in the table below be the loss figure use as the numerator\n", + "present in the table below be the loss strata figure use as the numerator\n", + "następujący tabela przedstawiać natomiast wartość strata występującej w obliczenie\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "if applicable the key certified auditor and the audit firm provide the company or its subsidiary with the follow non audit service that be not disclose in the financial statement or director s report\n", + "if applicable the key certified auditor badanie sprawozdania finansowego and the audit firm provide the company or its subsidiary with the follow non audit service that be not disclose in the financial statement or director s report\n", + "jeżeli dotyczyć kluczowy biegły rewident i firma audytorski świadczyć na rzecz spółka lub spółka przez on kontrolowanych nisko wymienione usługa niebędące badanie sprawozdanie finansowy które nie zostały ujawnione w sprawozdanie finansowy lub sprawozdanie z działalność\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "if applicable the key certified auditor and the audit firm provide the company or its subsidiary with the follow non audit service that be not disclose in the financial statement or director s report\n", + "if applicable the key certified auditor biegły rewident and the audit firm provide the company or its subsidiary with the follow non audit service that be not disclose in the financial statement or director s report\n", + "jeżeli dotyczyć kluczowy biegły rewident i firma audytorski świadczyć na rzecz spółka lub spółka przez on kontrolowanych nisko wymienione usługa niebędące badanie sprawozdanie finansowy które nie zostały ujawnione w sprawozdanie finansowy lub sprawozdanie z działalność\n", + "=====================================================================\n", + "[('company', 100.0, 245), 57.142857142857146, array(['spółka kapitałowa'], dtype=object)]\n", + "if applicable the key certified auditor and the audit firm provide the company or its subsidiary with the follow non audit service that be not disclose in the financial statement or director s report\n", + "if applicable the key certified auditor and the audit firm provide the company spółka kapitałowa or its subsidiary with the follow non audit service that be not disclose in the financial statement or director s report\n", + "jeżeli dotyczyć kluczowy biegły rewident i firma audytorski świadczyć na rzecz spółka lub spółka przez on kontrolowanych nisko wymienione usługa niebędące badanie sprawozdanie finansowy które nie zostały ujawnione w sprawozdanie finansowy lub sprawozdanie z działalność\n", + "=====================================================================\n", + "[('financial statement', 100.0, 526), 55.55555555555556, array(['sprawozdanie finansowe'], dtype=object)]\n", + "if applicable the key certified auditor and the audit firm provide the company or its subsidiary with the follow non audit service that be not disclose in the financial statement or director s report\n", + "if applicable the key certified auditor and the audit firm provide the company or its subsidiary with the follow non audit service that be not disclose in the financial statement sprawozdanie finansowe or director s report\n", + "jeżeli dotyczyć kluczowy biegły rewident i firma audytorski świadczyć na rzecz spółka lub spółka przez on kontrolowanych nisko wymienione usługa niebędące badanie sprawozdanie finansowy które nie zostały ujawnione w sprawozdanie finansowy lub sprawozdanie z działalność\n", + "=====================================================================\n", + "[('report', 100.0, 963), 57.142857142857146, array(['sprawozdawczość'], dtype=object)]\n", + "if applicable the key certified auditor and the audit firm provide the company or its subsidiary with the follow non audit service that be not disclose in the financial statement or director s report\n", + "if applicable the key certified auditor and the audit firm provide the company or sprawozdawczość its subsidiary with the follow non audit service that be not disclose in the financial statement or director s report\n", + "jeżeli dotyczyć kluczowy biegły rewident i firma audytorski świadczyć na rzecz spółka lub spółka przez on kontrolowanych nisko wymienione usługa niebędące badanie sprawozdanie finansowy które nie zostały ujawnione w sprawozdanie finansowy lub sprawozdanie z działalność\n", + "=====================================================================\n", + "[('financial instrument', 100.0, 516), 83.33333333333333, array(['instrumenty finansowe'], dtype=object)]\n", + "accord to mar and mad record use of inside information occur when a person with an access to confidential information will use it for sale or purchase of financial instrument on its personal use or for a third party\n", + "accord to mar and mad record use of inside information occur when a person with an access to confidential information will use it for sale or purchase of financial instrument instrumenty finansowe on its personal use or for a third party\n", + "zgodnie z zapis mar i mad wykorzystanie informacja poufny mieć miejsce wówczas gdy osoba dysponująca informacja poufną wykorzystać on do zbycie lub nabycie instrument finansowy na rachunek własny lub na rzecz osoba trzeci\n", + "=====================================================================\n", + "[('sale', 100.0, 1000), 57.142857142857146, array(['sprzedaż'], dtype=object)]\n", + "accord to mar and mad record use of inside information occur when a person with an access to confidential information will use it for sale or purchase of financial instrument on its personal use or for a third party\n", + "accord to mar and mad record use of inside information occur when a sprzedaż person with an access to confidential information will use it for sale or purchase of financial instrument on its personal use or for a third party\n", + "zgodnie z zapis mar i mad wykorzystanie informacja poufny mieć miejsce wówczas gdy osoba dysponująca informacja poufną wykorzystać on do zbycie lub nabycie instrument finansowy na rachunek własny lub na rzecz osoba trzeci\n", + "=====================================================================\n", + "[('budget', 100.0, 168), 83.33333333333333, array(['budżet'], dtype=object)]\n", + "market share assumption these assumption be important because as well as use industry datum for growth rate as note below management assess how the group s financial position relative to its competitor might change over the budget period\n", + "market share assumption these assumption be important because as well as use industry datum for growth rate as note below management assess how the group s financial position relative to its competitor might change over the budget budżet period\n", + "założenie dotyczące udział w rynek założenie te są istotny ponieważ oprócz stosowania dane branżowy dla stopa wzrost jak opisać to poniżej kierownictwo oceniać w jaki sposób sytuacja majątkowy i finansowy grupa móc zmienić się w trakt okres budżetowy na tło konkurencja\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "market share assumption these assumption be important because as well as use industry datum for growth rate as note below management assess how the group s financial position relative to its competitor might change over the budget period\n", + "market share assumption these assumption be important because as well as use industry datum for growth rate as note below management assess how the group grupa kapitałowa s financial position relative to its competitor might change over the budget period\n", + "założenie dotyczące udział w rynek założenie te są istotny ponieważ oprócz stosowania dane branżowy dla stopa wzrost jak opisać to poniżej kierownictwo oceniać w jaki sposób sytuacja majątkowy i finansowy grupa móc zmienić się w trakt okres budżetowy na tło konkurencja\n", + "=====================================================================\n", + "[('note', 100.0, 791), 100.0, array(['informacja dodatkowa'], dtype=object)]\n", + "market share assumption these assumption be important because as well as use industry datum for growth rate as note below management assess how the group s financial position relative to its competitor might change over the budget period\n", + "market share assumption these assumption be important because as well as use industry datum for growth rate as note informacja dodatkowa below management assess how the group s financial position relative to its competitor might change over the budget period\n", + "założenie dotyczące udział w rynek założenie te są istotny ponieważ oprócz stosowania dane branżowy dla stopa wzrost jak opisać to poniżej kierownictwo oceniać w jaki sposób sytuacja majątkowy i finansowy grupa móc zmienić się w trakt okres budżetowy na tło konkurencja\n", + "=====================================================================\n", + "[('control', 100.0, 289), 85.71428571428571, array(['kontrola '], dtype=object)]\n", + "in such a case the ad hoc nsc control report shall be prepare in 3 identical copy of which one shall be deliver to the control and one to the observer\n", + "in such a case the ad hoc nsc control kontrola report shall be prepare in 3 identical copy of which one shall be deliver to the control and one to the observer\n", + "w takim przypadek protokół kontrola doraźny kkn spo rządza się w 3 jednobrzmiący egzemplarz z których po jeden doręczać się kontrolowany i obserwator\n", + "=====================================================================\n", + "[('report', 100.0, 963), 100.0, array(['sprawozdawczość'], dtype=object)]\n", + "in such a case the ad hoc nsc control report shall be prepare in 3 identical copy of which one shall be deliver to the control and one to the observer\n", + "in such a case the ad hoc nsc control report sprawozdawczość shall be prepare in 3 identical copy of which one shall be deliver to the control and one to the observer\n", + "w takim przypadek protokół kontrola doraźny kkn spo rządza się w 3 jednobrzmiący egzemplarz z których po jeden doręczać się kontrolowany i obserwator\n", + "=====================================================================\n", + "[('lease', 100.0, 709), 88.88888888888889, array(['leasing'], dtype=object)]\n", + "lessee will be also require to remeasure the lease liability upon the occurrence of certain event e g a change in the lease term a change in future lease payment result from a change in an index or rate use to determine those payment\n", + "lessee will be also require to remeasure the lease leasing liability upon the occurrence of certain event e g a change in the lease term a change in future lease payment result from a change in an index or rate use to determine those payment\n", + "leasingobiorca aktualizować wycena zobowiązanie z tytuł leasing po wystąpienie określony zdarzenie np zmiana w odniesienie do okres leasing zmiana w przyszły opłata leasingowy wynikającej z zmiana w indeks lub stawka stosowany do ustalenie tych opłata\n", + "=====================================================================\n", + "[('liability', 100.0, 716), 66.66666666666666, array(['zobowiązania'], dtype=object)]\n", + "lessee will be also require to remeasure the lease liability upon the occurrence of certain event e g a change in the lease term a change in future lease payment result from a change in an index or rate use to determine those payment\n", + "lessee will be also require to remeasure the lease liability zobowiązania upon the occurrence of certain event e g a change in the lease term a change in future lease payment result from a change in an index or rate use to determine those payment\n", + "leasingobiorca aktualizować wycena zobowiązanie z tytuł leasing po wystąpienie określony zdarzenie np zmiana w odniesienie do okres leasing zmiana w przyszły opłata leasingowy wynikającej z zmiana w indeks lub stawka stosowany do ustalenie tych opłata\n", + "=====================================================================\n", + "[('reliability', 90.9090909090909, 959), 66.66666666666666, array(['wiarygodność'], dtype=object)]\n", + "lessee will be also require to remeasure the lease liability upon the occurrence of certain event e g a change in the lease term a change in future lease payment result from a change in an index or rate use to determine those payment\n", + "lessee will be also require to remeasure the lease liability wiarygodność upon the occurrence of certain event e g a change in the lease term a change in future lease payment result from a change in an index or rate use to determine those payment\n", + "leasingobiorca aktualizować wycena zobowiązanie z tytuł leasing po wystąpienie określony zdarzenie np zmiana w odniesienie do okres leasing zmiana w przyszły opłata leasingowy wynikającej z zmiana w indeks lub stawka stosowany do ustalenie tych opłata\n", + "=====================================================================\n", + "[('balance', 100.0, 136), 72.72727272727272, array(['saldo'], dtype=object)]\n", + "open balance as at 1 january 2016\n", + "open balance saldo as at 1 january 2016\n", + "bilans otwarcie na 1 stycznia2016 rok\n", + "=====================================================================\n", + "[('c a', 100.0, 176), 66.66666666666666, array(['dyplomowany biegły rewident'], dtype=object)]\n", + "ai enable rpa a technology now at the r d stage which will autonomously group process task recommend possible automation robotic and strive to eliminate exception\n", + "ai enable rpa a technology now at the r d stage which will autonomously group process task recommend possible automation robotic and dyplomowany biegły rewident strive to eliminate exception\n", + "ai enabled rpa technologia na etap prace badaw czych która być autonomicznie grupować zadanie w proces oraz rekomendować możli wości automatyzacja oraz dążyć do eliminacje wyjątek\n", + "=====================================================================\n", + "[('group', 100.0, 593), 88.88888888888889, array(['grupa kapitałowa'], dtype=object)]\n", + "ai enable rpa a technology now at the r d stage which will autonomously group process task recommend possible automation robotic and strive to eliminate exception\n", + "ai enable rpa a technology now at the r grupa kapitałowa d stage which will autonomously group process task recommend possible automation robotic and strive to eliminate exception\n", + "ai enabled rpa technologia na etap prace badaw czych która być autonomicznie grupować zadanie w proces oraz rekomendować możli wości automatyzacja oraz dążyć do eliminacje wyjątek\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "the average employment in the group in the year end 31 december 2017 and 31 december 2016 be as follow\n", + "the average employment in the group grupa kapitałowa in the year end 31 december 2017 and 31 december 2016 be as follow\n", + "przeciętny zatrudnienie w grupa w rok zakończony dzień 31 grudzień 2017 rok i 31 grudzień 2016 rok kształtować się następująco\n", + "=====================================================================\n", + "[('year end', 100.0, 1193), 50.0, array(['koniec roku'], dtype=object)]\n", + "the average employment in the group in the year end 31 december 2017 and 31 december 2016 be as follow\n", + "the average employment in the group in the year end koniec roku 31 december 2017 and 31 december 2016 be as follow\n", + "przeciętny zatrudnienie w grupa w rok zakończony dzień 31 grudzień 2017 rok i 31 grudzień 2016 rok kształtować się następująco\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 0, array(['strata'], dtype=object)]\n", + "loss on currency difference\n", + "loss strata on currency difference\n", + "ujemny różnica kursowy\n", + "=====================================================================\n", + "[('earning', 100.0, 419), 54.54545454545455, array(['zysk'], dtype=object)]\n", + "weighted average number of ordinary share use to calculate basic earning per share\n", + "weighted average number of ordinary share use to calculate basic earning zysk per share\n", + "średnia ważona liczba wyemitowanych akcja zwykły zastosowany do obliczenie podstawowy zysk na jeden akcja\n", + "=====================================================================\n", + "[('earning per share', 100.0, 426), 43.75, array(['zysk na jedną akcję'], dtype=object)]\n", + "weighted average number of ordinary share use to calculate basic earning per share\n", + "weighted average number of ordinary share use to calculate basic earning per zysk na jedną akcję share\n", + "średnia ważona liczba wyemitowanych akcja zwykły zastosowany do obliczenie podstawowy zysk na jeden akcja\n", + "=====================================================================\n", + "[('sic', 100.0, 994), 66.66666666666666, array(['stały komitet ds. interpretacji'], dtype=object)]\n", + "weighted average number of ordinary share use to calculate basic earning per share\n", + "weighted average number of ordinary share use to calculate basic stały komitet ds. interpretacji earning per share\n", + "średnia ważona liczba wyemitowanych akcja zwykły zastosowany do obliczenie podstawowy zysk na jeden akcja\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "in the course of the ad hoc aoc control the audit oversight commission controller may be assist by the expert refer to in article 109\n", + "in the course of the ad hoc aoc control the audit badanie sprawozdania finansowego oversight commission controller may be assist by the expert refer to in article 109\n", + "w trakt kontrola doraźny kna kontroler komisja nadzór audytowy móc korzystać z pomoc eksper tów o których mowa w art 109\n", + "=====================================================================\n", + "[('c a', 100.0, 176), 66.66666666666666, array(['dyplomowany biegły rewident'], dtype=object)]\n", + "in the course of the ad hoc aoc control the audit oversight commission controller may be assist by the expert refer to in article 109\n", + "in the course of the ad hoc aoc dyplomowany biegły rewident control the audit oversight commission controller may be assist by the expert refer to in article 109\n", + "w trakt kontrola doraźny kna kontroler komisja nadzór audytowy móc korzystać z pomoc eksper tów o których mowa w art 109\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "in the course of the ad hoc aoc control the audit oversight commission controller may be assist by the expert refer to in article 109\n", + "in the course of the ad hoc aoc control the audit oversight commission prowizje controller may be assist by the expert refer to in article 109\n", + "w trakt kontrola doraźny kna kontroler komisja nadzór audytowy móc korzystać z pomoc eksper tów o których mowa w art 109\n", + "=====================================================================\n", + "[('control', 100.0, 289), 100.0, array(['kontrola '], dtype=object)]\n", + "in the course of the ad hoc aoc control the audit oversight commission controller may be assist by the expert refer to in article 109\n", + "in the course of the ad hoc aoc control kontrola the audit oversight commission controller may be assist by the expert refer to in article 109\n", + "w trakt kontrola doraźny kna kontroler komisja nadzór audytowy móc korzystać z pomoc eksper tów o których mowa w art 109\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 100.0, array(['nadzór'], dtype=object)]\n", + "in the course of the ad hoc aoc control the audit oversight commission controller may be assist by the expert refer to in article 109\n", + "in the course of the ad hoc aoc control the audit oversight nadzór commission controller may be assist by the expert refer to in article 109\n", + "w trakt kontrola doraźny kna kontroler komisja nadzór audytowy móc korzystać z pomoc eksper tów o których mowa w art 109\n", + "=====================================================================\n", + "[('company', 100.0, 245), 100.0, array(['spółka kapitałowa'], dtype=object)]\n", + "value 5 p p high than in 2017 s survey 10 6 total proportion of foreigner employ at business service center analyze by absl n 208 company employ 144 000 people 9 average proportion of foreigner employ at business service center analyze by absl 11 at company with over 1 000 employee vs 8 at small entity\n", + "value 5 p spółka kapitałowa p high than in 2017 s survey 10 6 total proportion of foreigner employ at business service center analyze by absl n 208 company employ 144 000 people 9 average proportion of foreigner employ at business service center analyze by absl 11 at company with over 1 000 employee vs 8 at small entity\n", + "wartość o 5 p p wysoki niż w badanie z 2017 r 10 6 całkowity udział cudzoziemiec zatrudniony w analizowanych przez absl centrum usługi n 208 firma zatrudniających 144 tys osoba 9 przeciętny udział cudzoziemiec zatrudniony w analizowanych przez absl centrum usługi 11 w firma zatrudniających w swoich centrum ponad 1 tys osoba w porównanie do 8 w mały podmiot\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 100.0, array(['jednostka'], dtype=object)]\n", + "value 5 p p high than in 2017 s survey 10 6 total proportion of foreigner employ at business service center analyze by absl n 208 company employ 144 000 people 9 average proportion of foreigner employ at business service center analyze by absl 11 at company with over 1 000 employee vs 8 at small entity\n", + "value 5 p p high than in 2017 s survey 10 6 total proportion of foreigner employ at business service center analyze by absl n jednostka 208 company employ 144 000 people 9 average proportion of foreigner employ at business service center analyze by absl 11 at company with over 1 000 employee vs 8 at small entity\n", + "wartość o 5 p p wysoki niż w badanie z 2017 r 10 6 całkowity udział cudzoziemiec zatrudniony w analizowanych przez absl centrum usługi n 208 firma zatrudniających 144 tys osoba 9 przeciętny udział cudzoziemiec zatrudniony w analizowanych przez absl centrum usługi 11 w firma zatrudniających w swoich centrum ponad 1 tys osoba w porównanie do 8 w mały podmiot\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "in the event that the control be conduct in the audit entity come from the third country that entity shall pay the fee in the amount correspond to the cost of the control\n", + "in the event that the control be conduct in the audit badanie sprawozdania finansowego entity come from the third country that entity shall pay the fee in the amount correspond to the cost of the control\n", + "w przypadek przeprowadzenia kontrola w jednostka audytorski pochodzącej z państwo trzeci jed nostka ta jest obowiązany wnieść opłata w wysokość odpowiadającej koszt przeprowadzenia tej kontrola\n", + "=====================================================================\n", + "[('control', 100.0, 289), 85.71428571428571, array(['kontrola '], dtype=object)]\n", + "in the event that the control be conduct in the audit entity come from the third country that entity shall pay the fee in the amount correspond to the cost of the control\n", + "in the event that the control kontrola be conduct in the audit entity come from the third country that entity shall pay the fee in the amount correspond to the cost of the control\n", + "w przypadek przeprowadzenia kontrola w jednostka audytorski pochodzącej z państwo trzeci jed nostka ta jest obowiązany wnieść opłata w wysokość odpowiadającej koszt przeprowadzenia tej kontrola\n", + "=====================================================================\n", + "[('cost', 100.0, 303), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "in the event that the control be conduct in the audit entity come from the third country that entity shall pay the fee in the amount correspond to the cost of the control\n", + "in the event that the control be conduct in the audit entity come from the third country that entity shall pay the fee in the amount correspond to the cost koszt of the control\n", + "w przypadek przeprowadzenia kontrola w jednostka audytorski pochodzącej z państwo trzeci jed nostka ta jest obowiązany wnieść opłata w wysokość odpowiadającej koszt przeprowadzenia tej kontrola\n", + "=====================================================================\n", + "[('cost', 100.0, 324), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "in the event that the control be conduct in the audit entity come from the third country that entity shall pay the fee in the amount correspond to the cost of the control\n", + "in the event that the control be conduct in the audit entity come from the third country that entity shall pay the fee in the amount correspond to the cost koszt of the control\n", + "w przypadek przeprowadzenia kontrola w jednostka audytorski pochodzącej z państwo trzeci jed nostka ta jest obowiązany wnieść opłata w wysokość odpowiadającej koszt przeprowadzenia tej kontrola\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 60.0, array(['jednostka'], dtype=object)]\n", + "in the event that the control be conduct in the audit entity come from the third country that entity shall pay the fee in the amount correspond to the cost of the control\n", + "in the event that the control be conduct in the audit entity jednostka come from the third country that entity shall pay the fee in the amount correspond to the cost of the control\n", + "w przypadek przeprowadzenia kontrola w jednostka audytorski pochodzącej z państwo trzeci jed nostka ta jest obowiązany wnieść opłata w wysokość odpowiadającej koszt przeprowadzenia tej kontrola\n", + "=====================================================================\n", + "[('coo', 100.0, 184), 66.66666666666666, array(['dyrektor operacyjny'], dtype=object)]\n", + "the high score for each location be award for availability of modern office space tri city and wrocław availability of transportation warsaw kraków and katowice quality of public transportation poznań and cooperation with local authority łódź\n", + "the high score for each location be award for availability of modern office space tri city and wrocław availability of transportation warsaw kraków and katowice quality of public transportation poznań and cooperation dyrektor operacyjny with local authority łódź\n", + "wysoko oceniane czynnik w poszczególny ośrodek to dostępność nowoczesny powierzchnia biurowy w trójmiasto i wrocław dostępność komunikacyjny w warszawa kraków i katowice jakość komunikacja miejski w poznań oraz współ praca z lokalny uczelnia w przypadek łódź\n", + "=====================================================================\n", + "[('liability', 88.88888888888889, 716), 100.0, array(['zobowiązania'], dtype=object)]\n", + "the high score for each location be award for availability of modern office space tri city and wrocław availability of transportation warsaw kraków and katowice quality of public transportation poznań and cooperation with local authority łódź\n", + "the high score for each location be award for availability zobowiązania of modern office space tri city and wrocław availability of transportation warsaw kraków and katowice quality of public transportation poznań and cooperation with local authority łódź\n", + "wysoko oceniane czynnik w poszczególny ośrodek to dostępność nowoczesny powierzchnia biurowy w trójmiasto i wrocław dostępność komunikacyjny w warszawa kraków i katowice jakość komunikacja miejski w poznań oraz współ praca z lokalny uczelnia w przypadek łódź\n", + "=====================================================================\n", + "[('account', 100.0, 13), 44.44444444444444, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the group have interest in the follow individually significant associate account for use the equity method\n", + "the group have interest in the follow individually significant associate account konto for use the equity method\n", + "grupa posiadać udział w następujący jednostkowo istotny jednostka stowarzyszony wykazywanych metoda prawo własność\n", + "=====================================================================\n", + "[('account', 100.0, 25), 44.44444444444444, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the group have interest in the follow individually significant associate account for use the equity method\n", + "the group have interest in the follow individually significant associate account konto for use the equity method\n", + "grupa posiadać udział w następujący jednostkowo istotny jednostka stowarzyszony wykazywanych metoda prawo własność\n", + "=====================================================================\n", + "[('account', 100.0, 57), 44.44444444444444, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the group have interest in the follow individually significant associate account for use the equity method\n", + "the group have interest in the follow individually significant associate account konto for use the equity method\n", + "grupa posiadać udział w następujący jednostkowo istotny jednostka stowarzyszony wykazywanych metoda prawo własność\n", + "=====================================================================\n", + "[('equity', 100.0, 460), 44.44444444444444, array(['kapitał własny'], dtype=object)]\n", + "the group have interest in the follow individually significant associate account for use the equity method\n", + "the group have interest in the follow individually significant associate account for use the equity kapitał własny method\n", + "grupa posiadać udział w następujący jednostkowo istotny jednostka stowarzyszony wykazywanych metoda prawo własność\n", + "=====================================================================\n", + "[('equity method', 100.0, 461), 60.869565217391305, array(['metoda praw własności'], dtype=object)]\n", + "the group have interest in the follow individually significant associate account for use the equity method\n", + "the group have interest in the follow individually significant associate account for use the equity metoda praw własności method\n", + "grupa posiadać udział w następujący jednostkowo istotny jednostka stowarzyszony wykazywanych metoda prawo własność\n", + "=====================================================================\n", + "[('consistency', 100.0, 265), 50.0, array(['ciągłość'], dtype=object)]\n", + "secure intra group consistency will require selection of appropriate model of reporting which should also comply with the requirement of national law\n", + "secure intra group consistency ciągłość will require selection of appropriate model of reporting which should also comply with the requirement of national law\n", + "uspójnienie wskaźnik być wymagać wybór odpowiedni model raportowania który być spełniać również wymaganie regulacja wynikających z prawo krajowy\n", + "=====================================================================\n", + "[('group', 100.0, 593), 50.0, array(['grupa kapitałowa'], dtype=object)]\n", + "secure intra group consistency will require selection of appropriate model of reporting which should also comply with the requirement of national law\n", + "secure intra group grupa kapitałowa consistency will require selection of appropriate model of reporting which should also comply with the requirement of national law\n", + "uspójnienie wskaźnik być wymagać wybór odpowiedni model raportowania który być spełniać również wymaganie regulacja wynikających z prawo krajowy\n", + "=====================================================================\n", + "[('report', 100.0, 963), 83.33333333333333, array(['sprawozdawczość'], dtype=object)]\n", + "secure intra group consistency will require selection of appropriate model of reporting which should also comply with the requirement of national law\n", + "secure intra group consistency will require selection of appropriate model of reporting sprawozdawczość which should also comply with the requirement of national law\n", + "uspójnienie wskaźnik być wymagać wybór odpowiedni model raportowania który być spełniać również wymaganie regulacja wynikających z prawo krajowy\n", + "=====================================================================\n", + "[('financial statement', 100.0, 526), 60.0, array(['sprawozdanie finansowe'], dtype=object)]\n", + "these consolidated financial statement be authorize for issue by the management board on 2018\n", + "these consolidated financial statement sprawozdanie finansowe be authorize for issue by the management board on 2018\n", + "niniejszy skonsolidowane sprawozdanie finansowy zostało zatwierdzone do publikacja przez zarząd w dzień 2017 rok\n", + "=====================================================================\n", + "[('employee benefit', 100.0, 446), 40.0, array(['świadczenia pracownicze'], dtype=object)]\n", + "valuation of provision for employee benefit\n", + "valuation of provision for employee świadczenia pracownicze benefit\n", + "wycena rezerwa z tytuł świadczenie pracowniczy\n", + "=====================================================================\n", + "[('provision', 100.0, 909), 28.57142857142857, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "valuation of provision for employee benefit\n", + "valuation of provision rezerwa for employee benefit\n", + "wycena rezerwa z tytuł świadczenie pracowniczy\n", + "=====================================================================\n", + "[('provision', 100.0, 911), 28.57142857142857, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "valuation of provision for employee benefit\n", + "valuation of provision rezerwa for employee benefit\n", + "wycena rezerwa z tytuł świadczenie pracowniczy\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "an audit involve perform procedure to obtain audit evidence about the amount and disclosure in the financial statement\n", + "an audit badanie sprawozdania finansowego involve perform procedure to obtain audit evidence about the amount and disclosure in the financial statement\n", + "badan polegać na przeprowadzeniu procedura służący uzyskaniu dowód badanie kwota i ujawnienie w sprawozdanie finansowy\n", + "=====================================================================\n", + "[('audit evidence', 100.0, 115), 52.17391304347826, array(['dowody badania'], dtype=object)]\n", + "an audit involve perform procedure to obtain audit evidence about the amount and disclosure in the financial statement\n", + "an audit involve perform procedure to obtain audit evidence dowody badania about the amount and disclosure in the financial statement\n", + "badan polegać na przeprowadzeniu procedura służący uzyskaniu dowód badanie kwota i ujawnienie w sprawozdanie finansowy\n", + "=====================================================================\n", + "[('disclosure', 100.0, 388), 100.0, array(['ujawnianie informacji finansowych'], dtype=object)]\n", + "an audit involve perform procedure to obtain audit evidence about the amount and disclosure in the financial statement\n", + "an audit involve perform procedure to obtain audit evidence about the amount and disclosure ujawnianie informacji finansowych in the financial statement\n", + "badan polegać na przeprowadzeniu procedura służący uzyskaniu dowód badanie kwota i ujawnienie w sprawozdanie finansowy\n", + "=====================================================================\n", + "[('financial statement', 100.0, 526), 46.15384615384615, array(['sprawozdanie finansowe'], dtype=object)]\n", + "an audit involve perform procedure to obtain audit evidence about the amount and disclosure in the financial statement\n", + "an audit involve perform procedure to obtain audit evidence about the amount and disclosure in the financial sprawozdanie finansowe statement\n", + "badan polegać na przeprowadzeniu procedura służący uzyskaniu dowód badanie kwota i ujawnienie w sprawozdanie finansowy\n", + "=====================================================================\n", + "[('interim financial statement', 90.56603773584905, 667), 45.45454545454545, array(['śródroczne sprawozdania finansowe'], dtype=object)]\n", + "an audit involve perform procedure to obtain audit evidence about the amount and disclosure in the financial statement\n", + "an audit involve perform procedure to obtain audit evidence about the amount and disclosure in the financial śródroczne sprawozdania finansowe statement\n", + "badan polegać na przeprowadzeniu procedura służący uzyskaniu dowód badanie kwota i ujawnienie w sprawozdanie finansowy\n", + "=====================================================================\n", + "[('cap', 100.0, 178), 80.0, array(['dyplomowany księgowy'], dtype=object)]\n", + "the insight and quality service we deliver help build trust and confidence in the capital market and in economy the world over\n", + "the insight and quality service we deliver help build trust and confidence in the capital dyplomowany księgowy market and in economy the world over\n", + "nasza wiedza oraz świadczone przez my wysoki jakość usługa przyczyniać się do budowa zaufanie na rynka kapitałowy i w gospodarka cały świat\n", + "=====================================================================\n", + "[('capital market', 100.0, 194), 60.0, array(['rynki kapitałowe'], dtype=object)]\n", + "the insight and quality service we deliver help build trust and confidence in the capital market and in economy the world over\n", + "the insight and quality service we deliver help build trust and confidence in the capital market rynki kapitałowe and in economy the world over\n", + "nasza wiedza oraz świadczone przez my wysoki jakość usługa przyczyniać się do budowa zaufanie na rynka kapitałowy i w gospodarka cały świat\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 60.0, array(['jednostka'], dtype=object)]\n", + "there shall be the right to appeal against the decision on refusal to initiate the disciplinary investigation and the decision on discontinuance of the disciplinary investigation in respect of a person or an entity who report a suspect disciplinary offence\n", + "there shall be the right to appeal against the decision on refusal to initiate the disciplinary investigation and the decision on discontinuance of the disciplinary investigation in respect of a person or an entity jednostka who report a suspect disciplinary offence\n", + "na postanowienie o odmowa wszczęcia dochodzenie dyscyplinarny oraz na postanowienie o umorzeniu dochodzenie dyscyplinarny osoba lub podmiot który złożyć zawiadomienie o podejrzenie popełnienia przewinienie dyscyplinarny służyć zażalenie\n", + "=====================================================================\n", + "[('ppe', 100.0, 844), 66.66666666666666, array(['środki trwałe'], dtype=object)]\n", + "there shall be the right to appeal against the decision on refusal to initiate the disciplinary investigation and the decision on discontinuance of the disciplinary investigation in respect of a person or an entity who report a suspect disciplinary offence\n", + "there shall be the right to appeal środki trwałe against the decision on refusal to initiate the disciplinary investigation and the decision on discontinuance of the disciplinary investigation in respect of a person or an entity who report a suspect disciplinary offence\n", + "na postanowienie o odmowa wszczęcia dochodzenie dyscyplinarny oraz na postanowienie o umorzeniu dochodzenie dyscyplinarny osoba lub podmiot który złożyć zawiadomienie o podejrzenie popełnienia przewinienie dyscyplinarny służyć zażalenie\n", + "=====================================================================\n", + "[('report', 100.0, 963), 100.0, array(['sprawozdawczość'], dtype=object)]\n", + "there shall be the right to appeal against the decision on refusal to initiate the disciplinary investigation and the decision on discontinuance of the disciplinary investigation in respect of a person or an entity who report a suspect disciplinary offence\n", + "there shall be the right to appeal against the decision on refusal to initiate the disciplinary investigation and the decision on discontinuance of the disciplinary investigation in respect of a person or sprawozdawczość an entity who report a suspect disciplinary offence\n", + "na postanowienie o odmowa wszczęcia dochodzenie dyscyplinarny oraz na postanowienie o umorzeniu dochodzenie dyscyplinarny osoba lub podmiot który złożyć zawiadomienie o podejrzenie popełnienia przewinienie dyscyplinarny służyć zażalenie\n", + "=====================================================================\n", + "[('c a', 100.0, 176), 66.66666666666666, array(['dyplomowany biegły rewident'], dtype=object)]\n", + "in that spirit let this publication spark a society wide dialogue on fundamental question that must be answer in order to achieve the economic and societal potential of a cognitive future\n", + "in that spirit let this publication spark a society wide dialogue on fundamental question that must be answer in order to achieve the economic and dyplomowany biegły rewident societal potential of a cognitive future\n", + "mieć nadzieja że ta publikacja zainicjować ogólny społeczny dialog na temat fundamentalny pytanie na które musić sobie odpowiedzieć aby sięgnąć po gospodarczy i społeczny potencjał tkwiący w rozwiązanie kognitywny przyszłość\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 80.0, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "in that spirit let this publication spark a society wide dialogue on fundamental question that must be answer in order to achieve the economic and societal potential of a cognitive future\n", + "in that spirit let this publication spark a society wide dialogue on fundamental question that must be answer in order to achieve the economic and societal potential of a cognitive koszty sprzedanych produktów, towarów i materiałów future\n", + "mieć nadzieja że ta publikacja zainicjować ogólny społeczny dialog na temat fundamentalny pytanie na które musić sobie odpowiedzieć aby sięgnąć po gospodarczy i społeczny potencjał tkwiący w rozwiązanie kognitywny przyszłość\n", + "=====================================================================\n", + "[('economic', 100.0, 433), 100.0, array(['ekonomia'], dtype=object)]\n", + "in that spirit let this publication spark a society wide dialogue on fundamental question that must be answer in order to achieve the economic and societal potential of a cognitive future\n", + "in that spirit let this publication spark a society wide dialogue on ekonomia fundamental question that must be answer in order to achieve the economic and societal potential of a cognitive future\n", + "mieć nadzieja że ta publikacja zainicjować ogólny społeczny dialog na temat fundamentalny pytanie na które musić sobie odpowiedzieć aby sięgnąć po gospodarczy i społeczny potencjał tkwiący w rozwiązanie kognitywny przyszłość\n", + "=====================================================================\n", + "[('acquisition', 100.0, 67), 100.0, array(['nabycie przedsiębiorstwa'], dtype=object)]\n", + "available for sale financial asset be measure at fair value increase by transaction cost that may be directly attributable to the acquisition or issue of financial asset\n", + "available for sale financial asset be measure at fair value increase by transaction cost that may be directly attributable to the acquisition nabycie przedsiębiorstwa or issue of financial asset\n", + "aktywa finansowy dostępny do sprzedaż są ujmowane według wartość godziwy powiększonej o koszt transakcja które móc być bezpośrednio przypisane do nabycie lub emisja składnik aktywa finansowy\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 50.0, array(['aktywa'], dtype=object)]\n", + "available for sale financial asset be measure at fair value increase by transaction cost that may be directly attributable to the acquisition or issue of financial asset\n", + "available for sale financial asset aktywa be measure at fair value increase by transaction cost that may be directly attributable to the acquisition or issue of financial asset\n", + "aktywa finansowy dostępny do sprzedaż są ujmowane według wartość godziwy powiększonej o koszt transakcja które móc być bezpośrednio przypisane do nabycie lub emisja składnik aktywa finansowy\n", + "=====================================================================\n", + "[('cost', 100.0, 303), 100.0, array(['koszt', 'koszty'], dtype=object)]\n", + "available for sale financial asset be measure at fair value increase by transaction cost that may be directly attributable to the acquisition or issue of financial asset\n", + "available for sale financial asset be measure at fair value increase by transaction cost koszt that may be directly attributable to the acquisition or issue of financial asset\n", + "aktywa finansowy dostępny do sprzedaż są ujmowane według wartość godziwy powiększonej o koszt transakcja które móc być bezpośrednio przypisane do nabycie lub emisja składnik aktywa finansowy\n", + "=====================================================================\n", + "[('cost', 100.0, 324), 100.0, array(['koszt', 'koszty'], dtype=object)]\n", + "available for sale financial asset be measure at fair value increase by transaction cost that may be directly attributable to the acquisition or issue of financial asset\n", + "available for sale financial asset be measure at fair value increase by transaction cost koszt that may be directly attributable to the acquisition or issue of financial asset\n", + "aktywa finansowy dostępny do sprzedaż są ujmowane według wartość godziwy powiększonej o koszt transakcja które móc być bezpośrednio przypisane do nabycie lub emisja składnik aktywa finansowy\n", + "=====================================================================\n", + "[('fair value', 100.0, 497), 50.0, array(['wartość godziwa'], dtype=object)]\n", + "available for sale financial asset be measure at fair value increase by transaction cost that may be directly attributable to the acquisition or issue of financial asset\n", + "available for sale financial asset be measure at fair value wartość godziwa increase by transaction cost that may be directly attributable to the acquisition or issue of financial asset\n", + "aktywa finansowy dostępny do sprzedaż są ujmowane według wartość godziwy powiększonej o koszt transakcja które móc być bezpośrednio przypisane do nabycie lub emisja składnik aktywa finansowy\n", + "=====================================================================\n", + "[('restatement', 100.0, 972), 0, array(['korekty poprzedniego okresu'], dtype=object)]\n", + "restate\n", + "restate korekty poprzedniego okresu \n", + "przekształcone\n", + "=====================================================================\n", + "[('estate tax', 92.3076923076923, 465), 0, array(['podatek spadkowy'], dtype=object)]\n", + "restate\n", + "restate podatek spadkowy \n", + "przekształcone\n", + "=====================================================================\n", + "[('subsidiary', 100.0, 1066), 66.66666666666666, array(['jednostka zależna'], dtype=object)]\n", + "the summarise financial information of these subsidiary be provide below\n", + "the summarise financial information of these subsidiary jednostka zależna be provide below\n", + "skrócone informacja finansowy na temat jednostka zależny przedstawiać się następująco\n", + "=====================================================================\n", + "[('account', 100.0, 13), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the group account for this effect use the following method\n", + "the group account konto for this effect use the following method\n", + "grupa odzwierciedlać ten efekt za pomoc następujący metoda\n", + "=====================================================================\n", + "[('account', 100.0, 25), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the group account for this effect use the following method\n", + "the group account konto for this effect use the following method\n", + "grupa odzwierciedlać ten efekt za pomoc następujący metoda\n", + "=====================================================================\n", + "[('account', 100.0, 57), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the group account for this effect use the following method\n", + "the group account konto for this effect use the following method\n", + "grupa odzwierciedlać ten efekt za pomoc następujący metoda\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "the group account for this effect use the following method\n", + "the group grupa kapitałowa account for this effect use the following method\n", + "grupa odzwierciedlać ten efekt za pomoc następujący metoda\n", + "=====================================================================\n", + "[('fair value', 100.0, 497), 50.0, array(['wartość godziwa'], dtype=object)]\n", + "re measurement of collateralise loan to fair value\n", + "re measurement of collateralise loan to fair wartość godziwa value\n", + "przeszacowanie zabezpieczonej pożyczka do wartość godziwy\n", + "=====================================================================\n", + "[('par value', 88.88888888888889, 850), 46.15384615384615, array(['wartość nominalna'], dtype=object)]\n", + "re measurement of collateralise loan to fair value\n", + "re measurement of collateralise wartość nominalna loan to fair value\n", + "przeszacowanie zabezpieczonej pożyczka do wartość godziwy\n", + "=====================================================================\n", + "[('account', 100.0, 13), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "in accordance with the requirement of the act on statutory auditors we inform that the company use the exemption refer to in art 49b par 11 of the accounting act disclose in the director s report the name and registered office of its high level parent company prepare a statement separate report of the capital group on non financial information which will cover the company and its subsidiary at each level\n", + "in accordance with the requirement of the act on statutory auditors we inform that the company use the exemption refer to in art 49b par 11 of the accounting konto act disclose in the director s report the name and registered office of its high level parent company prepare a statement separate report of the capital group on non financial information which will cover the company and its subsidiary at each level\n", + "zgodnie z wymóg ustawa o biegły rewident informować że spółka korzystać z zwolnienie o którym mowa w art 49b ust 11 ustawa o rachunkowość ujawnić w sprawozdanie z działalność grupa kapitałowy nazwa i siedziba on jednostka dominujący wysoki szczebel sporządzającej oświadczenie odrębny sprawozdanie grupa kapitałowy na temat informacja finansowy które objąć spółka i on jednostka zależny każdego szczebel\n", + "=====================================================================\n", + "[('account', 100.0, 25), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "in accordance with the requirement of the act on statutory auditors we inform that the company use the exemption refer to in art 49b par 11 of the accounting act disclose in the director s report the name and registered office of its high level parent company prepare a statement separate report of the capital group on non financial information which will cover the company and its subsidiary at each level\n", + "in accordance with the requirement of the act on statutory auditors we inform that the company use the exemption refer to in art 49b par 11 of the accounting konto act disclose in the director s report the name and registered office of its high level parent company prepare a statement separate report of the capital group on non financial information which will cover the company and its subsidiary at each level\n", + "zgodnie z wymóg ustawa o biegły rewident informować że spółka korzystać z zwolnienie o którym mowa w art 49b ust 11 ustawa o rachunkowość ujawnić w sprawozdanie z działalność grupa kapitałowy nazwa i siedziba on jednostka dominujący wysoki szczebel sporządzającej oświadczenie odrębny sprawozdanie grupa kapitałowy na temat informacja finansowy które objąć spółka i on jednostka zależny każdego szczebel\n", + "=====================================================================\n", + "[('account', 100.0, 57), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "in accordance with the requirement of the act on statutory auditors we inform that the company use the exemption refer to in art 49b par 11 of the accounting act disclose in the director s report the name and registered office of its high level parent company prepare a statement separate report of the capital group on non financial information which will cover the company and its subsidiary at each level\n", + "in accordance with the requirement of the act on statutory auditors we inform that the company use the exemption refer to in art 49b par 11 of the accounting konto act disclose in the director s report the name and registered office of its high level parent company prepare a statement separate report of the capital group on non financial information which will cover the company and its subsidiary at each level\n", + "zgodnie z wymóg ustawa o biegły rewident informować że spółka korzystać z zwolnienie o którym mowa w art 49b ust 11 ustawa o rachunkowość ujawnić w sprawozdanie z działalność grupa kapitałowy nazwa i siedziba on jednostka dominujący wysoki szczebel sporządzającej oświadczenie odrębny sprawozdanie grupa kapitałowy na temat informacja finansowy które objąć spółka i on jednostka zależny każdego szczebel\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "in accordance with the requirement of the act on statutory auditors we inform that the company use the exemption refer to in art 49b par 11 of the accounting act disclose in the director s report the name and registered office of its high level parent company prepare a statement separate report of the capital group on non financial information which will cover the company and its subsidiary at each level\n", + "in accordance with the requirement of the act on statutory auditors badanie sprawozdania finansowego we inform that the company use the exemption refer to in art 49b par 11 of the accounting act disclose in the director s report the name and registered office of its high level parent company prepare a statement separate report of the capital group on non financial information which will cover the company and its subsidiary at each level\n", + "zgodnie z wymóg ustawa o biegły rewident informować że spółka korzystać z zwolnienie o którym mowa w art 49b ust 11 ustawa o rachunkowość ujawnić w sprawozdanie z działalność grupa kapitałowy nazwa i siedziba on jednostka dominujący wysoki szczebel sporządzającej oświadczenie odrębny sprawozdanie grupa kapitałowy na temat informacja finansowy które objąć spółka i on jednostka zależny każdego szczebel\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "in accordance with the requirement of the act on statutory auditors we inform that the company use the exemption refer to in art 49b par 11 of the accounting act disclose in the director s report the name and registered office of its high level parent company prepare a statement separate report of the capital group on non financial information which will cover the company and its subsidiary at each level\n", + "in accordance with the requirement of the act on statutory auditors biegły rewident we inform that the company use the exemption refer to in art 49b par 11 of the accounting act disclose in the director s report the name and registered office of its high level parent company prepare a statement separate report of the capital group on non financial information which will cover the company and its subsidiary at each level\n", + "zgodnie z wymóg ustawa o biegły rewident informować że spółka korzystać z zwolnienie o którym mowa w art 49b ust 11 ustawa o rachunkowość ujawnić w sprawozdanie z działalność grupa kapitałowy nazwa i siedziba on jednostka dominujący wysoki szczebel sporządzającej oświadczenie odrębny sprawozdanie grupa kapitałowy na temat informacja finansowy które objąć spółka i on jednostka zależny każdego szczebel\n", + "=====================================================================\n", + "[('amortisation', 100.0, 90), 100.0, array(['amortyzacja'], dtype=object)]\n", + "follow the initial recognition the historical cost model be apply which require the asset to be carry at cost less any accumulate amortisation and accumulate impairment loss\n", + "follow the initial recognition the historical cost model be apply which require the asset to be carry at amortyzacja cost less any accumulate amortisation and accumulate impairment loss\n", + "po początkowy ujęcie nakład na praca rozwojowy stosować się model koszt historyczny wymagający aby składnik aktywa były ujmowane według cena nabycie pomniejszonych o umorzenie i skumulowane odpis aktualizujące z tytuł utrata wartość\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 66.66666666666666, array(['aktywa'], dtype=object)]\n", + "follow the initial recognition the historical cost model be apply which require the asset to be carry at cost less any accumulate amortisation and accumulate impairment loss\n", + "follow the initial recognition the historical cost model be apply which require the asset aktywa to be carry at cost less any accumulate amortisation and accumulate impairment loss\n", + "po początkowy ujęcie nakład na praca rozwojowy stosować się model koszt historyczny wymagający aby składnik aktywa były ujmowane według cena nabycie pomniejszonych o umorzenie i skumulowane odpis aktualizujące z tytuł utrata wartość\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 100.0, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "follow the initial recognition the historical cost model be apply which require the asset to be carry at cost less any accumulate amortisation and accumulate impairment loss\n", + "follow the initial recognition koszty sprzedanych produktów, towarów i materiałów the historical cost model be apply which require the asset to be carry at cost less any accumulate amortisation and accumulate impairment loss\n", + "po początkowy ujęcie nakład na praca rozwojowy stosować się model koszt historyczny wymagający aby składnik aktywa były ujmowane według cena nabycie pomniejszonych o umorzenie i skumulowane odpis aktualizujące z tytuł utrata wartość\n", + "=====================================================================\n", + "[('cost', 100.0, 303), 100.0, array(['koszt', 'koszty'], dtype=object)]\n", + "follow the initial recognition the historical cost model be apply which require the asset to be carry at cost less any accumulate amortisation and accumulate impairment loss\n", + "follow the initial recognition the historical cost koszt model be apply which require the asset to be carry at cost less any accumulate amortisation and accumulate impairment loss\n", + "po początkowy ujęcie nakład na praca rozwojowy stosować się model koszt historyczny wymagający aby składnik aktywa były ujmowane według cena nabycie pomniejszonych o umorzenie i skumulowane odpis aktualizujące z tytuł utrata wartość\n", + "=====================================================================\n", + "[('cost', 100.0, 324), 100.0, array(['koszt', 'koszty'], dtype=object)]\n", + "follow the initial recognition the historical cost model be apply which require the asset to be carry at cost less any accumulate amortisation and accumulate impairment loss\n", + "follow the initial recognition the historical cost koszt model be apply which require the asset to be carry at cost less any accumulate amortisation and accumulate impairment loss\n", + "po początkowy ujęcie nakład na praca rozwojowy stosować się model koszt historyczny wymagający aby składnik aktywa były ujmowane według cena nabycie pomniejszonych o umorzenie i skumulowane odpis aktualizujące z tytuł utrata wartość\n", + "=====================================================================\n", + "[('company', 100.0, 245), 54.54545454545455, array(['spółka kapitałowa'], dtype=object)]\n", + "none of the company s relation with joint operation be of strategic character to the company\n", + "none of the company spółka kapitałowa s relation with joint operation be of strategic character to the company\n", + "żadne z powiązanie spółki z wspólny działanie nie mieć charakter strategiczny dla spółki\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 50.0, array(['aktywa'], dtype=object)]\n", + "these be classify as current asset provide their maturity do not exceed 12 month after the reporting date\n", + "these be classify as aktywa current asset provide their maturity do not exceed 12 month after the reporting date\n", + "zaliczać się on do aktywa obrotowy o ile termin on wymagalność nie przekraczać 12 miesiąc od dzień bilansowy\n", + "=====================================================================\n", + "[('current asset', 100.0, 335), 40.0, array(['aktywa obrotowe'], dtype=object)]\n", + "these be classify as current asset provide their maturity do not exceed 12 month after the reporting date\n", + "these be classify as current asset aktywa obrotowe provide their maturity do not exceed 12 month after the reporting date\n", + "zaliczać się on do aktywa obrotowy o ile termin on wymagalność nie przekraczać 12 miesiąc od dzień bilansowy\n", + "=====================================================================\n", + "[('report', 100.0, 963), 100.0, array(['sprawozdawczość'], dtype=object)]\n", + "these be classify as current asset provide their maturity do not exceed 12 month after the reporting date\n", + "these be classify as current asset provide their maturity do not exceed 12 month after the reporting sprawozdawczość date\n", + "zaliczać się on do aktywa obrotowy o ile termin on wymagalność nie przekraczać 12 miesiąc od dzień bilansowy\n", + "=====================================================================\n", + "[('loan a', 100.0, 722), 44.44444444444444, array(['kredyt (udzielony)'], dtype=object)]\n", + "those that meet the definition of loan and receivables\n", + "those that meet the definition of loan and kredyt (udzielony) receivables\n", + "spełniające definicja pożyczka i należność\n", + "=====================================================================\n", + "[('company', 100.0, 245), 100.0, array(['spółka kapitałowa'], dtype=object)]\n", + "for management purpose the company be divide into segment base on the manufacture product or render service\n", + "for management purpose the company spółka kapitałowa be divide into segment base on the manufacture product or render service\n", + "dla cel zarządczy spółka została podzielona na część w oparcie o wytwarzane produkt i świadczone usługa\n", + "=====================================================================\n", + "[('account', 100.0, 13), 61.53846153846154, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "employee of an organisational unit of the ministry of finance responsible for financial accounting and audit authorise by the audit oversight commission may participate in the ad hoc nsc control as observer have the right to access any document\n", + "employee of an organisational unit of the ministry of finance responsible for financial accounting konto and audit authorise by the audit oversight commission may participate in the ad hoc nsc control as observer have the right to access any document\n", + "w kontrola doraźny kkn móc uczestniczyć w charakter obserwator z prawo dostęp do wszelkich dokument pracownik komórka organizacyjny w ministerstwo finanse właściwy do sprawa rachunkowość i rewizja finansowy upoważnieni przez komisja nadzór audytowy\n", + "=====================================================================\n", + "[('account', 100.0, 25), 61.53846153846154, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "employee of an organisational unit of the ministry of finance responsible for financial accounting and audit authorise by the audit oversight commission may participate in the ad hoc nsc control as observer have the right to access any document\n", + "employee of an organisational unit of the ministry of finance responsible for financial accounting konto and audit authorise by the audit oversight commission may participate in the ad hoc nsc control as observer have the right to access any document\n", + "w kontrola doraźny kkn móc uczestniczyć w charakter obserwator z prawo dostęp do wszelkich dokument pracownik komórka organizacyjny w ministerstwo finanse właściwy do sprawa rachunkowość i rewizja finansowy upoważnieni przez komisja nadzór audytowy\n", + "=====================================================================\n", + "[('account', 100.0, 57), 61.53846153846154, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "employee of an organisational unit of the ministry of finance responsible for financial accounting and audit authorise by the audit oversight commission may participate in the ad hoc nsc control as observer have the right to access any document\n", + "employee of an organisational unit of the ministry of finance responsible for financial accounting konto and audit authorise by the audit oversight commission may participate in the ad hoc nsc control as observer have the right to access any document\n", + "w kontrola doraźny kkn móc uczestniczyć w charakter obserwator z prawo dostęp do wszelkich dokument pracownik komórka organizacyjny w ministerstwo finanse właściwy do sprawa rachunkowość i rewizja finansowy upoważnieni przez komisja nadzór audytowy\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "employee of an organisational unit of the ministry of finance responsible for financial accounting and audit authorise by the audit oversight commission may participate in the ad hoc nsc control as observer have the right to access any document\n", + "employee of an organisational unit of the ministry of finance responsible for financial accounting and audit badanie sprawozdania finansowego authorise by the audit oversight commission may participate in the ad hoc nsc control as observer have the right to access any document\n", + "w kontrola doraźny kkn móc uczestniczyć w charakter obserwator z prawo dostęp do wszelkich dokument pracownik komórka organizacyjny w ministerstwo finanse właściwy do sprawa rachunkowość i rewizja finansowy upoważnieni przez komisja nadzór audytowy\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "employee of an organisational unit of the ministry of finance responsible for financial accounting and audit authorise by the audit oversight commission may participate in the ad hoc nsc control as observer have the right to access any document\n", + "employee of an organisational unit of the ministry of finance responsible for financial accounting and audit authorise by the audit oversight commission prowizje may participate in the ad hoc nsc control as observer have the right to access any document\n", + "w kontrola doraźny kkn móc uczestniczyć w charakter obserwator z prawo dostęp do wszelkich dokument pracownik komórka organizacyjny w ministerstwo finanse właściwy do sprawa rachunkowość i rewizja finansowy upoważnieni przez komisja nadzór audytowy\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 57.142857142857146, array(['aktywa'], dtype=object)]\n", + "summary of the policy apply to the group s intangible asset be as follow\n", + "summary of the policy apply to the group s aktywa intangible asset be as follow\n", + "podsumowanie zasada stosowany w odniesienie do aktywa materialny grupa przedstawiać się następująco\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "summary of the policy apply to the group s intangible asset be as follow\n", + "summary of the policy apply to the group grupa kapitałowa s intangible asset be as follow\n", + "podsumowanie zasada stosowany w odniesienie do aktywa materialny grupa przedstawiać się następująco\n", + "=====================================================================\n", + "[('intangible asset', 100.0, 660), 51.851851851851855, array(['wartości niematerialne i prawne'], dtype=object)]\n", + "summary of the policy apply to the group s intangible asset be as follow\n", + "summary of the policy apply to the group s intangible asset wartości niematerialne i prawne be as follow\n", + "podsumowanie zasada stosowany w odniesienie do aktywa materialny grupa przedstawiać się następująco\n", + "=====================================================================\n", + "[('tangible asset', 100.0, 1079), 56.0, array(['środki trwałe'], dtype=object)]\n", + "summary of the policy apply to the group s intangible asset be as follow\n", + "summary of the policy apply to the group s intangible asset środki trwałe be as follow\n", + "podsumowanie zasada stosowany w odniesienie do aktywa materialny grupa przedstawiać się następująco\n", + "=====================================================================\n", + "[('employee benefit', 100.0, 446), 31.25, array(['świadczenia pracownicze'], dtype=object)]\n", + "employee benefit expense\n", + "employee benefit świadczenia pracownicze expense\n", + "koszt świadczenie pracowniczy\n", + "=====================================================================\n", + "[('expense', 100.0, 479), 54.54545454545455, array(['koszt'], dtype=object)]\n", + "employee benefit expense\n", + "employee benefit koszt expense\n", + "koszt świadczenie pracowniczy\n", + "=====================================================================\n", + "[('tax expense', 90.0, 1096), 42.10526315789474, array(['odroczony podatek dochodowy'], dtype=object)]\n", + "employee benefit expense\n", + "employee benefit odroczony podatek dochodowy expense\n", + "koszt świadczenie pracowniczy\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 66.66666666666666, array(['aktywa'], dtype=object)]\n", + "the follow table show the comparison of carry amount and fair value of all financial instrument of the group by class and category of financial asset and liability\n", + "the follow table show the comparison of carry amount and fair value of all financial instrument of the group by class and category of financial asset aktywa and liability\n", + "poniższy tabela przedstawiać porównanie wartość bilansowy i wartość godziwy wszystkich instrument finansowy grupa w podział na poszczególny klasa i kategoria aktywa i zobowiązanie\n", + "=====================================================================\n", + "[('fair value', 100.0, 497), 50.0, array(['wartość godziwa'], dtype=object)]\n", + "the follow table show the comparison of carry amount and fair value of all financial instrument of the group by class and category of financial asset and liability\n", + "the follow table show the comparison of carry amount and fair value wartość godziwa of all financial instrument of the group by class and category of financial asset and liability\n", + "poniższy tabela przedstawiać porównanie wartość bilansowy i wartość godziwy wszystkich instrument finansowy grupa w podział na poszczególny klasa i kategoria aktywa i zobowiązanie\n", + "=====================================================================\n", + "[('financial asset', 100.0, 514), 53.84615384615385, array(['aktywa finansowe'], dtype=object)]\n", + "the follow table show the comparison of carry amount and fair value of all financial instrument of the group by class and category of financial asset and liability\n", + "the follow table show the comparison of carry amount and fair value of all financial instrument of the group by class and category of financial asset aktywa finansowe and liability\n", + "poniższy tabela przedstawiać porównanie wartość bilansowy i wartość godziwy wszystkich instrument finansowy grupa w podział na poszczególny klasa i kategoria aktywa i zobowiązanie\n", + "=====================================================================\n", + "[('financial instrument', 100.0, 516), 76.47058823529412, array(['instrumenty finansowe'], dtype=object)]\n", + "the follow table show the comparison of carry amount and fair value of all financial instrument of the group by class and category of financial asset and liability\n", + "the follow table show the comparison of carry amount and fair value of all financial instrument instrumenty finansowe of the group by class and category of financial asset and liability\n", + "poniższy tabela przedstawiać porównanie wartość bilansowy i wartość godziwy wszystkich instrument finansowy grupa w podział na poszczególny klasa i kategoria aktywa i zobowiązanie\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "the follow table show the comparison of carry amount and fair value of all financial instrument of the group by class and category of financial asset and liability\n", + "the follow table show the comparison of carry amount and fair value of all financial instrument of the group grupa kapitałowa by class and category of financial asset and liability\n", + "poniższy tabela przedstawiać porównanie wartość bilansowy i wartość godziwy wszystkich instrument finansowy grupa w podział na poszczególny klasa i kategoria aktywa i zobowiązanie\n", + "=====================================================================\n", + "[('vie', 100.0, 1157), 80.0, array(['podmiot o zmiennych udziałach'], dtype=object)]\n", + "any deviation fall below this amount be not to be consider as review criterion for the respective spi as stipulate in clause 2 1 of the aппex 4\n", + "any deviation fall below this amount be not to be consider as review podmiot o zmiennych udziałach criterion for the respective spi as stipulate in clause 2 1 of the aппex 4\n", + "wszelkie odchylenie poniżej tej kwota nie być uważane za spełniające kryterium rewizja dla odpowiedni spi określony w ust 2 1 załącznik 4\n", + "=====================================================================\n", + "[('goodwill', 100.0, 584), 36.36363636363637, array(['wartość firmy'], dtype=object)]\n", + "carry amount of goodwill\n", + "carry amount of wartość firmy goodwill\n", + "wartość bilansowy wartość firma\n", + "=====================================================================\n", + "[('liability', 100.0, 716), 100.0, array(['zobowiązania'], dtype=object)]\n", + "the fulfilment of the above mention risk may result in reputational and financial loss and additionally administrative civil and criminal liability\n", + "the fulfilment of the above mention risk may result in reputational and financial loss and additionally administrative civil zobowiązania and criminal liability\n", + "zmaterializować się powyższy ryzyko móc skutkować strata finansowy reputacyjnymi odpowiedzialność administracyjny cywilny i karny\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 50.0, array(['strata'], dtype=object)]\n", + "the fulfilment of the above mention risk may result in reputational and financial loss and additionally administrative civil and criminal liability\n", + "the fulfilment of the above mention risk may result in reputational and financial loss strata and additionally administrative civil and criminal liability\n", + "zmaterializować się powyższy ryzyko móc skutkować strata finansowy reputacyjnymi odpowiedzialność administracyjny cywilny i karny\n", + "=====================================================================\n", + "[('reliability', 90.0, 959), 100.0, array(['wiarygodność'], dtype=object)]\n", + "the fulfilment of the above mention risk may result in reputational and financial loss and additionally administrative civil and criminal liability\n", + "the fulfilment of the above mention risk may result wiarygodność in reputational and financial loss and additionally administrative civil and criminal liability\n", + "zmaterializować się powyższy ryzyko móc skutkować strata finansowy reputacyjnymi odpowiedzialność administracyjny cywilny i karny\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the party to the cooperation agreement shall meet at least once a year within no less than 10 and no long than 45 day after the statutory auditor present the report on the audit of the annual financial statement for the previous financial year\n", + "the party to the cooperation agreement shall meet at least once a badanie sprawozdania finansowego year within no less than 10 and no long than 45 day after the statutory auditor present the report on the audit of the annual financial statement for the previous financial year\n", + "zebranie strona umowa o współpraca odbywać się co mało raz w rok w termin nie krótki niż 10 i nie długi niż 45 dzień od dzień przedstawienie przez biegły rewident sprawozdanie z badanie roczny sprawa zdanie finansowy za poprzedni rok obrotowy\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "the party to the cooperation agreement shall meet at least once a year within no less than 10 and no long than 45 day after the statutory auditor present the report on the audit of the annual financial statement for the previous financial year\n", + "the party to biegły rewident the cooperation agreement shall meet at least once a year within no less than 10 and no long than 45 day after the statutory auditor present the report on the audit of the annual financial statement for the previous financial year\n", + "zebranie strona umowa o współpraca odbywać się co mało raz w rok w termin nie krótki niż 10 i nie długi niż 45 dzień od dzień przedstawienie przez biegły rewident sprawozdanie z badanie roczny sprawa zdanie finansowy za poprzedni rok obrotowy\n", + "=====================================================================\n", + "[('coo', 100.0, 184), 100.0, array(['dyrektor operacyjny'], dtype=object)]\n", + "the party to the cooperation agreement shall meet at least once a year within no less than 10 and no long than 45 day after the statutory auditor present the report on the audit of the annual financial statement for the previous financial year\n", + "the party to the cooperation dyrektor operacyjny agreement shall meet at least once a year within no less than 10 and no long than 45 day after the statutory auditor present the report on the audit of the annual financial statement for the previous financial year\n", + "zebranie strona umowa o współpraca odbywać się co mało raz w rok w termin nie krótki niż 10 i nie długi niż 45 dzień od dzień przedstawienie przez biegły rewident sprawozdanie z badanie roczny sprawa zdanie finansowy za poprzedni rok obrotowy\n", + "=====================================================================\n", + "[('financial statement', 100.0, 526), 60.0, array(['sprawozdanie finansowe'], dtype=object)]\n", + "the party to the cooperation agreement shall meet at least once a year within no less than 10 and no long than 45 day after the statutory auditor present the report on the audit of the annual financial statement for the previous financial year\n", + "the party to the cooperation agreement shall meet at least once a year within no less than 10 and no long than 45 day after the statutory auditor present the report on the audit of the annual financial statement sprawozdanie finansowe for the previous financial year\n", + "zebranie strona umowa o współpraca odbywać się co mało raz w rok w termin nie krótki niż 10 i nie długi niż 45 dzień od dzień przedstawienie przez biegły rewident sprawozdanie z badanie roczny sprawa zdanie finansowy za poprzedni rok obrotowy\n", + "=====================================================================\n", + "[('report', 100.0, 963), 100.0, array(['sprawozdawczość'], dtype=object)]\n", + "the party to the cooperation agreement shall meet at least once a year within no less than 10 and no long than 45 day after the statutory auditor present the report on the audit of the annual financial statement for the previous financial year\n", + "the party to the cooperation agreement shall meet at least once a year within no less than 10 and no long than 45 day after the statutory auditor present the report sprawozdawczość on the audit of the annual financial statement for the previous financial year\n", + "zebranie strona umowa o współpraca odbywać się co mało raz w rok w termin nie krótki niż 10 i nie długi niż 45 dzień od dzień przedstawienie przez biegły rewident sprawozdanie z badanie roczny sprawa zdanie finansowy za poprzedni rok obrotowy\n", + "=====================================================================\n", + "[('provision', 100.0, 909), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "in any case not regulate in this act the follow provision shall apply to the disciplinary proceeding 1 the act of 6 june 1997 code of criminal procedure dz\n", + "in any case not regulate in this act the follow provision rezerwa shall apply to the disciplinary proceeding 1 the act of 6 june 1997 code of criminal procedure dz\n", + "w sprawa nieuregulowanych w niniejszy ustawa do postępowanie dyscyplinarny stosować się odpo wiednio przepis 1 ustawa z dzień 6 czerwiec 1997 r kodeks postępowanie karny dz\n", + "=====================================================================\n", + "[('provision', 100.0, 911), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "in any case not regulate in this act the follow provision shall apply to the disciplinary proceeding 1 the act of 6 june 1997 code of criminal procedure dz\n", + "in any case not regulate in this act the follow provision rezerwa shall apply to the disciplinary proceeding 1 the act of 6 june 1997 code of criminal procedure dz\n", + "w sprawa nieuregulowanych w niniejszy ustawa do postępowanie dyscyplinarny stosować się odpo wiednio przepis 1 ustawa z dzień 6 czerwiec 1997 r kodeks postępowanie karny dz\n", + "=====================================================================\n", + "[('provision', 100.0, 909), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "the provision of article 95 and article 106 passage 4 shall apply accordingly 5\n", + "the provision rezerwa of article 95 and article 106 passage 4 shall apply accordingly 5\n", + "przepis art 95 i art 106 ust 4 stosować się odpowiednio 5\n", + "=====================================================================\n", + "[('provision', 100.0, 911), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "the provision of article 95 and article 106 passage 4 shall apply accordingly 5\n", + "the provision rezerwa of article 95 and article 106 passage 4 shall apply accordingly 5\n", + "przepis art 95 i art 106 ust 4 stosować się odpowiednio 5\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 66.66666666666666, array(['aktywa'], dtype=object)]\n", + "include in the goodwill of pln thousand recognise above be certain intangible asset that can not be individually separate from the acquiree or reliably measure due to their nature\n", + "include in the goodwill of pln thousand recognise above be certain intangible asset aktywa that can not be individually separate from the acquiree or reliably measure due to their nature\n", + "w ujętej powyżej wartość firma w wysokość tysiąc pln zawierać się pewne aktywa materialny których nie można wyodrębnić w jednostka przejęty ani wycenić w sposób wiarygodny z uwaga na on charakter\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 50.0, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "include in the goodwill of pln thousand recognise above be certain intangible asset that can not be individually separate from the acquiree or reliably measure due to their nature\n", + "include in the goodwill of pln thousand recognise koszty sprzedanych produktów, towarów i materiałów above be certain intangible asset that can not be individually separate from the acquiree or reliably measure due to their nature\n", + "w ujętej powyżej wartość firma w wysokość tysiąc pln zawierać się pewne aktywa materialny których nie można wyodrębnić w jednostka przejęty ani wycenić w sposób wiarygodny z uwaga na on charakter\n", + "=====================================================================\n", + "[('goodwill', 100.0, 584), 100.0, array(['wartość firmy'], dtype=object)]\n", + "include in the goodwill of pln thousand recognise above be certain intangible asset that can not be individually separate from the acquiree or reliably measure due to their nature\n", + "include in the goodwill wartość firmy of pln thousand recognise above be certain intangible asset that can not be individually separate from the acquiree or reliably measure due to their nature\n", + "w ujętej powyżej wartość firma w wysokość tysiąc pln zawierać się pewne aktywa materialny których nie można wyodrębnić w jednostka przejęty ani wycenić w sposób wiarygodny z uwaga na on charakter\n", + "=====================================================================\n", + "[('intangible asset', 100.0, 660), 60.0, array(['wartości niematerialne i prawne'], dtype=object)]\n", + "include in the goodwill of pln thousand recognise above be certain intangible asset that can not be individually separate from the acquiree or reliably measure due to their nature\n", + "include in the goodwill of pln thousand recognise above be certain intangible asset wartości niematerialne i prawne that can not be individually separate from the acquiree or reliably measure due to their nature\n", + "w ujętej powyżej wartość firma w wysokość tysiąc pln zawierać się pewne aktywa materialny których nie można wyodrębnić w jednostka przejęty ani wycenić w sposób wiarygodny z uwaga na on charakter\n", + "=====================================================================\n", + "[('tangible asset', 100.0, 1079), 55.55555555555556, array(['środki trwałe'], dtype=object)]\n", + "include in the goodwill of pln thousand recognise above be certain intangible asset that can not be individually separate from the acquiree or reliably measure due to their nature\n", + "include in the goodwill of pln thousand recognise above be certain intangible asset środki trwałe that can not be individually separate from the acquiree or reliably measure due to their nature\n", + "w ujętej powyżej wartość firma w wysokość tysiąc pln zawierać się pewne aktywa materialny których nie można wyodrębnić w jednostka przejęty ani wycenić w sposób wiarygodny z uwaga na on charakter\n", + "=====================================================================\n", + "[('goodwill', 100.0, 584), 25.0, array(['wartość firmy'], dtype=object)]\n", + "goodwill at the beginning of the period\n", + "goodwill wartość firmy at the beginning of the period\n", + "wartość firma na początek okres\n", + "=====================================================================\n", + "[('budget', 100.0, 168), 80.0, array(['budżet'], dtype=object)]\n", + "a part of the fee for supervision refer to in passage 3 shall be the difference between the amount of pln 3 5 million constituting forecast cost of oversight of the public interest entity in 2017 and the amount due to the state budget in the amount of 20 of the fee for oversight for 2016 refer to in article 30 passage 1 of the act repeal in article 301\n", + "a part of the fee for supervision refer to in passage 3 shall be the difference between the amount of pln 3 5 million constituting forecast cost of oversight of the public interest entity in 2017 and the amount due to the state budget budżet in the amount of 20 of the fee for oversight for 2016 refer to in article 30 passage 1 of the act repeal in article 301\n", + "część opłata z tytuł nadzór o której mowa w ust 3 stanowić różnica pomiędzy kwota 3 5 mln złoty stanowiącą prognozowane koszt nadzór nad badanie jednostka zainteresowanie publiczny w 2017 r a kwota należny do budże tu państwo w wysokość 20 opłata z tytuł nadzór za 2016 r o której mowa w art 30 ust 1 ustawa uchylanej w art 301\n", + "=====================================================================\n", + "[('cost', 100.0, 303), 100.0, array(['koszt', 'koszty'], dtype=object)]\n", + "a part of the fee for supervision refer to in passage 3 shall be the difference between the amount of pln 3 5 million constituting forecast cost of oversight of the public interest entity in 2017 and the amount due to the state budget in the amount of 20 of the fee for oversight for 2016 refer to in article 30 passage 1 of the act repeal in article 301\n", + "a part of the fee for supervision refer to in passage 3 shall be the difference between the amount of pln 3 5 million constituting forecast cost koszt of oversight of the public interest entity in 2017 and the amount due to the state budget in the amount of 20 of the fee for oversight for 2016 refer to in article 30 passage 1 of the act repeal in article 301\n", + "część opłata z tytuł nadzór o której mowa w ust 3 stanowić różnica pomiędzy kwota 3 5 mln złoty stanowiącą prognozowane koszt nadzór nad badanie jednostka zainteresowanie publiczny w 2017 r a kwota należny do budże tu państwo w wysokość 20 opłata z tytuł nadzór za 2016 r o której mowa w art 30 ust 1 ustawa uchylanej w art 301\n", + "=====================================================================\n", + "[('cost', 100.0, 324), 100.0, array(['koszt', 'koszty'], dtype=object)]\n", + "a part of the fee for supervision refer to in passage 3 shall be the difference between the amount of pln 3 5 million constituting forecast cost of oversight of the public interest entity in 2017 and the amount due to the state budget in the amount of 20 of the fee for oversight for 2016 refer to in article 30 passage 1 of the act repeal in article 301\n", + "a part of the fee for supervision refer to in passage 3 shall be the difference between the amount of pln 3 5 million constituting forecast cost koszt of oversight of the public interest entity in 2017 and the amount due to the state budget in the amount of 20 of the fee for oversight for 2016 refer to in article 30 passage 1 of the act repeal in article 301\n", + "część opłata z tytuł nadzór o której mowa w ust 3 stanowić różnica pomiędzy kwota 3 5 mln złoty stanowiącą prognozowane koszt nadzór nad badanie jednostka zainteresowanie publiczny w 2017 r a kwota należny do budże tu państwo w wysokość 20 opłata z tytuł nadzór za 2016 r o której mowa w art 30 ust 1 ustawa uchylanej w art 301\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 60.0, array(['jednostka'], dtype=object)]\n", + "a part of the fee for supervision refer to in passage 3 shall be the difference between the amount of pln 3 5 million constituting forecast cost of oversight of the public interest entity in 2017 and the amount due to the state budget in the amount of 20 of the fee for oversight for 2016 refer to in article 30 passage 1 of the act repeal in article 301\n", + "a part of the fee for supervision refer to in passage 3 shall be the difference between the amount of pln 3 5 million constituting forecast cost of oversight of the public interest entity jednostka in 2017 and the amount due to the state budget in the amount of 20 of the fee for oversight for 2016 refer to in article 30 passage 1 of the act repeal in article 301\n", + "część opłata z tytuł nadzór o której mowa w ust 3 stanowić różnica pomiędzy kwota 3 5 mln złoty stanowiącą prognozowane koszt nadzór nad badanie jednostka zainteresowanie publiczny w 2017 r a kwota należny do budże tu państwo w wysokość 20 opłata z tytuł nadzór za 2016 r o której mowa w art 30 ust 1 ustawa uchylanej w art 301\n", + "=====================================================================\n", + "[('interest', 100.0, 664), 100.0, array(['odsetki'], dtype=object)]\n", + "a part of the fee for supervision refer to in passage 3 shall be the difference between the amount of pln 3 5 million constituting forecast cost of oversight of the public interest entity in 2017 and the amount due to the state budget in the amount of 20 of the fee for oversight for 2016 refer to in article 30 passage 1 of the act repeal in article 301\n", + "a part of the fee for supervision refer to in odsetki passage 3 shall be the difference between the amount of pln 3 5 million constituting forecast cost of oversight of the public interest entity in 2017 and the amount due to the state budget in the amount of 20 of the fee for oversight for 2016 refer to in article 30 passage 1 of the act repeal in article 301\n", + "część opłata z tytuł nadzór o której mowa w ust 3 stanowić różnica pomiędzy kwota 3 5 mln złoty stanowiącą prognozowane koszt nadzór nad badanie jednostka zainteresowanie publiczny w 2017 r a kwota należny do budże tu państwo w wysokość 20 opłata z tytuł nadzór za 2016 r o której mowa w art 30 ust 1 ustawa uchylanej w art 301\n", + "=====================================================================\n", + "[('interest', 100.0, 664), 60.0, array(['odsetki'], dtype=object)]\n", + "interest on loan and borrowing\n", + "interest odsetki on loan and borrowing\n", + "odsetka od kredyt bankowy\n", + "=====================================================================\n", + "[('loan a', 100.0, 722), 44.44444444444444, array(['kredyt (udzielony)'], dtype=object)]\n", + "interest on loan and borrowing\n", + "interest on loan and kredyt (udzielony) borrowing\n", + "odsetka od kredyt bankowy\n", + "=====================================================================\n", + "[('figure', 100.0, 503), 50.0, array(['liczby'], dtype=object)]\n", + "forecast figure be use if datum be publicly available otherwise past actual raw material price movement have be use as an indicator of future price movement\n", + "forecast figure liczby be use if datum be publicly available otherwise past actual raw material price movement have be use as an indicator of future price movement\n", + "prognozowane dana stosować się wtedy gdy są powszechnie dostępny w przeciwny raz jako wskaźnik przyszły zmiana cena stosować się dana dotyczące zmiana stan surowiec w przeszłość\n", + "=====================================================================\n", + "[('movement', 100.0, 767), 57.142857142857146, array(['zmiana stanu'], dtype=object)]\n", + "forecast figure be use if datum be publicly available otherwise past actual raw material price movement have be use as an indicator of future price movement\n", + "forecast figure be use if datum be publicly available otherwise past actual raw material price movement zmiana stanu have be use as an indicator of future price movement\n", + "prognozowane dana stosować się wtedy gdy są powszechnie dostępny w przeciwny raz jako wskaźnik przyszły zmiana cena stosować się dana dotyczące zmiana stan surowiec w przeszłość\n", + "=====================================================================\n", + "[('cash', 100.0, 203), 100.0, array(['środki pieniężne'], dtype=object)]\n", + "the documentation include identification of the hedge instrument the hedge item or transaction the nature of the risk be hedge and how the entity will assess the hedge instrument s effectiveness in offset the exposure to change in the hedge item s fair value or cash flow attributable to the hedged risk\n", + "the documentation include identification of the hedge instrument the hedge item or transaction the nature of the risk be hedge and how the entity will assess the hedge instrument s środki pieniężne effectiveness in offset the exposure to change in the hedge item s fair value or cash flow attributable to the hedged risk\n", + "dokumentacja zawierać identyfikacja instrument zabezpieczający zabezpieczanej pozycja lub transakcja charakter zabezpieczanego ryzyko a także sposób ocena efektywność instrument zabezpieczający w kompensowaniu zagrożenie zmiana wartość godziwy zabezpieczanej pozycja lub przepływ pieniężny związanych z zabezpieczanym ryzyko\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 66.66666666666666, array(['jednostka'], dtype=object)]\n", + "the documentation include identification of the hedge instrument the hedge item or transaction the nature of the risk be hedge and how the entity will assess the hedge instrument s effectiveness in offset the exposure to change in the hedge item s fair value or cash flow attributable to the hedged risk\n", + "the documentation include identification of the hedge instrument the hedge item or transaction the nature of the risk be hedge and how the entity jednostka will assess the hedge instrument s effectiveness in offset the exposure to change in the hedge item s fair value or cash flow attributable to the hedged risk\n", + "dokumentacja zawierać identyfikacja instrument zabezpieczający zabezpieczanej pozycja lub transakcja charakter zabezpieczanego ryzyko a także sposób ocena efektywność instrument zabezpieczający w kompensowaniu zagrożenie zmiana wartość godziwy zabezpieczanej pozycja lub przepływ pieniężny związanych z zabezpieczanym ryzyko\n", + "=====================================================================\n", + "[('fair value', 100.0, 497), 53.333333333333336, array(['wartość godziwa'], dtype=object)]\n", + "the documentation include identification of the hedge instrument the hedge item or transaction the nature of the risk be hedge and how the entity will assess the hedge instrument s effectiveness in offset the exposure to change in the hedge item s fair value or cash flow attributable to the hedged risk\n", + "the documentation include identification of the hedge instrument the hedge item or transaction the nature of the risk be hedge and how the entity will assess the hedge instrument s effectiveness in offset the exposure to change in the hedge item s fair value wartość godziwa or cash flow attributable to the hedged risk\n", + "dokumentacja zawierać identyfikacja instrument zabezpieczający zabezpieczanej pozycja lub transakcja charakter zabezpieczanego ryzyko a także sposób ocena efektywność instrument zabezpieczający w kompensowaniu zagrożenie zmiana wartość godziwy zabezpieczanej pozycja lub przepływ pieniężny związanych z zabezpieczanym ryzyko\n", + "=====================================================================\n", + "[('hedge', 100.0, 600), 50.0, array(['transakcje zabezpieczające'], dtype=object)]\n", + "the documentation include identification of the hedge instrument the hedge item or transaction the nature of the risk be hedge and how the entity will assess the hedge instrument s effectiveness in offset the exposure to change in the hedge item s fair value or cash flow attributable to the hedged risk\n", + "the documentation include identification of the hedge transakcje zabezpieczające instrument the hedge item or transaction the nature of the risk be hedge and how the entity will assess the hedge instrument s effectiveness in offset the exposure to change in the hedge item s fair value or cash flow attributable to the hedged risk\n", + "dokumentacja zawierać identyfikacja instrument zabezpieczający zabezpieczanej pozycja lub transakcja charakter zabezpieczanego ryzyko a także sposób ocena efektywność instrument zabezpieczający w kompensowaniu zagrożenie zmiana wartość godziwy zabezpieczanej pozycja lub przepływ pieniężny związanych z zabezpieczanym ryzyko\n", + "=====================================================================\n", + "[('sac', 100.0, 993), 100.0, array(['komisje doradcze ds. standardów'], dtype=object)]\n", + "the documentation include identification of the hedge instrument the hedge item or transaction the nature of the risk be hedge and how the entity will assess the hedge instrument s effectiveness in offset the exposure to change in the hedge item s fair value or cash flow attributable to the hedged risk\n", + "the documentation include identification of the hedge instrument the hedge item or transaction komisje doradcze ds. standardów the nature of the risk be hedge and how the entity will assess the hedge instrument s effectiveness in offset the exposure to change in the hedge item s fair value or cash flow attributable to the hedged risk\n", + "dokumentacja zawierać identyfikacja instrument zabezpieczający zabezpieczanej pozycja lub transakcja charakter zabezpieczanego ryzyko a także sposób ocena efektywność instrument zabezpieczający w kompensowaniu zagrożenie zmiana wartość godziwy zabezpieczanej pozycja lub przepływ pieniężny związanych z zabezpieczanym ryzyko\n", + "=====================================================================\n", + "[('transfer pricing', 100.0, 1127), 38.46153846153846, array(['ceny transferowe'], dtype=object)]\n", + "management response 9 transfer pricing documentation\n", + "management response 9 transfer pricing ceny transferowe documentation\n", + "odpowiedź zarząd 9 dokumentacja cena transferowy\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the report of the statutory auditor contain the opinion of the statutory auditor shall be publish along with the report on the solvency and financial condition d in passage 4 item 4 shall be replace by the following 4 the possibility to refuse to express an opinion or to express an opinion with reservation e passage 5 shall be replace by the following 5\n", + "the report of the statutory auditor badanie sprawozdania finansowego contain the opinion of the statutory auditor shall be publish along with the report on the solvency and financial condition d in passage 4 item 4 shall be replace by the following 4 the possibility to refuse to express an opinion or to express an opinion with reservation e passage 5 shall be replace by the following 5\n", + "sprawozdanie biegły rewident zawierające opinia biegły rewident jest publikowane razem z sprawozdanie o wypłacalność i kondycja finansowy d w ust 4 pkt 4 otrzymywać brzmienie 4 możliwość odmowa wyrażenie opinia lub wyrażenie opinia z zastrzeżenie e ust 5 otrzymywać brzmienie 5\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "the report of the statutory auditor contain the opinion of the statutory auditor shall be publish along with the report on the solvency and financial condition d in passage 4 item 4 shall be replace by the following 4 the possibility to refuse to express an opinion or to express an opinion with reservation e passage 5 shall be replace by the following 5\n", + "the report of the statutory auditor biegły rewident contain the opinion of the statutory auditor shall be publish along with the report on the solvency and financial condition d in passage 4 item 4 shall be replace by the following 4 the possibility to refuse to express an opinion or to express an opinion with reservation e passage 5 shall be replace by the following 5\n", + "sprawozdanie biegły rewident zawierające opinia biegły rewident jest publikowane razem z sprawozdanie o wypłacalność i kondycja finansowy d w ust 4 pkt 4 otrzymywać brzmienie 4 możliwość odmowa wyrażenie opinia lub wyrażenie opinia z zastrzeżenie e ust 5 otrzymywać brzmienie 5\n", + "=====================================================================\n", + "[('report', 100.0, 963), 100.0, array(['sprawozdawczość'], dtype=object)]\n", + "the report of the statutory auditor contain the opinion of the statutory auditor shall be publish along with the report on the solvency and financial condition d in passage 4 item 4 shall be replace by the following 4 the possibility to refuse to express an opinion or to express an opinion with reservation e passage 5 shall be replace by the following 5\n", + "the report sprawozdawczość of the statutory auditor contain the opinion of the statutory auditor shall be publish along with the report on the solvency and financial condition d in passage 4 item 4 shall be replace by the following 4 the possibility to refuse to express an opinion or to express an opinion with reservation e passage 5 shall be replace by the following 5\n", + "sprawozdanie biegły rewident zawierające opinia biegły rewident jest publikowane razem z sprawozdanie o wypłacalność i kondycja finansowy d w ust 4 pkt 4 otrzymywać brzmienie 4 możliwość odmowa wyrażenie opinia lub wyrażenie opinia z zastrzeżenie e ust 5 otrzymywać brzmienie 5\n", + "=====================================================================\n", + "[('vat', 100.0, 1156), 66.66666666666666, array(['vat'], dtype=object)]\n", + "the report of the statutory auditor contain the opinion of the statutory auditor shall be publish along with the report on the solvency and financial condition d in passage 4 item 4 shall be replace by the following 4 the possibility to refuse to express an opinion or to express an opinion with reservation e passage 5 shall be replace by the following 5\n", + "the report of the statutory auditor contain the opinion of the statutory auditor shall be publish along with the report on the solvency and financial condition d in passage 4 item 4 shall be replace by the following 4 the possibility to refuse to express an opinion or to express an opinion with reservation vat e passage 5 shall be replace by the following 5\n", + "sprawozdanie biegły rewident zawierające opinia biegły rewident jest publikowane razem z sprawozdanie o wypłacalność i kondycja finansowy d w ust 4 pkt 4 otrzymywać brzmienie 4 możliwość odmowa wyrażenie opinia lub wyrażenie opinia z zastrzeżenie e ust 5 otrzymywać brzmienie 5\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 50.0, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "revenue be recognise when the significant risk and reward of ownership of the good have pass to the buyer and the amount of revenue can be reliably measure\n", + "revenue be recognise koszty sprzedanych produktów, towarów i materiałów when the significant risk and reward of ownership of the good have pass to the buyer and the amount of revenue can be reliably measure\n", + "przychód są ujmowane jeżeli znaczący ryzyka i korzyść wynikające z prawo własność do towar i produkt zostały przekazane nabywca oraz gdy kwota przychód można wycenić w wiarygodny sposób\n", + "=====================================================================\n", + "[('revenue', 100.0, 983), 44.44444444444444, array(['przychód'], dtype=object)]\n", + "revenue be recognise when the significant risk and reward of ownership of the good have pass to the buyer and the amount of revenue can be reliably measure\n", + "revenue przychód be recognise when the significant risk and reward of ownership of the good have pass to the buyer and the amount of revenue can be reliably measure\n", + "przychód są ujmowane jeżeli znaczący ryzyka i korzyść wynikające z prawo własność do towar i produkt zostały przekazane nabywca oraz gdy kwota przychód można wycenić w wiarygodny sposób\n", + "=====================================================================\n", + "[('account', 100.0, 13), 61.53846153846154, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "balance sheet statement of financial position as at profit and loss account statement of comprehensive income\n", + "balance sheet statement of financial position as at profit and loss account konto statement of comprehensive income\n", + "bilans sprawozdanie z sytuacja finansowy rachunek zysk i strat sprawozdanie z całkowity dochód\n", + "=====================================================================\n", + "[('account', 100.0, 25), 61.53846153846154, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "balance sheet statement of financial position as at profit and loss account statement of comprehensive income\n", + "balance sheet statement of financial position as at profit and loss account konto statement of comprehensive income\n", + "bilans sprawozdanie z sytuacja finansowy rachunek zysk i strat sprawozdanie z całkowity dochód\n", + "=====================================================================\n", + "[('account', 100.0, 57), 61.53846153846154, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "balance sheet statement of financial position as at profit and loss account statement of comprehensive income\n", + "balance sheet statement of financial position as at profit and loss account konto statement of comprehensive income\n", + "bilans sprawozdanie z sytuacja finansowy rachunek zysk i strat sprawozdanie z całkowity dochód\n", + "=====================================================================\n", + "[('balance', 100.0, 136), 72.72727272727272, array(['saldo'], dtype=object)]\n", + "balance sheet statement of financial position as at profit and loss account statement of comprehensive income\n", + "balance saldo sheet statement of financial position as at profit and loss account statement of comprehensive income\n", + "bilans sprawozdanie z sytuacja finansowy rachunek zysk i strat sprawozdanie z całkowity dochód\n", + "=====================================================================\n", + "[('balance sheet', 100.0, 137), 57.142857142857146, array(['bilans'], dtype=object)]\n", + "balance sheet statement of financial position as at profit and loss account statement of comprehensive income\n", + "balance sheet bilans statement of financial position as at profit and loss account statement of comprehensive income\n", + "bilans sprawozdanie z sytuacja finansowy rachunek zysk i strat sprawozdanie z całkowity dochód\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "audit of policy and procedure to ensure compliance check effectiveness of verification and completeness of the range of exist policy and procedure for compliance\n", + "audit badanie sprawozdania finansowego of policy and procedure to ensure compliance check effectiveness of verification and completeness of the range of exist policy and procedure for compliance\n", + "audyt polityka i procedura w zakres zapewnienie zgodność sprawdzenie weryfikacja skuteczność i kompletność zakres funkcjonujących polityka i procedura zgodność\n", + "=====================================================================\n", + "[('control', 100.0, 289), 22.22222222222223, array(['kontrola '], dtype=object)]\n", + "attributable to non controlling interest\n", + "attributable to non controlling kontrola interest\n", + "przypadające udział niekontrolującym\n", + "=====================================================================\n", + "[('interest', 100.0, 664), 28.57142857142857, array(['odsetki'], dtype=object)]\n", + "attributable to non controlling interest\n", + "attributable to odsetki non controlling interest\n", + "przypadające udział niekontrolującym\n", + "=====================================================================\n", + "[('account', 100.0, 13), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "in europe 60 of professionally manage asset be analyze in term of ethical requirement and accord to research make by ey 80 of investor in europe while make an investment decision take into account non financial information include quality of management of compliance with the law and ethical standard\n", + "in europe 60 of professionally manage asset be analyze in term of ethical requirement and accord to research make by ey 80 of investor in europe while make an investment decision take into account konto non financial information include quality of management of compliance with the law and ethical standard\n", + "w europa 60 profesjonalnie zarządzanych aktywa jest analizowanych pod kąt wymaganie etyczny a jak wynikać z badanie ey 80 inwestor w europa brać pod uwaga informacja finansowy w tym jakość zarządzanie zgodność z prawo i standard etyczny w podejmowaniu decyzja inwestycyjny\n", + "=====================================================================\n", + "[('account', 100.0, 25), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "in europe 60 of professionally manage asset be analyze in term of ethical requirement and accord to research make by ey 80 of investor in europe while make an investment decision take into account non financial information include quality of management of compliance with the law and ethical standard\n", + "in europe 60 of professionally manage asset be analyze in term of ethical requirement and accord to research make by ey 80 of investor in europe while make an investment decision take into account konto non financial information include quality of management of compliance with the law and ethical standard\n", + "w europa 60 profesjonalnie zarządzanych aktywa jest analizowanych pod kąt wymaganie etyczny a jak wynikać z badanie ey 80 inwestor w europa brać pod uwaga informacja finansowy w tym jakość zarządzanie zgodność z prawo i standard etyczny w podejmowaniu decyzja inwestycyjny\n", + "=====================================================================\n", + "[('account', 100.0, 57), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "in europe 60 of professionally manage asset be analyze in term of ethical requirement and accord to research make by ey 80 of investor in europe while make an investment decision take into account non financial information include quality of management of compliance with the law and ethical standard\n", + "in europe 60 of professionally manage asset be analyze in term of ethical requirement and accord to research make by ey 80 of investor in europe while make an investment decision take into account konto non financial information include quality of management of compliance with the law and ethical standard\n", + "w europa 60 profesjonalnie zarządzanych aktywa jest analizowanych pod kąt wymaganie etyczny a jak wynikać z badanie ey 80 inwestor w europa brać pod uwaga informacja finansowy w tym jakość zarządzanie zgodność z prawo i standard etyczny w podejmowaniu decyzja inwestycyjny\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 100.0, array(['aktywa'], dtype=object)]\n", + "in europe 60 of professionally manage asset be analyze in term of ethical requirement and accord to research make by ey 80 of investor in europe while make an investment decision take into account non financial information include quality of management of compliance with the law and ethical standard\n", + "in europe 60 of professionally manage asset aktywa be analyze in term of ethical requirement and accord to research make by ey 80 of investor in europe while make an investment decision take into account non financial information include quality of management of compliance with the law and ethical standard\n", + "w europa 60 profesjonalnie zarządzanych aktywa jest analizowanych pod kąt wymaganie etyczny a jak wynikać z badanie ey 80 inwestor w europa brać pod uwaga informacja finansowy w tym jakość zarządzanie zgodność z prawo i standard etyczny w podejmowaniu decyzja inwestycyjny\n", + "=====================================================================\n", + "[('erp', 100.0, 413), 66.66666666666666, array(['planowanie zasobów przedsiębiorstwa'], dtype=object)]\n", + "the market be continuously and rapidly grow which be underpin by global brand enter the agglomeration on a regular basis i e state street swarovski thyssenkrupp or expand the range of service they currently offer\n", + "the market be continuously and rapidly grow which be underpin planowanie zasobów przedsiębiorstwa by global brand enter the agglomeration on a regular basis i e state street swarovski thyssenkrupp or expand the range of service they currently offer\n", + "rynka biurowy stale i dynamicznie rosnąć co jest rezultat debiut coraz to nowy globalny marka w region takich jak state street swarovski czy thyssenkrupp oraz gwałtowny rozwój podmiot już obecny w trójmiasto\n", + "=====================================================================\n", + "[('accrual', 100.0, 61), 40.0, array(['bierne rozliczenia międzyokresowe kosztów na koniec okresu'],\n", + " dtype=object)]\n", + "change in accrual and prepayment\n", + "change in accrual bierne rozliczenia międzyokresowe kosztów na koniec okresu and prepayment\n", + "zmiana stan rozliczenie międzyokresowych\n", + "=====================================================================\n", + "[('prepayment', 100.0, 884), 40.0, array(['rozliczenia międzyokresowe kosztów,'], dtype=object)]\n", + "change in accrual and prepayment\n", + "change in rozliczenia międzyokresowe kosztów, accrual and prepayment\n", + "zmiana stan rozliczenie międzyokresowych\n", + "=====================================================================\n", + "[('financial statement', 100.0, 526), 60.0, array(['sprawozdanie finansowe'], dtype=object)]\n", + "the basis for the assessment be segment operating profit or loss which to some extent as show in the table below be measure differently than the operate profit or loss report in the consolidated financial statement\n", + "the basis for the assessment be segment sprawozdanie finansowe operating profit or loss which to some extent as show in the table below be measure differently than the operate profit or loss report in the consolidated financial statement\n", + "podstawa ocena wynik działalność jest zysk lub strata na działalność operacyjny które w pewnym zakres jak wyjaśnić w tabela poniżej są mierzone inaczej niż zysk lub strata na działalność operacyjny w skonsolidowanym sprawozdanie finansowy\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 66.66666666666666, array(['strata'], dtype=object)]\n", + "the basis for the assessment be segment operating profit or loss which to some extent as show in the table below be measure differently than the operate profit or loss report in the consolidated financial statement\n", + "the basis for the assessment be segment operating profit or loss strata which to some extent as show in the table below be measure differently than the operate profit or loss report in the consolidated financial statement\n", + "podstawa ocena wynik działalność jest zysk lub strata na działalność operacyjny które w pewnym zakres jak wyjaśnić w tabela poniżej są mierzone inaczej niż zysk lub strata na działalność operacyjny w skonsolidowanym sprawozdanie finansowy\n", + "=====================================================================\n", + "[('operating profit', 100.0, 812), 63.63636363636363, array(['zysk na działalności operacyjnej'], dtype=object)]\n", + "the basis for the assessment be segment operating profit or loss which to some extent as show in the table below be measure differently than the operate profit or loss report in the consolidated financial statement\n", + "the basis for the assessment be segment operating profit zysk na działalności operacyjnej or loss which to some extent as show in the table below be measure differently than the operate profit or loss report in the consolidated financial statement\n", + "podstawa ocena wynik działalność jest zysk lub strata na działalność operacyjny które w pewnym zakres jak wyjaśnić w tabela poniżej są mierzone inaczej niż zysk lub strata na działalność operacyjny w skonsolidowanym sprawozdanie finansowy\n", + "=====================================================================\n", + "[('profit', 100.0, 898), 60.0, array(['zysk'], dtype=object)]\n", + "the basis for the assessment be segment operating profit or loss which to some extent as show in the table below be measure differently than the operate profit or loss report in the consolidated financial statement\n", + "the basis for the assessment be segment operating profit zysk or loss which to some extent as show in the table below be measure differently than the operate profit or loss report in the consolidated financial statement\n", + "podstawa ocena wynik działalność jest zysk lub strata na działalność operacyjny które w pewnym zakres jak wyjaśnić w tabela poniżej są mierzone inaczej niż zysk lub strata na działalność operacyjny w skonsolidowanym sprawozdanie finansowy\n", + "=====================================================================\n", + "[('report', 100.0, 963), 57.142857142857146, array(['sprawozdawczość'], dtype=object)]\n", + "the basis for the assessment be segment operating profit or loss which to some extent as show in the table below be measure differently than the operate profit or loss report in the consolidated financial statement\n", + "the basis for the assessment be segment operating profit or sprawozdawczość loss which to some extent as show in the table below be measure differently than the operate profit or loss report in the consolidated financial statement\n", + "podstawa ocena wynik działalność jest zysk lub strata na działalność operacyjny które w pewnym zakres jak wyjaśnić w tabela poniżej są mierzone inaczej niż zysk lub strata na działalność operacyjny w skonsolidowanym sprawozdanie finansowy\n", + "=====================================================================\n", + "[('company', 100.0, 245), 100.0, array(['spółka kapitałowa'], dtype=object)]\n", + "10 20 30 40 50 60 70 80 90 0 100 25 year 25 34 year 35 44 year 45 year 13 61 21 5 employment structure of business service center by age of employee proportion in employment structure figure 28 employment structure of business services center in poland by job category source absl own study base on the result of a survey address to business service center n 207 company employ 137 000 employee\n", + "10 20 30 40 50 60 70 80 90 0 100 25 year 25 34 year 35 44 year 45 year 13 61 21 5 employment structure of business service center by age of employee proportion in employment structure figure 28 employment structure of business services center in poland by job category source absl own study base on the result of a spółka kapitałowa survey address to business service center n 207 company employ 137 000 employee\n", + "10 20 30 40 50 60 70 80 90 0 100 25 rok 25 34 rok 35 44 rok 45 rok i dużo 13 61 21 5 struktura zatrudnienie centrum usługi w podział na przedział wiekowy pracownik udział poszczególny kategoria stanowisko rycina 28 struktura zatrudnienie centrum usług w polsce w podział na kategoria stanowisko źródło opracowanie własny absl na podstawa wynik ankieta skierowanej do centrum usługi n 207 firma zatrudniających 137 000 pracownik\n", + "=====================================================================\n", + "[('figure', 100.0, 503), 100.0, array(['liczby'], dtype=object)]\n", + "10 20 30 40 50 60 70 80 90 0 100 25 year 25 34 year 35 44 year 45 year 13 61 21 5 employment structure of business service center by age of employee proportion in employment structure figure 28 employment structure of business services center in poland by job category source absl own study base on the result of a survey address to business service center n 207 company employ 137 000 employee\n", + "10 20 30 40 50 60 70 80 90 0 100 25 year 25 34 year 35 44 year 45 year 13 61 21 5 employment structure of business service center by age of employee proportion in employment structure figure liczby 28 employment structure of business services center in poland by job category source absl own study base on the result of a survey address to business service center n 207 company employ 137 000 employee\n", + "10 20 30 40 50 60 70 80 90 0 100 25 rok 25 34 rok 35 44 rok 45 rok i dużo 13 61 21 5 struktura zatrudnienie centrum usługi w podział na przedział wiekowy pracownik udział poszczególny kategoria stanowisko rycina 28 struktura zatrudnienie centrum usług w polsce w podział na kategoria stanowisko źródło opracowanie własny absl na podstawa wynik ankieta skierowanej do centrum usługi n 207 firma zatrudniających 137 000 pracownik\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 60.0, array(['aktywa'], dtype=object)]\n", + "lessee will be require to separately recognise the interest expense on the lease liability and the depreciation expense on the right of use asset\n", + "lessee aktywa will be require to separately recognise the interest expense on the lease liability and the depreciation expense on the right of use asset\n", + "leasingobiorca odrębnie ujmować amortyzacja składnik aktywa z tytuł prawo do użytkowanie i odsetka od zobowiązanie z tytuł leasing\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 50.0, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "lessee will be require to separately recognise the interest expense on the lease liability and the depreciation expense on the right of use asset\n", + "lessee will be require to separately recognise koszty sprzedanych produktów, towarów i materiałów the interest expense on the lease liability and the depreciation expense on the right of use asset\n", + "leasingobiorca odrębnie ujmować amortyzacja składnik aktywa z tytuł prawo do użytkowanie i odsetka od zobowiązanie z tytuł leasing\n", + "=====================================================================\n", + "[('depreciation', 100.0, 373), 100.0, array(['amortyzacja'], dtype=object)]\n", + "lessee will be require to separately recognise the interest expense on the lease liability and the depreciation expense on the right of use asset\n", + "lessee will be require to separately recognise the interest expense on amortyzacja the lease liability and the depreciation expense on the right of use asset\n", + "leasingobiorca odrębnie ujmować amortyzacja składnik aktywa z tytuł prawo do użytkowanie i odsetka od zobowiązanie z tytuł leasing\n", + "=====================================================================\n", + "[('depreciation expense', 100.0, 374), 37.5, array(['amortyzacja środków trwałych'], dtype=object)]\n", + "lessee will be require to separately recognise the interest expense on the lease liability and the depreciation expense on the right of use asset\n", + "lessee will be require to separately recognise the interest expense on the lease liability and the depreciation expense amortyzacja środków trwałych on the right of use asset\n", + "leasingobiorca odrębnie ujmować amortyzacja składnik aktywa z tytuł prawo do użytkowanie i odsetka od zobowiązanie z tytuł leasing\n", + "=====================================================================\n", + "[('expense', 100.0, 479), 44.44444444444444, array(['koszt'], dtype=object)]\n", + "lessee will be require to separately recognise the interest expense on the lease liability and the depreciation expense on the right of use asset\n", + "lessee will be require to separately recognise the interest expense koszt on the lease liability and the depreciation expense on the right of use asset\n", + "leasingobiorca odrębnie ujmować amortyzacja składnik aktywa z tytuł prawo do użytkowanie i odsetka od zobowiązanie z tytuł leasing\n", + "=====================================================================\n", + "[('note', 100.0, 791), 66.66666666666666, array(['informacja dodatkowa'], dtype=object)]\n", + "the assumption adopt for this purpose be present in note\n", + "the informacja dodatkowa assumption adopt for this purpose be present in note\n", + "przyjęty w tym cel założenie zostały przedstawione w nota\n", + "=====================================================================\n", + "[('c a', 100.0, 176), 66.66666666666666, array(['dyplomowany biegły rewident'], dtype=object)]\n", + "be fully integrate to the store team perform floor management coaching morning briefing etc and contribute to achieve the overall objective of the store\n", + "be fully integrate to the store team perform floor management coaching morning briefing etc and dyplomowany biegły rewident contribute to achieve the overall objective of the store\n", + "pełny integracja z zespół sklepowy zarządzanie powierzchnia sklepowy szkolenie briefing poranny itp oraz wnoszenie wkład w osiąganie ogólny cel sklep\n", + "=====================================================================\n", + "[('company', 100.0, 245), 66.66666666666666, array(['spółka kapitałowa'], dtype=object)]\n", + "no impact have be present on the company s equity or total comprehensive income\n", + "no impact have be present on the company spółka kapitałowa s equity or total comprehensive income\n", + "nie przedstawić wpływ na kapitała własny ani całkowity dochód ogółem spółki\n", + "=====================================================================\n", + "[('comprehensive income', 100.0, 253), 40.0, array(['zysk całkowity'], dtype=object)]\n", + "no impact have be present on the company s equity or total comprehensive income\n", + "no impact have be present on the company s equity or total comprehensive zysk całkowity income\n", + "nie przedstawić wpływ na kapitała własny ani całkowity dochód ogółem spółki\n", + "=====================================================================\n", + "[('equity', 100.0, 460), 66.66666666666666, array(['kapitał własny'], dtype=object)]\n", + "no impact have be present on the company s equity or total comprehensive income\n", + "no impact have be present on the company s equity kapitał własny or total comprehensive income\n", + "nie przedstawić wpływ na kapitała własny ani całkowity dochód ogółem spółki\n", + "=====================================================================\n", + "[('income', 100.0, 638), 50.0, array(['zysk'], dtype=object)]\n", + "no impact have be present on the company s equity or total comprehensive income\n", + "no impact have be zysk present on the company s equity or total comprehensive income\n", + "nie przedstawić wpływ na kapitała własny ani całkowity dochód ogółem spółki\n", + "=====================================================================\n", + "[('fee income', 88.88888888888889, 500), 35.294117647058826, array(['przychody z opłat'], dtype=object)]\n", + "no impact have be present on the company s equity or total comprehensive income\n", + "no impact have be present on the company przychody z opłat s equity or total comprehensive income\n", + "nie przedstawić wpływ na kapitała własny ani całkowity dochód ogółem spółki\n", + "=====================================================================\n", + "[('cap', 100.0, 178), 66.66666666666666, array(['dyplomowany księgowy'], dtype=object)]\n", + "capital and net debt\n", + "capital dyplomowany księgowy and net debt\n", + "kapitała i zadłużenie netto\n", + "=====================================================================\n", + "[('capital gain', 90.9090909090909, 190), 70.0, array(['zysk kapitałowy'], dtype=object)]\n", + "capital and net debt\n", + "capital and zysk kapitałowy net debt\n", + "kapitała i zadłużenie netto\n", + "=====================================================================\n", + "[('debit', 88.88888888888889, 349), 100.0, array(['debet'], dtype=object)]\n", + "capital and net debt\n", + "capital and debet net debt\n", + "kapitała i zadłużenie netto\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "upon the expungement refer to in passage 1 the president of the national chamber of statutory auditors order reference and document concern the punishment to be remove from the personal file of the statutory auditor\n", + "upon the expungement refer to in passage 1 the president of the national chamber of statutory auditors badanie sprawozdania finansowego order reference and document concern the punishment to be remove from the personal file of the statutory auditor\n", + "z chwila zatarcie o którym mowa w ust 1 prezes krajowy rada biegły rewident zarządzać usunięcie z akta osobowy biegły rewident wzmianka i dokument dotyczących ukarania\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "upon the expungement refer to in passage 1 the president of the national chamber of statutory auditors order reference and document concern the punishment to be remove from the personal file of the statutory auditor\n", + "upon the expungement refer to biegły rewident in passage 1 the president of the national chamber of statutory auditors order reference and document concern the punishment to be remove from the personal file of the statutory auditor\n", + "z chwila zatarcie o którym mowa w ust 1 prezes krajowy rada biegły rewident zarządzać usunięcie z akta osobowy biegły rewident wzmianka i dokument dotyczących ukarania\n", + "=====================================================================\n", + "[('fair value', 100.0, 497), 42.857142857142854, array(['wartość godziwa'], dtype=object)]\n", + "financial liability at fair value through profit or loss\n", + "financial liability at fair value wartość godziwa through profit or loss\n", + "zobowiązanie finansowy w wartość godziwy przez zysk lub strata\n", + "=====================================================================\n", + "[('liability', 100.0, 716), 50.0, array(['zobowiązania'], dtype=object)]\n", + "financial liability at fair value through profit or loss\n", + "financial liability zobowiązania at fair value through profit or loss\n", + "zobowiązanie finansowy w wartość godziwy przez zysk lub strata\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 50.0, array(['strata'], dtype=object)]\n", + "financial liability at fair value through profit or loss\n", + "financial liability at fair value through profit or strata loss\n", + "zobowiązanie finansowy w wartość godziwy przez zysk lub strata\n", + "=====================================================================\n", + "[('profit', 100.0, 898), 57.142857142857146, array(['zysk'], dtype=object)]\n", + "financial liability at fair value through profit or loss\n", + "financial liability at fair value through profit zysk or loss\n", + "zobowiązanie finansowy w wartość godziwy przez zysk lub strata\n", + "=====================================================================\n", + "[('par value', 88.88888888888889, 850), 46.15384615384615, array(['wartość nominalna'], dtype=object)]\n", + "financial liability at fair value through profit or loss\n", + "financial liability at fair value wartość nominalna through profit or loss\n", + "zobowiązanie finansowy w wartość godziwy przez zysk lub strata\n", + "=====================================================================\n", + "[('company', 100.0, 245), 61.53846153846154, array(['spółka kapitałowa'], dtype=object)]\n", + "overview of the business service sector 20 business services sector in poland 2017 an analysis of the employment structure in the sector in term of industry of the parent company of each business service center demonstrate that the majority of job be create by the it industry 30 and the commercial and professional service sector also 30\n", + "overview of the business service sector 20 business services sector in poland 2017 an spółka kapitałowa analysis of the employment structure in the sector in term of industry of the parent company of each business service center demonstrate that the majority of job be create by the it industry 30 and the commercial and professional service sector also 30\n", + "charakterystyka sektor nowoczesny usługi biznesowy 20 sektor nowoczesny usługi biznesowy w polska 2017 analiza struktura zatrudnienie sektor w zakres podział na branża firma macierzysty centrum usługi dowodzić że większość miejsce praca została wygenerowana przez branża it 30 oraz sektor usługa komercyjny i profesjonalny również 30\n", + "=====================================================================\n", + "[('vie', 100.0, 1157), 100.0, array(['podmiot o zmiennych udziałach'], dtype=object)]\n", + "overview of the business service sector 20 business services sector in poland 2017 an analysis of the employment structure in the sector in term of industry of the parent company of each business service center demonstrate that the majority of job be create by the it industry 30 and the commercial and professional service sector also 30\n", + "overview podmiot o zmiennych udziałach of the business service sector 20 business services sector in poland 2017 an analysis of the employment structure in the sector in term of industry of the parent company of each business service center demonstrate that the majority of job be create by the it industry 30 and the commercial and professional service sector also 30\n", + "charakterystyka sektor nowoczesny usługi biznesowy 20 sektor nowoczesny usługi biznesowy w polska 2017 analiza struktura zatrudnienie sektor w zakres podział na branża firma macierzysty centrum usługi dowodzić że większość miejsce praca została wygenerowana przez branża it 30 oraz sektor usługa komercyjny i profesjonalny również 30\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 50.0, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "a financial liability be derecognize by the company when the obligation under the liability be discharge or cancel or expire\n", + "a financial liability be derecognize koszty sprzedanych produktów, towarów i materiałów by the company when the obligation under the liability be discharge or cancel or expire\n", + "spółka wyłączać z swojego bilans zobowiązanie finansowy gdy zobowiązanie wygasnąć to znaczyć kiedy obowiązek określony w umowa został wypełniony umorzony lub wygasnąć\n", + "=====================================================================\n", + "[('company', 100.0, 245), 60.0, array(['spółka kapitałowa'], dtype=object)]\n", + "a financial liability be derecognize by the company when the obligation under the liability be discharge or cancel or expire\n", + "a spółka kapitałowa financial liability be derecognize by the company when the obligation under the liability be discharge or cancel or expire\n", + "spółka wyłączać z swojego bilans zobowiązanie finansowy gdy zobowiązanie wygasnąć to znaczyć kiedy obowiązek określony w umowa został wypełniony umorzony lub wygasnąć\n", + "=====================================================================\n", + "[('liability', 100.0, 716), 50.0, array(['zobowiązania'], dtype=object)]\n", + "a financial liability be derecognize by the company when the obligation under the liability be discharge or cancel or expire\n", + "a zobowiązania financial liability be derecognize by the company when the obligation under the liability be discharge or cancel or expire\n", + "spółka wyłączać z swojego bilans zobowiązanie finansowy gdy zobowiązanie wygasnąć to znaczyć kiedy obowiązek określony w umowa został wypełniony umorzony lub wygasnąć\n", + "=====================================================================\n", + "[('reliability', 90.9090909090909, 959), 50.0, array(['wiarygodność'], dtype=object)]\n", + "a financial liability be derecognize by the company when the obligation under the liability be discharge or cancel or expire\n", + "a wiarygodność financial liability be derecognize by the company when the obligation under the liability be discharge or cancel or expire\n", + "spółka wyłączać z swojego bilans zobowiązanie finansowy gdy zobowiązanie wygasnąć to znaczyć kiedy obowiązek określony w umowa został wypełniony umorzony lub wygasnąć\n", + "=====================================================================\n", + "[('erp', 100.0, 413), 66.66666666666666, array(['planowanie zasobów przedsiębiorstwa'], dtype=object)]\n", + "the firm advise senior executive of lead enterprise provider and investor\n", + "the firm advise senior executive of lead enterprise planowanie zasobów przedsiębiorstwa provider and investor\n", + "firma doradzać kadra kierowniczy wiodący przedsiębiorstwo dostawca usługi i inwestor\n", + "=====================================================================\n", + "[('cap', 100.0, 178), 66.66666666666666, array(['dyplomowany księgowy'], dtype=object)]\n", + "additionally in issue capital be adjust by pln thousand as a result of\n", + "additionally in issue capital dyplomowany księgowy be adjust by pln thousand as a result of\n", + "dodatkowo w rok kapitała zakładowy został skorygowany o kwota tysiąc pln jako rezultat\n", + "=====================================================================\n", + "[('account', 100.0, 13), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "in addition the company s management and member of the company s supervisory board be be require to ensure that the directors report meet the requirement of the accounting act\n", + "in addition the company s management and member of the company s supervisory board be be require to ensure that the directors report meet the requirement of the accounting konto act\n", + "ponadto zarząd spółka oraz członek rada nadzorczy spółka jest zobowiązany są zobowiązany do zapewnienie aby sprawozdanie z działalność grupa kapitałowy spełniać wymaganie przewidziane w ustawa o rachunkowość\n", + "=====================================================================\n", + "[('account', 100.0, 25), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "in addition the company s management and member of the company s supervisory board be be require to ensure that the directors report meet the requirement of the accounting act\n", + "in addition the company s management and member of the company s supervisory board be be require to ensure that the directors report meet the requirement of the accounting konto act\n", + "ponadto zarząd spółka oraz członek rada nadzorczy spółka jest zobowiązany są zobowiązany do zapewnienie aby sprawozdanie z działalność grupa kapitałowy spełniać wymaganie przewidziane w ustawa o rachunkowość\n", + "=====================================================================\n", + "[('account', 100.0, 57), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "in addition the company s management and member of the company s supervisory board be be require to ensure that the directors report meet the requirement of the accounting act\n", + "in addition the company s management and member of the company s supervisory board be be require to ensure that the directors report meet the requirement of the accounting konto act\n", + "ponadto zarząd spółka oraz członek rada nadzorczy spółka jest zobowiązany są zobowiązany do zapewnienie aby sprawozdanie z działalność grupa kapitałowy spełniać wymaganie przewidziane w ustawa o rachunkowość\n", + "=====================================================================\n", + "[('company', 100.0, 245), 100.0, array(['spółka kapitałowa'], dtype=object)]\n", + "in addition the company s management and member of the company s supervisory board be be require to ensure that the directors report meet the requirement of the accounting act\n", + "in addition the company spółka kapitałowa s management and member of the company s supervisory board be be require to ensure that the directors report meet the requirement of the accounting act\n", + "ponadto zarząd spółka oraz członek rada nadzorczy spółka jest zobowiązany są zobowiązany do zapewnienie aby sprawozdanie z działalność grupa kapitałowy spełniać wymaganie przewidziane w ustawa o rachunkowość\n", + "=====================================================================\n", + "[('report', 100.0, 963), 100.0, array(['sprawozdawczość'], dtype=object)]\n", + "in addition the company s management and member of the company s supervisory board be be require to ensure that the directors report meet the requirement of the accounting act\n", + "in addition the company s management and member of the company s supervisory board be be require to ensure that the directors report sprawozdawczość meet the requirement of the accounting act\n", + "ponadto zarząd spółka oraz członek rada nadzorczy spółka jest zobowiązany są zobowiązany do zapewnienie aby sprawozdanie z działalność grupa kapitałowy spełniać wymaganie przewidziane w ustawa o rachunkowość\n", + "=====================================================================\n", + "[('comprehensive income', 100.0, 253), 26.66666666666667, array(['zysk całkowity'], dtype=object)]\n", + "comprehensive income for the year\n", + "comprehensive income zysk całkowity for the year\n", + "całkowity dochód za rok\n", + "=====================================================================\n", + "[('income', 100.0, 638), 36.36363636363637, array(['zysk'], dtype=object)]\n", + "comprehensive income for the year\n", + "comprehensive income zysk for the year\n", + "całkowity dochód za rok\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 57.142857142857146, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the scope of the control shall be determine by the national council of statutory auditors\n", + "the scope of the control shall be determine by the national council of statutory badanie sprawozdania finansowego auditors\n", + "zakres kontrola określać krajowy rado biegły rewident\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 57.142857142857146, array(['biegły rewident'], dtype=object)]\n", + "the scope of the control shall be determine by the national council of statutory auditors\n", + "the scope of the control shall be determine by the national council of statutory biegły rewident auditors\n", + "zakres kontrola określać krajowy rado biegły rewident\n", + "=====================================================================\n", + "[('control', 100.0, 289), 85.71428571428571, array(['kontrola '], dtype=object)]\n", + "the scope of the control shall be determine by the national council of statutory auditors\n", + "the scope of the control kontrola shall be determine by the national council of statutory auditors\n", + "zakres kontrola określać krajowy rado biegły rewident\n", + "=====================================================================\n", + "[('commitment', 100.0, 243), 50.0, array(['zobowiązanie'], dtype=object)]\n", + "at 31 december 2016 the company s commitment to purchase property plant equipment amount to pln thousand\n", + "at 31 december 2016 the company s commitment zobowiązanie to purchase property plant equipment amount to pln thousand\n", + "na dzienie 31 grudzień 2016 rok zobowiązanie spółka do poniesienia nakład na rzeczowy aktywa trwały wynosić\n", + "=====================================================================\n", + "[('company', 100.0, 245), 50.0, array(['spółka kapitałowa'], dtype=object)]\n", + "at 31 december 2016 the company s commitment to purchase property plant equipment amount to pln thousand\n", + "at 31 december 2016 the company spółka kapitałowa s commitment to purchase property plant equipment amount to pln thousand\n", + "na dzienie 31 grudzień 2016 rok zobowiązanie spółka do poniesienia nakład na rzeczowy aktywa trwały wynosić\n", + "=====================================================================\n", + "[('account', 100.0, 13), 50.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "implementation may also require significant change in accounting process and system\n", + "implementation may also require significant change in accounting konto process and system\n", + "wdrożenie móc też wymagać dokonanie istotny zmiana w proces i systema księgowy\n", + "=====================================================================\n", + "[('account', 100.0, 25), 50.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "implementation may also require significant change in accounting process and system\n", + "implementation may also require significant change in accounting konto process and system\n", + "wdrożenie móc też wymagać dokonanie istotny zmiana w proces i systema księgowy\n", + "=====================================================================\n", + "[('account', 100.0, 57), 50.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "implementation may also require significant change in accounting process and system\n", + "implementation may also require significant change in accounting konto process and system\n", + "wdrożenie móc też wymagać dokonanie istotny zmiana w proces i systema księgowy\n", + "=====================================================================\n", + "[('provision', 100.0, 909), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "the provision of articles 36 38 of the act of 14 june 1960 code of administrative procedure shall apply\n", + "the provision rezerwa of articles 36 38 of the act of 14 june 1960 code of administrative procedure shall apply\n", + "przepis art 36 38 ustawa z dzień 14 czerw ca 1960 r kodeks postępowanie administracyjny stosować się\n", + "=====================================================================\n", + "[('provision', 100.0, 911), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "the provision of articles 36 38 of the act of 14 june 1960 code of administrative procedure shall apply\n", + "the provision rezerwa of articles 36 38 of the act of 14 june 1960 code of administrative procedure shall apply\n", + "przepis art 36 38 ustawa z dzień 14 czerw ca 1960 r kodeks postępowanie administracyjny stosować się\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 50.0, array(['aktywa'], dtype=object)]\n", + "deferred tax asset and deferred tax liability be offset if and only if a legally enforceable right exist to set off current tax asset against current tax liability and the deferred tax asset and deferred tax liability relate to income taxis that be levy by the same taxation authority\n", + "deferred tax asset aktywa and deferred tax liability be offset if and only if a legally enforceable right exist to set off current tax asset against current tax liability and the deferred tax asset and deferred tax liability relate to income taxis that be levy by the same taxation authority\n", + "grupa kompensować z sobą aktywa z tytuł odroczonego podatek dochodowy z rezerwa z tytuł odroczonego podatek dochodowy wtedy i tylko wtedy gdy posiadać możliwy do wyegzekwowania tytuł prawny do przeprowadzenia kompensata należność z zobowiązanie z tytuł bieżący podatek i odroczony podatek dochodowy mieć związka z tym sam podatnik i tym sam organ podatkowy\n", + "=====================================================================\n", + "[('deferred tax asset', 100.0, 368), 44.44444444444444, array(['aktywa z tytułu odroczonego podatku dochodowego'], dtype=object)]\n", + "deferred tax asset and deferred tax liability be offset if and only if a legally enforceable right exist to set off current tax asset against current tax liability and the deferred tax asset and deferred tax liability relate to income taxis that be levy by the same taxation authority\n", + "deferred tax asset aktywa z tytułu odroczonego podatku dochodowego and deferred tax liability be offset if and only if a legally enforceable right exist to set off current tax asset against current tax liability and the deferred tax asset and deferred tax liability relate to income taxis that be levy by the same taxation authority\n", + "grupa kompensować z sobą aktywa z tytuł odroczonego podatek dochodowy z rezerwa z tytuł odroczonego podatek dochodowy wtedy i tylko wtedy gdy posiadać możliwy do wyegzekwowania tytuł prawny do przeprowadzenia kompensata należność z zobowiązanie z tytuł bieżący podatek i odroczony podatek dochodowy mieć związka z tym sam podatnik i tym sam organ podatkowy\n", + "=====================================================================\n", + "[('income', 100.0, 638), 100.0, array(['zysk'], dtype=object)]\n", + "deferred tax asset and deferred tax liability be offset if and only if a legally enforceable right exist to set off current tax asset against current tax liability and the deferred tax asset and deferred tax liability relate to income taxis that be levy by the same taxation authority\n", + "deferred tax asset and deferred tax liability be offset if and only if a legally enforceable right exist to set off current tax asset against current tax liability and the deferred tax asset and deferred tax liability relate to income zysk taxis that be levy by the same taxation authority\n", + "grupa kompensować z sobą aktywa z tytuł odroczonego podatek dochodowy z rezerwa z tytuł odroczonego podatek dochodowy wtedy i tylko wtedy gdy posiadać możliwy do wyegzekwowania tytuł prawny do przeprowadzenia kompensata należność z zobowiązanie z tytuł bieżący podatek i odroczony podatek dochodowy mieć związka z tym sam podatnik i tym sam organ podatkowy\n", + "=====================================================================\n", + "[('income taxis', 100.0, 644), 47.61904761904762, array(['podatki dochodowe'], dtype=object)]\n", + "deferred tax asset and deferred tax liability be offset if and only if a legally enforceable right exist to set off current tax asset against current tax liability and the deferred tax asset and deferred tax liability relate to income taxis that be levy by the same taxation authority\n", + "deferred tax asset and deferred tax liability be offset if and only if a legally enforceable right exist to set off current tax asset against current tax liability and the deferred tax asset and deferred tax liability relate to income taxis podatki dochodowe that be levy by the same taxation authority\n", + "grupa kompensować z sobą aktywa z tytuł odroczonego podatek dochodowy z rezerwa z tytuł odroczonego podatek dochodowy wtedy i tylko wtedy gdy posiadać możliwy do wyegzekwowania tytuł prawny do przeprowadzenia kompensata należność z zobowiązanie z tytuł bieżący podatek i odroczony podatek dochodowy mieć związka z tym sam podatnik i tym sam organ podatkowy\n", + "=====================================================================\n", + "[('liability', 100.0, 716), 100.0, array(['zobowiązania'], dtype=object)]\n", + "deferred tax asset and deferred tax liability be offset if and only if a legally enforceable right exist to set off current tax asset against current tax liability and the deferred tax asset and deferred tax liability relate to income taxis that be levy by the same taxation authority\n", + "deferred tax asset and deferred tax liability zobowiązania be offset if and only if a legally enforceable right exist to set off current tax asset against current tax liability and the deferred tax asset and deferred tax liability relate to income taxis that be levy by the same taxation authority\n", + "grupa kompensować z sobą aktywa z tytuł odroczonego podatek dochodowy z rezerwa z tytuł odroczonego podatek dochodowy wtedy i tylko wtedy gdy posiadać możliwy do wyegzekwowania tytuł prawny do przeprowadzenia kompensata należność z zobowiązanie z tytuł bieżący podatek i odroczony podatek dochodowy mieć związka z tym sam podatnik i tym sam organ podatkowy\n", + "=====================================================================\n", + "[('account', 100.0, 13), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "article 14 passage 6 item 1 of the act of 9 november 2000 on the establishment of the polish agency for development of entrepreneurship dz u of 2016 item 359 and 2260 shall be replace by the follow 15 amendment to the consolidated version of the say act have be announce in dz u of 2016 item 831 904 and 1948 and dz u of 2017 item 724 768 i 791 dz u 82 item 1089 1 the financial statement prepare in accordance with the accounting regulation along with the audit report\n", + "article 14 passage 6 item 1 of the act of 9 november 2000 on the establishment of the polish agency for development of entrepreneurship dz u konto of 2016 item 359 and 2260 shall be replace by the follow 15 amendment to the consolidated version of the say act have be announce in dz u of 2016 item 831 904 and 1948 and dz u of 2017 item 724 768 i 791 dz u 82 item 1089 1 the financial statement prepare in accordance with the accounting regulation along with the audit report\n", + "w ustawa z dzień 9 listopad 2000 r o utworzeniu polski agencja rozwój przedsiębiorczość dz u z 2016 r poz 359 i 2260 w art 14 w ust 6 pkt 1 otrzymywać brzmienie 1 sprawozdanie finansowy sporządzone zgodnie z przepis o rachunkowość wraz z sprawozdanie z badanie\n", + "=====================================================================\n", + "[('account', 100.0, 25), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "article 14 passage 6 item 1 of the act of 9 november 2000 on the establishment of the polish agency for development of entrepreneurship dz u of 2016 item 359 and 2260 shall be replace by the follow 15 amendment to the consolidated version of the say act have be announce in dz u of 2016 item 831 904 and 1948 and dz u of 2017 item 724 768 i 791 dz u 82 item 1089 1 the financial statement prepare in accordance with the accounting regulation along with the audit report\n", + "article 14 passage 6 item 1 of the act of 9 november 2000 on the establishment of the polish agency for development of entrepreneurship dz u konto of 2016 item 359 and 2260 shall be replace by the follow 15 amendment to the consolidated version of the say act have be announce in dz u of 2016 item 831 904 and 1948 and dz u of 2017 item 724 768 i 791 dz u 82 item 1089 1 the financial statement prepare in accordance with the accounting regulation along with the audit report\n", + "w ustawa z dzień 9 listopad 2000 r o utworzeniu polski agencja rozwój przedsiębiorczość dz u z 2016 r poz 359 i 2260 w art 14 w ust 6 pkt 1 otrzymywać brzmienie 1 sprawozdanie finansowy sporządzone zgodnie z przepis o rachunkowość wraz z sprawozdanie z badanie\n", + "=====================================================================\n", + "[('account', 100.0, 57), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "article 14 passage 6 item 1 of the act of 9 november 2000 on the establishment of the polish agency for development of entrepreneurship dz u of 2016 item 359 and 2260 shall be replace by the follow 15 amendment to the consolidated version of the say act have be announce in dz u of 2016 item 831 904 and 1948 and dz u of 2017 item 724 768 i 791 dz u 82 item 1089 1 the financial statement prepare in accordance with the accounting regulation along with the audit report\n", + "article 14 passage 6 item 1 of the act of 9 november 2000 on the establishment of the polish agency for development of entrepreneurship dz u konto of 2016 item 359 and 2260 shall be replace by the follow 15 amendment to the consolidated version of the say act have be announce in dz u of 2016 item 831 904 and 1948 and dz u of 2017 item 724 768 i 791 dz u 82 item 1089 1 the financial statement prepare in accordance with the accounting regulation along with the audit report\n", + "w ustawa z dzień 9 listopad 2000 r o utworzeniu polski agencja rozwój przedsiębiorczość dz u z 2016 r poz 359 i 2260 w art 14 w ust 6 pkt 1 otrzymywać brzmienie 1 sprawozdanie finansowy sporządzone zgodnie z przepis o rachunkowość wraz z sprawozdanie z badanie\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "article 14 passage 6 item 1 of the act of 9 november 2000 on the establishment of the polish agency for development of entrepreneurship dz u of 2016 item 359 and 2260 shall be replace by the follow 15 amendment to the consolidated version of the say act have be announce in dz u of 2016 item 831 904 and 1948 and dz u of 2017 item 724 768 i 791 dz u 82 item 1089 1 the financial statement prepare in accordance with the accounting regulation along with the audit report\n", + "article 14 passage 6 item 1 of the act of 9 november 2000 on the establishment of the polish agency for development of entrepreneurship dz u badanie sprawozdania finansowego of 2016 item 359 and 2260 shall be replace by the follow 15 amendment to the consolidated version of the say act have be announce in dz u of 2016 item 831 904 and 1948 and dz u of 2017 item 724 768 i 791 dz u 82 item 1089 1 the financial statement prepare in accordance with the accounting regulation along with the audit report\n", + "w ustawa z dzień 9 listopad 2000 r o utworzeniu polski agencja rozwój przedsiębiorczość dz u z 2016 r poz 359 i 2260 w art 14 w ust 6 pkt 1 otrzymywać brzmienie 1 sprawozdanie finansowy sporządzone zgodnie z przepis o rachunkowość wraz z sprawozdanie z badanie\n", + "=====================================================================\n", + "[('financial statement', 100.0, 526), 60.0, array(['sprawozdanie finansowe'], dtype=object)]\n", + "article 14 passage 6 item 1 of the act of 9 november 2000 on the establishment of the polish agency for development of entrepreneurship dz u of 2016 item 359 and 2260 shall be replace by the follow 15 amendment to the consolidated version of the say act have be announce in dz u of 2016 item 831 904 and 1948 and dz u of 2017 item 724 768 i 791 dz u 82 item 1089 1 the financial statement prepare in accordance with the accounting regulation along with the audit report\n", + "article 14 passage 6 item 1 of the act of 9 november 2000 on the establishment of the polish agency for development of entrepreneurship dz u of 2016 item 359 and 2260 shall be replace by the follow 15 amendment to the consolidated version of the say act have be announce in dz u of 2016 item 831 904 and 1948 and dz u of 2017 item 724 768 i 791 dz u 82 item 1089 1 the financial statement sprawozdanie finansowe prepare in accordance with the accounting regulation along with the audit report\n", + "w ustawa z dzień 9 listopad 2000 r o utworzeniu polski agencja rozwój przedsiębiorczość dz u z 2016 r poz 359 i 2260 w art 14 w ust 6 pkt 1 otrzymywać brzmienie 1 sprawozdanie finansowy sporządzone zgodnie z przepis o rachunkowość wraz z sprawozdanie z badanie\n", + "=====================================================================\n", + "[('cost', 100.0, 303), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "item include in cost of sale\n", + "item include in cost koszt of sale\n", + "pozycja ujęte w koszt własny sprzedaż\n", + "=====================================================================\n", + "[('cost of sale', 100.0, 322), 43.47826086956522, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "item include in cost of sale\n", + "item include in cost of koszty sprzedanych produktów, towarów i materiałów sale\n", + "pozycja ujęte w koszt własny sprzedaż\n", + "=====================================================================\n", + "[('cost', 100.0, 324), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "item include in cost of sale\n", + "item include in cost koszt of sale\n", + "pozycja ujęte w koszt własny sprzedaż\n", + "=====================================================================\n", + "[('sale', 100.0, 1000), 40.0, array(['sprzedaż'], dtype=object)]\n", + "item include in cost of sale\n", + "item include sprzedaż in cost of sale\n", + "pozycja ujęte w koszt własny sprzedaż\n", + "=====================================================================\n", + "[('company', 100.0, 245), 54.54545454545455, array(['spółka kapitałowa'], dtype=object)]\n", + "this year we survey 220 company with a total of 142 000 employee in their business service center in poland which represent 58 of all people employ in the sector\n", + "this year we survey 220 company spółka kapitałowa with a total of 142 000 employee in their business service center in poland which represent 58 of all people employ in the sector\n", + "tegoroczny kwestionariusz wypełnić 220 firma zatrudniających w swoich centrum usługi w polska łącznie 142 tys osoba czyli 58 pracownik sektor\n", + "=====================================================================\n", + "[('ema', 100.0, 410), 80.0, array(['rachunkowość zarządcza ochrony środowiska'], dtype=object)]\n", + "whether there will be many small premise or a single large one in the digital office formula remain to be analyze by the leader of organization but one thing be certain the scalability of the process of manage employee and mobility support by flexibility afford unlimited opportunity for make creative decision\n", + "whether there will be many small premise or a rachunkowość zarządcza ochrony środowiska single large one in the digital office formula remain to be analyze by the leader of organization but one thing be certain the scalability of the process of manage employee and mobility support by flexibility afford unlimited opportunity for make creative decision\n", + "wiele mały czy jeden wielki powierzchnia w formuła praca digital office pozostać nadal do analiza lider organizacja ale pewny jest że skalowalność proces zarządzanie pracownik oraz mobilność wspierana przez elastyczność pozostawić ograniczony możliwość decyzyjny\n", + "=====================================================================\n", + "[('liability', 88.88888888888889, 716), 60.0, array(['zobowiązania'], dtype=object)]\n", + "whether there will be many small premise or a single large one in the digital office formula remain to be analyze by the leader of organization but one thing be certain the scalability of the process of manage employee and mobility support by flexibility afford unlimited opportunity for make creative decision\n", + "whether there will be many small premise or a zobowiązania single large one in the digital office formula remain to be analyze by the leader of organization but one thing be certain the scalability of the process of manage employee and mobility support by flexibility afford unlimited opportunity for make creative decision\n", + "wiele mały czy jeden wielki powierzchnia w formuła praca digital office pozostać nadal do analiza lider organizacja ale pewny jest że skalowalność proces zarządzanie pracownik oraz mobilność wspierana przez elastyczność pozostawić ograniczony możliwość decyzyjny\n", + "=====================================================================\n", + "[('company', 100.0, 245), 100.0, array(['spółka kapitałowa'], dtype=object)]\n", + "share of center li th ua ni an be la ru sia n figure 25 language use at business services centers source absl own study base on the result of a survey address to business service center n 213 company other category feature hindi korean and urdu overview of the business service sector 42 business services sector in poland 2018 foreigner employed at business services centers 90 proportion of business service center employ foreigner n 208 company\n", + "share of center li th ua ni an spółka kapitałowa be la ru sia n figure 25 language use at business services centers source absl own study base on the result of a survey address to business service center n 213 company other category feature hindi korean and urdu overview of the business service sector 42 business services sector in poland 2018 foreigner employed at business services centers 90 proportion of business service center employ foreigner n 208 company\n", + "udział centrum lit ew sk i bi ał or us ki rycina 25 języki używane w centrum usług źródło opracowanie własny absl na podstawa wynik ankieta skierowanej do centrum usługi n 213 firma w kategoria inny znaleźć się hindi koreański urdu charakterystyka sektor usługi biznesowy 42 sektor nowoczesny usługi biznesowy w polska 2018 cudzoziemiec pracujący w centrum usług 90 udział centrum usługi zatrudniających cudzoziemiec n 208 firma\n", + "=====================================================================\n", + "[('figure', 100.0, 503), 100.0, array(['liczby'], dtype=object)]\n", + "share of center li th ua ni an be la ru sia n figure 25 language use at business services centers source absl own study base on the result of a survey address to business service center n 213 company other category feature hindi korean and urdu overview of the business service sector 42 business services sector in poland 2018 foreigner employed at business services centers 90 proportion of business service center employ foreigner n 208 company\n", + "share of center li th ua ni an be la ru sia n figure liczby 25 language use at business services centers source absl own study base on the result of a survey address to business service center n 213 company other category feature hindi korean and urdu overview of the business service sector 42 business services sector in poland 2018 foreigner employed at business services centers 90 proportion of business service center employ foreigner n 208 company\n", + "udział centrum lit ew sk i bi ał or us ki rycina 25 języki używane w centrum usług źródło opracowanie własny absl na podstawa wynik ankieta skierowanej do centrum usługi n 213 firma w kategoria inny znaleźć się hindi koreański urdu charakterystyka sektor usługi biznesowy 42 sektor nowoczesny usługi biznesowy w polska 2018 cudzoziemiec pracujący w centrum usług 90 udział centrum usługi zatrudniających cudzoziemiec n 208 firma\n", + "=====================================================================\n", + "[('vie', 100.0, 1157), 100.0, array(['podmiot o zmiennych udziałach'], dtype=object)]\n", + "share of center li th ua ni an be la ru sia n figure 25 language use at business services centers source absl own study base on the result of a survey address to business service center n 213 company other category feature hindi korean and urdu overview of the business service sector 42 business services sector in poland 2018 foreigner employed at business services centers 90 proportion of business service center employ foreigner n 208 company\n", + "share of center li th ua ni an be la ru sia n figure 25 language use at business services centers source absl own study base on the result of a survey address to business service center n 213 company other category feature hindi korean and urdu overview podmiot o zmiennych udziałach of the business service sector 42 business services sector in poland 2018 foreigner employed at business services centers 90 proportion of business service center employ foreigner n 208 company\n", + "udział centrum lit ew sk i bi ał or us ki rycina 25 języki używane w centrum usług źródło opracowanie własny absl na podstawa wynik ankieta skierowanej do centrum usługi n 213 firma w kategoria inny znaleźć się hindi koreański urdu charakterystyka sektor usługi biznesowy 42 sektor nowoczesny usługi biznesowy w polska 2018 cudzoziemiec pracujący w centrum usług 90 udział centrum usługi zatrudniających cudzoziemiec n 208 firma\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 50.0, array(['aktywa'], dtype=object)]\n", + "other non financial asset\n", + "other aktywa non financial asset\n", + "pozostały aktywa finansowy\n", + "=====================================================================\n", + "[('financial asset', 100.0, 514), 32.0, array(['aktywa finansowe'], dtype=object)]\n", + "other non financial asset\n", + "other non financial aktywa finansowe asset\n", + "pozostały aktywa finansowy\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the audit oversight commission shall 1 shall define control procedure 2 shall define procedure for notify relevant body in the event when determination make in the course of control may indicate the act inconsistent with the law and hence require institute appropriate explanatory action by these body 3 shall determine annual control plan 4 shall prepare control report and report on the implementation of recommendation 5 shall authorise the audit oversight commission controller the expert refer to in article 109 and the supervisor of the audit oversight commission controller perform control activity in person hereinafter refer to as the controller to conduct particular control\n", + "the audit badanie sprawozdania finansowego oversight commission shall 1 shall define control procedure 2 shall define procedure for notify relevant body in the event when determination make in the course of control may indicate the act inconsistent with the law and hence require institute appropriate explanatory action by these body 3 shall determine annual control plan 4 shall prepare control report and report on the implementation of recommendation 5 shall authorise the audit oversight commission controller the expert refer to in article 109 and the supervisor of the audit oversight commission controller perform control activity in person hereinafter refer to as the controller to conduct particular control\n", + "komisja nadzór audytowy 1 określać procedura przeprowadzania kontrola 2 określać procedura informowania odpowiedni organy w sytuacja gdy ustalenie dokonany w trakt przeprowadzać nia kontrola móc wskazywać na działanie zgodny z prawo a tym sam wymagać wszczęcia przez te organ odpowiedni działanie wyjaśniający 3 ustalać roczny plan kontrola 4 sporządzać raport z kontrola oraz raport z realizacja zalecenie 5 upoważniać kontroler komisja nadzór audytowy ekspert o których mowa w art 109 oraz osoba nadzorować ce kontroler komisja nadzór audytowy dokonujących osobiście czynność kontrolny zwanych daleko osa bami kontrolującymi do przeprowadzenia poszczególny kontrola\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "the audit oversight commission shall 1 shall define control procedure 2 shall define procedure for notify relevant body in the event when determination make in the course of control may indicate the act inconsistent with the law and hence require institute appropriate explanatory action by these body 3 shall determine annual control plan 4 shall prepare control report and report on the implementation of recommendation 5 shall authorise the audit oversight commission controller the expert refer to in article 109 and the supervisor of the audit oversight commission controller perform control activity in person hereinafter refer to as the controller to conduct particular control\n", + "the audit oversight commission prowizje shall 1 shall define control procedure 2 shall define procedure for notify relevant body in the event when determination make in the course of control may indicate the act inconsistent with the law and hence require institute appropriate explanatory action by these body 3 shall determine annual control plan 4 shall prepare control report and report on the implementation of recommendation 5 shall authorise the audit oversight commission controller the expert refer to in article 109 and the supervisor of the audit oversight commission controller perform control activity in person hereinafter refer to as the controller to conduct particular control\n", + "komisja nadzór audytowy 1 określać procedura przeprowadzania kontrola 2 określać procedura informowania odpowiedni organy w sytuacja gdy ustalenie dokonany w trakt przeprowadzać nia kontrola móc wskazywać na działanie zgodny z prawo a tym sam wymagać wszczęcia przez te organ odpowiedni działanie wyjaśniający 3 ustalać roczny plan kontrola 4 sporządzać raport z kontrola oraz raport z realizacja zalecenie 5 upoważniać kontroler komisja nadzór audytowy ekspert o których mowa w art 109 oraz osoba nadzorować ce kontroler komisja nadzór audytowy dokonujących osobiście czynność kontrolny zwanych daleko osa bami kontrolującymi do przeprowadzenia poszczególny kontrola\n", + "=====================================================================\n", + "[('control', 100.0, 289), 100.0, array(['kontrola '], dtype=object)]\n", + "the audit oversight commission shall 1 shall define control procedure 2 shall define procedure for notify relevant body in the event when determination make in the course of control may indicate the act inconsistent with the law and hence require institute appropriate explanatory action by these body 3 shall determine annual control plan 4 shall prepare control report and report on the implementation of recommendation 5 shall authorise the audit oversight commission controller the expert refer to in article 109 and the supervisor of the audit oversight commission controller perform control activity in person hereinafter refer to as the controller to conduct particular control\n", + "the audit oversight commission shall 1 shall define control kontrola procedure 2 shall define procedure for notify relevant body in the event when determination make in the course of control may indicate the act inconsistent with the law and hence require institute appropriate explanatory action by these body 3 shall determine annual control plan 4 shall prepare control report and report on the implementation of recommendation 5 shall authorise the audit oversight commission controller the expert refer to in article 109 and the supervisor of the audit oversight commission controller perform control activity in person hereinafter refer to as the controller to conduct particular control\n", + "komisja nadzór audytowy 1 określać procedura przeprowadzania kontrola 2 określać procedura informowania odpowiedni organy w sytuacja gdy ustalenie dokonany w trakt przeprowadzać nia kontrola móc wskazywać na działanie zgodny z prawo a tym sam wymagać wszczęcia przez te organ odpowiedni działanie wyjaśniający 3 ustalać roczny plan kontrola 4 sporządzać raport z kontrola oraz raport z realizacja zalecenie 5 upoważniać kontroler komisja nadzór audytowy ekspert o których mowa w art 109 oraz osoba nadzorować ce kontroler komisja nadzór audytowy dokonujących osobiście czynność kontrolny zwanych daleko osa bami kontrolującymi do przeprowadzenia poszczególny kontrola\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 100.0, array(['nadzór'], dtype=object)]\n", + "the audit oversight commission shall 1 shall define control procedure 2 shall define procedure for notify relevant body in the event when determination make in the course of control may indicate the act inconsistent with the law and hence require institute appropriate explanatory action by these body 3 shall determine annual control plan 4 shall prepare control report and report on the implementation of recommendation 5 shall authorise the audit oversight commission controller the expert refer to in article 109 and the supervisor of the audit oversight commission controller perform control activity in person hereinafter refer to as the controller to conduct particular control\n", + "the audit oversight nadzór commission shall 1 shall define control procedure 2 shall define procedure for notify relevant body in the event when determination make in the course of control may indicate the act inconsistent with the law and hence require institute appropriate explanatory action by these body 3 shall determine annual control plan 4 shall prepare control report and report on the implementation of recommendation 5 shall authorise the audit oversight commission controller the expert refer to in article 109 and the supervisor of the audit oversight commission controller perform control activity in person hereinafter refer to as the controller to conduct particular control\n", + "komisja nadzór audytowy 1 określać procedura przeprowadzania kontrola 2 określać procedura informowania odpowiedni organy w sytuacja gdy ustalenie dokonany w trakt przeprowadzać nia kontrola móc wskazywać na działanie zgodny z prawo a tym sam wymagać wszczęcia przez te organ odpowiedni działanie wyjaśniający 3 ustalać roczny plan kontrola 4 sporządzać raport z kontrola oraz raport z realizacja zalecenie 5 upoważniać kontroler komisja nadzór audytowy ekspert o których mowa w art 109 oraz osoba nadzorować ce kontroler komisja nadzór audytowy dokonujących osobiście czynność kontrolny zwanych daleko osa bami kontrolującymi do przeprowadzenia poszczególny kontrola\n", + "=====================================================================\n", + "[('report', 100.0, 963), 100.0, array(['sprawozdawczość'], dtype=object)]\n", + "the audit oversight commission shall 1 shall define control procedure 2 shall define procedure for notify relevant body in the event when determination make in the course of control may indicate the act inconsistent with the law and hence require institute appropriate explanatory action by these body 3 shall determine annual control plan 4 shall prepare control report and report on the implementation of recommendation 5 shall authorise the audit oversight commission controller the expert refer to in article 109 and the supervisor of the audit oversight commission controller perform control activity in person hereinafter refer to as the controller to conduct particular control\n", + "the audit oversight commission shall 1 shall define control procedure 2 shall define procedure for notify relevant body in the event when determination make in the course of control may indicate the act inconsistent with the law and hence require institute appropriate explanatory action by these body 3 shall determine annual control plan 4 shall prepare control report sprawozdawczość and report on the implementation of recommendation 5 shall authorise the audit oversight commission controller the expert refer to in article 109 and the supervisor of the audit oversight commission controller perform control activity in person hereinafter refer to as the controller to conduct particular control\n", + "komisja nadzór audytowy 1 określać procedura przeprowadzania kontrola 2 określać procedura informowania odpowiedni organy w sytuacja gdy ustalenie dokonany w trakt przeprowadzać nia kontrola móc wskazywać na działanie zgodny z prawo a tym sam wymagać wszczęcia przez te organ odpowiedni działanie wyjaśniający 3 ustalać roczny plan kontrola 4 sporządzać raport z kontrola oraz raport z realizacja zalecenie 5 upoważniać kontroler komisja nadzór audytowy ekspert o których mowa w art 109 oraz osoba nadzorować ce kontroler komisja nadzór audytowy dokonujących osobiście czynność kontrolny zwanych daleko osa bami kontrolującymi do przeprowadzenia poszczególny kontrola\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the national council of statutory auditors shall select by secret ballot 2 deputy president a secretary and a treasurer from among its member\n", + "the national council of statutory auditors badanie sprawozdania finansowego shall select by secret ballot 2 deputy president a secretary and a treasurer from among its member\n", + "krajowy rado biegły rewident wybierać z swojego grono w głosowanie tajny 2 zastępca prezes kra jowej rada biegły rewident sekretarz i skarbnik\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "the national council of statutory auditors shall select by secret ballot 2 deputy president a secretary and a treasurer from among its member\n", + "the national council of statutory auditors biegły rewident shall select by secret ballot 2 deputy president a secretary and a treasurer from among its member\n", + "krajowy rado biegły rewident wybierać z swojego grono w głosowanie tajny 2 zastępca prezes kra jowej rada biegły rewident sekretarz i skarbnik\n", + "=====================================================================\n", + "[('active market', 100.0, 68), 50.0, array(['aktywny rynek'], dtype=object)]\n", + "financial asset hold to maturity be quote in an active market non derivative financial asset with fix or determinable payment and fix maturity which the company have the positive intention and ability to hold until maturity other than\n", + "financial asset hold to maturity be quote in an active market aktywny rynek non derivative financial asset with fix or determinable payment and fix maturity which the company have the positive intention and ability to hold until maturity other than\n", + "aktywa finansowy utrzymywane do termin wymagalność są to notowane na aktywny rynek aktywa finansowy niebędące instrument pochodny o określony lub możliwy do określenie płatność oraz ustalonym termin wymagalność które spółka zamierzać i mieć możliwość utrzymać w posiadanie do tego czas inny niż\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 66.66666666666666, array(['aktywa'], dtype=object)]\n", + "financial asset hold to maturity be quote in an active market non derivative financial asset with fix or determinable payment and fix maturity which the company have the positive intention and ability to hold until maturity other than\n", + "financial asset aktywa hold to maturity be quote in an active market non derivative financial asset with fix or determinable payment and fix maturity which the company have the positive intention and ability to hold until maturity other than\n", + "aktywa finansowy utrzymywane do termin wymagalność są to notowane na aktywny rynek aktywa finansowy niebędące instrument pochodny o określony lub możliwy do określenie płatność oraz ustalonym termin wymagalność które spółka zamierzać i mieć możliwość utrzymać w posiadanie do tego czas inny niż\n", + "=====================================================================\n", + "[('company', 100.0, 245), 100.0, array(['spółka kapitałowa'], dtype=object)]\n", + "financial asset hold to maturity be quote in an active market non derivative financial asset with fix or determinable payment and fix maturity which the company have the positive intention and ability to hold until maturity other than\n", + "financial asset hold to maturity be quote in an spółka kapitałowa active market non derivative financial asset with fix or determinable payment and fix maturity which the company have the positive intention and ability to hold until maturity other than\n", + "aktywa finansowy utrzymywane do termin wymagalność są to notowane na aktywny rynek aktywa finansowy niebędące instrument pochodny o określony lub możliwy do określenie płatność oraz ustalonym termin wymagalność które spółka zamierzać i mieć możliwość utrzymać w posiadanie do tego czas inny niż\n", + "=====================================================================\n", + "[('derivative', 100.0, 377), 100.0, array(['instrumenty pochodne'], dtype=object)]\n", + "financial asset hold to maturity be quote in an active market non derivative financial asset with fix or determinable payment and fix maturity which the company have the positive intention and ability to hold until maturity other than\n", + "financial asset hold to maturity be quote in an active market non derivative instrumenty pochodne financial asset with fix or determinable payment and fix maturity which the company have the positive intention and ability to hold until maturity other than\n", + "aktywa finansowy utrzymywane do termin wymagalność są to notowane na aktywny rynek aktywa finansowy niebędące instrument pochodny o określony lub możliwy do określenie płatność oraz ustalonym termin wymagalność które spółka zamierzać i mieć możliwość utrzymać w posiadanie do tego czas inny niż\n", + "=====================================================================\n", + "[('financial asset', 100.0, 514), 57.142857142857146, array(['aktywa finansowe'], dtype=object)]\n", + "financial asset hold to maturity be quote in an active market non derivative financial asset with fix or determinable payment and fix maturity which the company have the positive intention and ability to hold until maturity other than\n", + "financial asset aktywa finansowe hold to maturity be quote in an active market non derivative financial asset with fix or determinable payment and fix maturity which the company have the positive intention and ability to hold until maturity other than\n", + "aktywa finansowy utrzymywane do termin wymagalność są to notowane na aktywny rynek aktywa finansowy niebędące instrument pochodny o określony lub możliwy do określenie płatność oraz ustalonym termin wymagalność które spółka zamierzać i mieć możliwość utrzymać w posiadanie do tego czas inny niż\n", + "=====================================================================\n", + "[('account', 100.0, 13), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "in the process of apply the accounting policy the management board have make the follow judgment which have the most significant effect on the carrying amount of asset and liability\n", + "in the process of apply the accounting konto policy the management board have make the follow judgment which have the most significant effect on the carrying amount of asset and liability\n", + "w proces stosowania zasada polityka rachunkowość zarząd dokonać następujący osąd które mieć wielki wpływ na przedstawiane wartość bilansowy aktywa i zobowiązanie\n", + "=====================================================================\n", + "[('account', 100.0, 25), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "in the process of apply the accounting policy the management board have make the follow judgment which have the most significant effect on the carrying amount of asset and liability\n", + "in the process of apply the accounting konto policy the management board have make the follow judgment which have the most significant effect on the carrying amount of asset and liability\n", + "w proces stosowania zasada polityka rachunkowość zarząd dokonać następujący osąd które mieć wielki wpływ na przedstawiane wartość bilansowy aktywa i zobowiązanie\n", + "=====================================================================\n", + "[('accounting policy', 100.0, 45), 54.54545454545455, array(['zasady rachunkowości'], dtype=object)]\n", + "in the process of apply the accounting policy the management board have make the follow judgment which have the most significant effect on the carrying amount of asset and liability\n", + "in the process of apply the accounting policy zasady rachunkowości the management board have make the follow judgment which have the most significant effect on the carrying amount of asset and liability\n", + "w proces stosowania zasada polityka rachunkowość zarząd dokonać następujący osąd które mieć wielki wpływ na przedstawiane wartość bilansowy aktywa i zobowiązanie\n", + "=====================================================================\n", + "[('account', 100.0, 57), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "in the process of apply the accounting policy the management board have make the follow judgment which have the most significant effect on the carrying amount of asset and liability\n", + "in the process of apply the accounting konto policy the management board have make the follow judgment which have the most significant effect on the carrying amount of asset and liability\n", + "w proces stosowania zasada polityka rachunkowość zarząd dokonać następujący osąd które mieć wielki wpływ na przedstawiane wartość bilansowy aktywa i zobowiązanie\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 66.66666666666666, array(['aktywa'], dtype=object)]\n", + "in the process of apply the accounting policy the management board have make the follow judgment which have the most significant effect on the carrying amount of asset and liability\n", + "in the process of apply the accounting policy the management board have make the follow judgment which have the most significant effect on the carrying amount of asset aktywa and liability\n", + "w proces stosowania zasada polityka rachunkowość zarząd dokonać następujący osąd które mieć wielki wpływ na przedstawiane wartość bilansowy aktywa i zobowiązanie\n", + "=====================================================================\n", + "[('c a', 100.0, 176), 66.66666666666666, array(['dyplomowany biegły rewident'], dtype=object)]\n", + "therefore give the design of the collection and collection reporting system the group be not able to assess the quantity of the weee which be to be collect by the group to fulfill its obligation result from the act on waste electric and electronic equipment\n", + "therefore give the design of the collection and collection reporting system the group be not able to assess the quantity of the weee which be to be collect by the group to fulfill its obligation result from the act on waste electric and dyplomowany biegły rewident electronic equipment\n", + "brać pod uwaga organizacja zbiórka oraz system raportowania o zbieranie zsee grupa nie być w stań oszacować ilość zsee które mieć zostać zebrane przez grupa w cel wypełnienie obowiązek wynikających z ustawa o zużyty sprzęt elektryczny i elektroniczny\n", + "=====================================================================\n", + "[('group', 100.0, 593), 100.0, array(['grupa kapitałowa'], dtype=object)]\n", + "therefore give the design of the collection and collection reporting system the group be not able to assess the quantity of the weee which be to be collect by the group to fulfill its obligation result from the act on waste electric and electronic equipment\n", + "therefore give the design of the collection and collection reporting system the group grupa kapitałowa be not able to assess the quantity of the weee which be to be collect by the group to fulfill its obligation result from the act on waste electric and electronic equipment\n", + "brać pod uwaga organizacja zbiórka oraz system raportowania o zbieranie zsee grupa nie być w stań oszacować ilość zsee które mieć zostać zebrane przez grupa w cel wypełnienie obowiązek wynikających z ustawa o zużyty sprzęt elektryczny i elektroniczny\n", + "=====================================================================\n", + "[('report', 100.0, 963), 100.0, array(['sprawozdawczość'], dtype=object)]\n", + "therefore give the design of the collection and collection reporting system the group be not able to assess the quantity of the weee which be to be collect by the group to fulfill its obligation result from the act on waste electric and electronic equipment\n", + "therefore give the design of the collection and collection reporting sprawozdawczość system the group be not able to assess the quantity of the weee which be to be collect by the group to fulfill its obligation result from the act on waste electric and electronic equipment\n", + "brać pod uwaga organizacja zbiórka oraz system raportowania o zbieranie zsee grupa nie być w stań oszacować ilość zsee które mieć zostać zebrane przez grupa w cel wypełnienie obowiązek wynikających z ustawa o zużyty sprzęt elektryczny i elektroniczny\n", + "=====================================================================\n", + "[('c a', 100.0, 176), 66.66666666666666, array(['dyplomowany biegły rewident'], dtype=object)]\n", + "therefore give the design of the collection and collection reporting system the company be not able to assess the quantity of the weee which be to be collect by the company to fulfil its obligation result from the act on waste electric and electronic equipment\n", + "therefore give the design of the collection and collection reporting system the company be not able to assess the quantity of the weee which be to be collect by the company to fulfil its obligation result from the act on waste electric and dyplomowany biegły rewident electronic equipment\n", + "brać pod uwaga organizacja zbiórka oraz system raportowania o zbieranie zsee spółka nie być w stań oszacować ilość zsee które mieć zostać zebrane przez spółka w cel wypełnienie obowiązek wynikających z ustawa o zużyty sprzęt elektryczny i elektroniczny\n", + "=====================================================================\n", + "[('company', 100.0, 245), 100.0, array(['spółka kapitałowa'], dtype=object)]\n", + "therefore give the design of the collection and collection reporting system the company be not able to assess the quantity of the weee which be to be collect by the company to fulfil its obligation result from the act on waste electric and electronic equipment\n", + "therefore give the design of the collection and collection reporting system the company spółka kapitałowa be not able to assess the quantity of the weee which be to be collect by the company to fulfil its obligation result from the act on waste electric and electronic equipment\n", + "brać pod uwaga organizacja zbiórka oraz system raportowania o zbieranie zsee spółka nie być w stań oszacować ilość zsee które mieć zostać zebrane przez spółka w cel wypełnienie obowiązek wynikających z ustawa o zużyty sprzęt elektryczny i elektroniczny\n", + "=====================================================================\n", + "[('report', 100.0, 963), 100.0, array(['sprawozdawczość'], dtype=object)]\n", + "therefore give the design of the collection and collection reporting system the company be not able to assess the quantity of the weee which be to be collect by the company to fulfil its obligation result from the act on waste electric and electronic equipment\n", + "therefore give the design of the collection and collection reporting sprawozdawczość system the company be not able to assess the quantity of the weee which be to be collect by the company to fulfil its obligation result from the act on waste electric and electronic equipment\n", + "brać pod uwaga organizacja zbiórka oraz system raportowania o zbieranie zsee spółka nie być w stań oszacować ilość zsee które mieć zostać zebrane przez spółka w cel wypełnienie obowiązek wynikających z ustawa o zużyty sprzęt elektryczny i elektroniczny\n", + "=====================================================================\n", + "[('company', 100.0, 245), 60.0, array(['spółka kapitałowa'], dtype=object)]\n", + "the company have investment in the follow subsidiary associate and joint venture\n", + "the company spółka kapitałowa have investment in the follow subsidiary associate and joint venture\n", + "spółka posiadać inwestycja w następujący jednostka zależny stowarzyszony i wspólny przedsięwzięcie\n", + "=====================================================================\n", + "[('subsidiary', 100.0, 1066), 100.0, array(['jednostka zależna'], dtype=object)]\n", + "the company have investment in the follow subsidiary associate and joint venture\n", + "the company have investment in the follow subsidiary jednostka zależna associate and joint venture\n", + "spółka posiadać inwestycja w następujący jednostka zależny stowarzyszony i wspólny przedsięwzięcie\n", + "=====================================================================\n", + "[('coo', 100.0, 184), 100.0, array(['dyrektor operacyjny'], dtype=object)]\n", + "in the act of 5 november 2009 on saving and credit cooperative dz\n", + "in the act of 5 november 2009 on saving and credit cooperative dyrektor operacyjny dz\n", + "w ustawa z dzień 5 listopad 2009 r o spółdzielczy kasa oszczędnościowy kredytowy dz\n", + "=====================================================================\n", + "[('note', 100.0, 791), 66.66666666666666, array(['informacja dodatkowa'], dtype=object)]\n", + "for term and condition of transaction with related party refer to note\n", + "for term informacja dodatkowa and condition of transaction with related party refer to note\n", + "warunek transakcja z podmiot powiązanymi przedstawione są w punkt dodatkowy informacja i objaśnienie\n", + "=====================================================================\n", + "[('sac', 100.0, 993), 66.66666666666666, array(['komisje doradcze ds. standardów'], dtype=object)]\n", + "for term and condition of transaction with related party refer to note\n", + "for term and condition of transaction komisje doradcze ds. standardów with related party refer to note\n", + "warunek transakcja z podmiot powiązanymi przedstawione są w punkt dodatkowy informacja i objaśnienie\n", + "=====================================================================\n", + "[('transaction', 100.0, 1125), 100.0, array(['transakcja'], dtype=object)]\n", + "for term and condition of transaction with related party refer to note\n", + "for term and condition of transaction transakcja with related party refer to note\n", + "warunek transakcja z podmiot powiązanymi przedstawione są w punkt dodatkowy informacja i objaśnienie\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 66.66666666666666, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "under ifrs 15 revenue be recognise at an amount that reflect the consideration to which an entity expect to be entitle in exchange for transfer good or service to a customer\n", + "under ifrs 15 revenue be recognise koszty sprzedanych produktów, towarów i materiałów at an amount that reflect the consideration to which an entity expect to be entitle in exchange for transfer good or service to a customer\n", + "zgodnie z mssf 15 przychód ujmować się w kwota wynagrodzenie które zgodnie z oczekiwanie jednostka przysługiwać on w zamiana za przekazanie przyrzeczonych dobro lub usługi klient\n", + "=====================================================================\n", + "[('consideration', 100.0, 263), 100.0, array(['zapłata'], dtype=object)]\n", + "under ifrs 15 revenue be recognise at an amount that reflect the consideration to which an entity expect to be entitle in exchange for transfer good or service to a customer\n", + "under ifrs 15 revenue be recognise at zapłata an amount that reflect the consideration to which an entity expect to be entitle in exchange for transfer good or service to a customer\n", + "zgodnie z mssf 15 przychód ujmować się w kwota wynagrodzenie które zgodnie z oczekiwanie jednostka przysługiwać on w zamiana za przekazanie przyrzeczonych dobro lub usługi klient\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 60.0, array(['jednostka'], dtype=object)]\n", + "under ifrs 15 revenue be recognise at an amount that reflect the consideration to which an entity expect to be entitle in exchange for transfer good or service to a customer\n", + "under ifrs 15 revenue be recognise at an amount that reflect the consideration to which an entity jednostka expect to be entitle in exchange for transfer good or service to a customer\n", + "zgodnie z mssf 15 przychód ujmować się w kwota wynagrodzenie które zgodnie z oczekiwanie jednostka przysługiwać on w zamiana za przekazanie przyrzeczonych dobro lub usługi klient\n", + "=====================================================================\n", + "[('ifrs', 100.0, 624), 50.0, array(['mssf'], dtype=object)]\n", + "under ifrs 15 revenue be recognise at an amount that reflect the consideration to which an entity expect to be entitle in exchange for transfer good or service to a customer\n", + "under ifrs mssf 15 revenue be recognise at an amount that reflect the consideration to which an entity expect to be entitle in exchange for transfer good or service to a customer\n", + "zgodnie z mssf 15 przychód ujmować się w kwota wynagrodzenie które zgodnie z oczekiwanie jednostka przysługiwać on w zamiana za przekazanie przyrzeczonych dobro lub usługi klient\n", + "=====================================================================\n", + "[('revenue', 100.0, 983), 57.142857142857146, array(['przychód'], dtype=object)]\n", + "under ifrs 15 revenue be recognise at an amount that reflect the consideration to which an entity expect to be entitle in exchange for transfer good or service to a customer\n", + "under ifrs 15 revenue przychód be recognise at an amount that reflect the consideration to which an entity expect to be entitle in exchange for transfer good or service to a customer\n", + "zgodnie z mssf 15 przychód ujmować się w kwota wynagrodzenie które zgodnie z oczekiwanie jednostka przysługiwać on w zamiana za przekazanie przyrzeczonych dobro lub usługi klient\n", + "=====================================================================\n", + "[('ema', 100.0, 410), 66.66666666666666, array(['rachunkowość zarządcza ochrony środowiska'], dtype=object)]\n", + "business services sector in poland 2017 overview of the business service sector 35 other characteristics of the industry 54 average number of female employee at business service center\n", + "business services sector in poland 2017 overview of the business service sector 35 other characteristics of the industry 54 average number of female rachunkowość zarządcza ochrony środowiska employee at business service center\n", + "sektor nowoczesny usługi biznesowy w polska 2017 charakterystyka sektor nowoczesny usługi biznesowy 35 pozostałe charakterystyka branżowe 54 przeciętny udział kobieta w struktura zatrudnienie centrum usługi\n", + "=====================================================================\n", + "[('vie', 100.0, 1157), 80.0, array(['podmiot o zmiennych udziałach'], dtype=object)]\n", + "business services sector in poland 2017 overview of the business service sector 35 other characteristics of the industry 54 average number of female employee at business service center\n", + "business services sector in poland 2017 overview podmiot o zmiennych udziałach of the business service sector 35 other characteristics of the industry 54 average number of female employee at business service center\n", + "sektor nowoczesny usługi biznesowy w polska 2017 charakterystyka sektor nowoczesny usługi biznesowy 35 pozostałe charakterystyka branżowe 54 przeciętny udział kobieta w struktura zatrudnienie centrum usługi\n", + "=====================================================================\n", + "[('contract', 100.0, 282), 40.0, array(['kontrakt', 'umowa'], dtype=object)]\n", + "receivables from finance lease and hire purchase contract\n", + "receivables from finance kontrakt lease and hire purchase contract\n", + "należność z tytuł umowa leasing finansowy i umowa dzierżawa z opcja zakup\n", + "=====================================================================\n", + "[('contract', 100.0, 283), 40.0, array(['kontrakt', 'umowa'], dtype=object)]\n", + "receivables from finance lease and hire purchase contract\n", + "receivables from finance kontrakt lease and hire purchase contract\n", + "należność z tytuł umowa leasing finansowy i umowa dzierżawa z opcja zakup\n", + "=====================================================================\n", + "[('lease', 100.0, 709), 88.88888888888889, array(['leasing'], dtype=object)]\n", + "receivables from finance lease and hire purchase contract\n", + "receivables from finance lease leasing and hire purchase contract\n", + "należność z tytuł umowa leasing finansowy i umowa dzierżawa z opcja zakup\n", + "=====================================================================\n", + "[('purchase cost', 92.3076923076923, 924), 46.15384615384615, array(['cena nabycia'], dtype=object)]\n", + "receivables from finance lease and hire purchase contract\n", + "receivables from finance lease and hire purchase cena nabycia contract\n", + "należność z tytuł umowa leasing finansowy i umowa dzierżawa z opcja zakup\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the national council of statutory auditors shall notify the audit oversight commission of any removal from the list with respect to the audit firm have number in the register refer to in article 57 passage 2 item 10 within 14 day from the effective date of the resolution on removal from the list with specification of reason for removal 2\n", + "the national council of statutory auditors badanie sprawozdania finansowego shall notify the audit oversight commission of any removal from the list with respect to the audit firm have number in the register refer to in article 57 passage 2 item 10 within 14 day from the effective date of the resolution on removal from the list with specification of reason for removal 2\n", + "krajowy rado biegły rewident informować komisja nadzór audytowy o każdym przypadek skreś leń z lista firma audytorski posiadający numer w rejestr o którym mowa w art 57 ust 2 pkt 10 w termin 14 dzień od dzień uprawomocnienia się uchwała o skreślenie z lista wraz z podanie przyczyna skreślenie 2\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "the national council of statutory auditors shall notify the audit oversight commission of any removal from the list with respect to the audit firm have number in the register refer to in article 57 passage 2 item 10 within 14 day from the effective date of the resolution on removal from the list with specification of reason for removal 2\n", + "the national council of statutory auditors biegły rewident shall notify the audit oversight commission of any removal from the list with respect to the audit firm have number in the register refer to in article 57 passage 2 item 10 within 14 day from the effective date of the resolution on removal from the list with specification of reason for removal 2\n", + "krajowy rado biegły rewident informować komisja nadzór audytowy o każdym przypadek skreś leń z lista firma audytorski posiadający numer w rejestr o którym mowa w art 57 ust 2 pkt 10 w termin 14 dzień od dzień uprawomocnienia się uchwała o skreślenie z lista wraz z podanie przyczyna skreślenie 2\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "the national council of statutory auditors shall notify the audit oversight commission of any removal from the list with respect to the audit firm have number in the register refer to in article 57 passage 2 item 10 within 14 day from the effective date of the resolution on removal from the list with specification of reason for removal 2\n", + "the national council of statutory auditors shall notify the audit oversight commission prowizje of any removal from the list with respect to the audit firm have number in the register refer to in article 57 passage 2 item 10 within 14 day from the effective date of the resolution on removal from the list with specification of reason for removal 2\n", + "krajowy rado biegły rewident informować komisja nadzór audytowy o każdym przypadek skreś leń z lista firma audytorski posiadający numer w rejestr o którym mowa w art 57 ust 2 pkt 10 w termin 14 dzień od dzień uprawomocnienia się uchwała o skreślenie z lista wraz z podanie przyczyna skreślenie 2\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 100.0, array(['nadzór'], dtype=object)]\n", + "the national council of statutory auditors shall notify the audit oversight commission of any removal from the list with respect to the audit firm have number in the register refer to in article 57 passage 2 item 10 within 14 day from the effective date of the resolution on removal from the list with specification of reason for removal 2\n", + "the national council of statutory auditors shall notify the audit oversight nadzór commission of any removal from the list with respect to the audit firm have number in the register refer to in article 57 passage 2 item 10 within 14 day from the effective date of the resolution on removal from the list with specification of reason for removal 2\n", + "krajowy rado biegły rewident informować komisja nadzór audytowy o każdym przypadek skreś leń z lista firma audytorski posiadający numer w rejestr o którym mowa w art 57 ust 2 pkt 10 w termin 14 dzień od dzień uprawomocnienia się uchwała o skreślenie z lista wraz z podanie przyczyna skreślenie 2\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 50.0, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "at the end of 20 a provision be recognise for the anticipate cost of internal restructuring in the amount of 2016\n", + "at the end of 20 a provision be recognise koszty sprzedanych produktów, towarów i materiałów for the anticipate cost of internal restructuring in the amount of 2016\n", + "grupa utworzyć na koniec 20 rok rezerwa na przewidywane koszt restrukturyzacja wewnętrzny w kwota 20\n", + "=====================================================================\n", + "[('cost', 100.0, 303), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "at the end of 20 a provision be recognise for the anticipate cost of internal restructuring in the amount of 2016\n", + "at the end of 20 a provision be recognise for the anticipate cost koszt of internal restructuring in the amount of 2016\n", + "grupa utworzyć na koniec 20 rok rezerwa na przewidywane koszt restrukturyzacja wewnętrzny w kwota 20\n", + "=====================================================================\n", + "[('cost', 100.0, 324), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "at the end of 20 a provision be recognise for the anticipate cost of internal restructuring in the amount of 2016\n", + "at the end of 20 a provision be recognise for the anticipate cost koszt of internal restructuring in the amount of 2016\n", + "grupa utworzyć na koniec 20 rok rezerwa na przewidywane koszt restrukturyzacja wewnętrzny w kwota 20\n", + "=====================================================================\n", + "[('provision', 100.0, 909), 66.66666666666666, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "at the end of 20 a provision be recognise for the anticipate cost of internal restructuring in the amount of 2016\n", + "at the end of 20 a provision rezerwa be recognise for the anticipate cost of internal restructuring in the amount of 2016\n", + "grupa utworzyć na koniec 20 rok rezerwa na przewidywane koszt restrukturyzacja wewnętrzny w kwota 20\n", + "=====================================================================\n", + "[('provision', 100.0, 911), 66.66666666666666, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "at the end of 20 a provision be recognise for the anticipate cost of internal restructuring in the amount of 2016\n", + "at the end of 20 a provision rezerwa be recognise for the anticipate cost of internal restructuring in the amount of 2016\n", + "grupa utworzyć na koniec 20 rok rezerwa na przewidywane koszt restrukturyzacja wewnętrzny w kwota 20\n", + "=====================================================================\n", + "[('company', 100.0, 245), 50.0, array(['spółka kapitałowa'], dtype=object)]\n", + "represent the low level within the company at which the goodwill be monitor for internal management purpose and\n", + "represent the low level within the company spółka kapitałowa at which the goodwill be monitor for internal management purpose and\n", + "odpowiadać niski poziom w spółce na którym wartość firma jest monitorowana na wewnętrzny potrzeba zarządczy oraz\n", + "=====================================================================\n", + "[('goodwill', 100.0, 584), 100.0, array(['wartość firmy'], dtype=object)]\n", + "represent the low level within the company at which the goodwill be monitor for internal management purpose and\n", + "represent the low level within the company at which the goodwill wartość firmy be monitor for internal management purpose and\n", + "odpowiadać niski poziom w spółce na którym wartość firma jest monitorowana na wewnętrzny potrzeba zarządczy oraz\n", + "=====================================================================\n", + "[('equity', 100.0, 460), 50.0, array(['kapitał własny'], dtype=object)]\n", + "the group continue to apply the equity method when the investment in an associate become an investment in joint venture or similarly when the investment in a joint venture become an investment in associate\n", + "the group continue to apply the equity kapitał własny method when the investment in an associate become an investment in joint venture or similarly when the investment in a joint venture become an investment in associate\n", + "grupa kontynuować stosowanie metoda prawo własność jeżeli inwestycja w jednostka stowarzyszony stawać się inwestycja w wspólny przedsięwzięcie lub odwrotnie jeżeli inwestycja w wspólny przedsięwzięcie stawać się inwestycja w jednostka stowarzyszony\n", + "=====================================================================\n", + "[('equity method', 100.0, 461), 66.66666666666666, array(['metoda praw własności'], dtype=object)]\n", + "the group continue to apply the equity method when the investment in an associate become an investment in joint venture or similarly when the investment in a joint venture become an investment in associate\n", + "the group continue to apply the equity method metoda praw własności when the investment in an associate become an investment in joint venture or similarly when the investment in a joint venture become an investment in associate\n", + "grupa kontynuować stosowanie metoda prawo własność jeżeli inwestycja w jednostka stowarzyszony stawać się inwestycja w wspólny przedsięwzięcie lub odwrotnie jeżeli inwestycja w wspólny przedsięwzięcie stawać się inwestycja w jednostka stowarzyszony\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "the group continue to apply the equity method when the investment in an associate become an investment in joint venture or similarly when the investment in a joint venture become an investment in associate\n", + "the group grupa kapitałowa continue to apply the equity method when the investment in an associate become an investment in joint venture or similarly when the investment in a joint venture become an investment in associate\n", + "grupa kontynuować stosowanie metoda prawo własność jeżeli inwestycja w jednostka stowarzyszony stawać się inwestycja w wspólny przedsięwzięcie lub odwrotnie jeżeli inwestycja w wspólny przedsięwzięcie stawać się inwestycja w jednostka stowarzyszony\n", + "=====================================================================\n", + "[('liability', 100.0, 716), 100.0, array(['zobowiązania'], dtype=object)]\n", + "trade payable and other financial liability\n", + "trade payable and other financial zobowiązania liability\n", + "zobowiązanie z tytuł dostawa i usługi oraz pozostały zobowiązanie finansowy\n", + "=====================================================================\n", + "[('payable', 100.0, 853), 40.0, array(['zobowiązania z tytułu dostaw i usług'], dtype=object)]\n", + "trade payable and other financial liability\n", + "trade payable zobowiązania z tytułu dostaw i usług and other financial liability\n", + "zobowiązanie z tytuł dostawa i usługi oraz pozostały zobowiązanie finansowy\n", + "=====================================================================\n", + "[('reliability', 90.0, 959), 100.0, array(['wiarygodność'], dtype=object)]\n", + "trade payable and other financial liability\n", + "trade wiarygodność payable and other financial liability\n", + "zobowiązanie z tytuł dostawa i usługi oraz pozostały zobowiązanie finansowy\n", + "=====================================================================\n", + "[('post employment benefit', 100.0, 877), 30.769230769230774, array(['świadczenia pracownicze po okresie zatrudnienia'], dtype=object)]\n", + "post employment benefit\n", + "post employment benefit świadczenia pracownicze po okresie zatrudnienia \n", + "świadczenia po okres zatrudnienie\n", + "=====================================================================\n", + "[('post', 100.0, 878), 100.0, array(['księgowanie'], dtype=object)]\n", + "post employment benefit\n", + "post księgowanie employment benefit\n", + "świadczenia po okres zatrudnienie\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 50.0, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "unrealised gain loss for the period recognise in the income statement statement of comprehensive income other operating expense\n", + "unrealised gain loss for the period recognise koszty sprzedanych produktów, towarów i materiałów in the income statement statement of comprehensive income other operating expense\n", + "niezrealizowane zysk strata okres rozpoznane w rachunek zysk i strata sprawozdanie z całkowity dochód w pozostały koszt operacyjny\n", + "=====================================================================\n", + "[('comprehensive income', 100.0, 253), 50.0, array(['zysk całkowity'], dtype=object)]\n", + "unrealised gain loss for the period recognise in the income statement statement of comprehensive income other operating expense\n", + "unrealised gain loss for the period recognise in the income statement statement of comprehensive income zysk całkowity other operating expense\n", + "niezrealizowane zysk strata okres rozpoznane w rachunek zysk i strata sprawozdanie z całkowity dochód w pozostały koszt operacyjny\n", + "=====================================================================\n", + "[('expense', 100.0, 479), 44.44444444444444, array(['koszt'], dtype=object)]\n", + "unrealised gain loss for the period recognise in the income statement statement of comprehensive income other operating expense\n", + "unrealised gain loss for the period recognise in the income statement statement of comprehensive koszt income other operating expense\n", + "niezrealizowane zysk strata okres rozpoznane w rachunek zysk i strata sprawozdanie z całkowity dochód w pozostały koszt operacyjny\n", + "=====================================================================\n", + "[('income', 100.0, 638), 100.0, array(['zysk'], dtype=object)]\n", + "unrealised gain loss for the period recognise in the income statement statement of comprehensive income other operating expense\n", + "unrealised gain loss for the period recognise in zysk the income statement statement of comprehensive income other operating expense\n", + "niezrealizowane zysk strata okres rozpoznane w rachunek zysk i strata sprawozdanie z całkowity dochód w pozostały koszt operacyjny\n", + "=====================================================================\n", + "[('income statement', 100.0, 640), 62.5, array(['rachunek zysków i strat'], dtype=object)]\n", + "unrealised gain loss for the period recognise in the income statement statement of comprehensive income other operating expense\n", + "unrealised gain loss for the period recognise in the income statement rachunek zysków i strat statement of comprehensive income other operating expense\n", + "niezrealizowane zysk strata okres rozpoznane w rachunek zysk i strata sprawozdanie z całkowity dochód w pozostały koszt operacyjny\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 66.66666666666666, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "where the contract outcome can not be measure reliably revenue from this contract be recognize only to the amount of the incurred cost that the company expect to recover\n", + "where the contract outcome can not be measure reliably revenue from this contract be recognize koszty sprzedanych produktów, towarów i materiałów only to the amount of the incurred cost that the company expect to recover\n", + "jeżeli wynik kontrakt nie można wiarygodnie oszacować wówczas przychód uzyskiwane z tytuł tego kontrakt są ujmowane tylko do wysokość poniesionych koszt które spółka spodziewać się odzyskać\n", + "=====================================================================\n", + "[('company', 100.0, 245), 50.0, array(['spółka kapitałowa'], dtype=object)]\n", + "where the contract outcome can not be measure reliably revenue from this contract be recognize only to the amount of the incurred cost that the company expect to recover\n", + "where the contract outcome can not be measure reliably revenue from this contract be recognize only to the amount of the incurred cost that the company spółka kapitałowa expect to recover\n", + "jeżeli wynik kontrakt nie można wiarygodnie oszacować wówczas przychód uzyskiwane z tytuł tego kontrakt są ujmowane tylko do wysokość poniesionych koszt które spółka spodziewać się odzyskać\n", + "=====================================================================\n", + "[('contract', 100.0, 282), 80.0, array(['kontrakt', 'umowa'], dtype=object)]\n", + "where the contract outcome can not be measure reliably revenue from this contract be recognize only to the amount of the incurred cost that the company expect to recover\n", + "where the contract kontrakt outcome can not be measure reliably revenue from this contract be recognize only to the amount of the incurred cost that the company expect to recover\n", + "jeżeli wynik kontrakt nie można wiarygodnie oszacować wówczas przychód uzyskiwane z tytuł tego kontrakt są ujmowane tylko do wysokość poniesionych koszt które spółka spodziewać się odzyskać\n", + "=====================================================================\n", + "[('contract', 100.0, 283), 80.0, array(['kontrakt', 'umowa'], dtype=object)]\n", + "where the contract outcome can not be measure reliably revenue from this contract be recognize only to the amount of the incurred cost that the company expect to recover\n", + "where the contract kontrakt outcome can not be measure reliably revenue from this contract be recognize only to the amount of the incurred cost that the company expect to recover\n", + "jeżeli wynik kontrakt nie można wiarygodnie oszacować wówczas przychód uzyskiwane z tytuł tego kontrakt są ujmowane tylko do wysokość poniesionych koszt które spółka spodziewać się odzyskać\n", + "=====================================================================\n", + "[('cost', 100.0, 303), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "where the contract outcome can not be measure reliably revenue from this contract be recognize only to the amount of the incurred cost that the company expect to recover\n", + "where the contract outcome can not be measure reliably revenue from this contract be recognize only to the amount of the incurred cost koszt that the company expect to recover\n", + "jeżeli wynik kontrakt nie można wiarygodnie oszacować wówczas przychód uzyskiwane z tytuł tego kontrakt są ujmowane tylko do wysokość poniesionych koszt które spółka spodziewać się odzyskać\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 85.71428571428571, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the audit committee shall operate within the public interest entity be a committee responsible for issue relate to the audit refer to in regulation no 537 2014\n", + "the audit badanie sprawozdania finansowego committee shall operate within the public interest entity be a committee responsible for issue relate to the audit refer to in regulation no 537 2014\n", + "w jednostka zainteresowanie publiczny działać komitet audyt który jest komitet do sprawa audy tu o którym mowa w rozporządzenie nr 537 2014\n", + "=====================================================================\n", + "[('audit committee', 100.0, 113), 75.0, array(['komisja rewizyjna'], dtype=object)]\n", + "the audit committee shall operate within the public interest entity be a committee responsible for issue relate to the audit refer to in regulation no 537 2014\n", + "the audit committee komisja rewizyjna shall operate within the public interest entity be a committee responsible for issue relate to the audit refer to in regulation no 537 2014\n", + "w jednostka zainteresowanie publiczny działać komitet audyt który jest komitet do sprawa audy tu o którym mowa w rozporządzenie nr 537 2014\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 60.0, array(['jednostka'], dtype=object)]\n", + "the audit committee shall operate within the public interest entity be a committee responsible for issue relate to the audit refer to in regulation no 537 2014\n", + "the audit committee shall operate within the public interest entity jednostka be a committee responsible for issue relate to the audit refer to in regulation no 537 2014\n", + "w jednostka zainteresowanie publiczny działać komitet audyt który jest komitet do sprawa audy tu o którym mowa w rozporządzenie nr 537 2014\n", + "=====================================================================\n", + "[('interest', 100.0, 664), 87.5, array(['odsetki'], dtype=object)]\n", + "the audit committee shall operate within the public interest entity be a committee responsible for issue relate to the audit refer to in regulation no 537 2014\n", + "the audit committee shall operate within the public interest odsetki entity be a committee responsible for issue relate to the audit refer to in regulation no 537 2014\n", + "w jednostka zainteresowanie publiczny działać komitet audyt który jest komitet do sprawa audy tu o którym mowa w rozporządzenie nr 537 2014\n", + "=====================================================================\n", + "[('public interest', 100.0, 919), 62.5, array(['interes publiczny'], dtype=object)]\n", + "the audit committee shall operate within the public interest entity be a committee responsible for issue relate to the audit refer to in regulation no 537 2014\n", + "the audit committee shall operate within the public interest interes publiczny entity be a committee responsible for issue relate to the audit refer to in regulation no 537 2014\n", + "w jednostka zainteresowanie publiczny działać komitet audyt który jest komitet do sprawa audy tu o którym mowa w rozporządzenie nr 537 2014\n", + "=====================================================================\n", + "[('account', 100.0, 13), 54.54545454545455, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the procedure for control the audit firm shall take account of the principle of proportionality when use national auditing standard during the statutory audits of entity other than the large entity\n", + "the procedure for control the audit firm shall take account konto of the principle of proportionality when use national auditing standard during the statutory audits of entity other than the large entity\n", + "procedura kontrola firma audytorski uwzględniać obowiązywanie zasada proporcjonalny ści przy stosowaniu krajowy standard badanie przy badanie ustawowy jednostka inny niż duży jednostka\n", + "=====================================================================\n", + "[('account', 100.0, 25), 54.54545454545455, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the procedure for control the audit firm shall take account of the principle of proportionality when use national auditing standard during the statutory audits of entity other than the large entity\n", + "the procedure for control the audit firm shall take account konto of the principle of proportionality when use national auditing standard during the statutory audits of entity other than the large entity\n", + "procedura kontrola firma audytorski uwzględniać obowiązywanie zasada proporcjonalny ści przy stosowaniu krajowy standard badanie przy badanie ustawowy jednostka inny niż duży jednostka\n", + "=====================================================================\n", + "[('account', 100.0, 57), 54.54545454545455, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the procedure for control the audit firm shall take account of the principle of proportionality when use national auditing standard during the statutory audits of entity other than the large entity\n", + "the procedure for control the audit firm shall take account konto of the principle of proportionality when use national auditing standard during the statutory audits of entity other than the large entity\n", + "procedura kontrola firma audytorski uwzględniać obowiązywanie zasada proporcjonalny ści przy stosowaniu krajowy standard badanie przy badanie ustawowy jednostka inny niż duży jednostka\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the procedure for control the audit firm shall take account of the principle of proportionality when use national auditing standard during the statutory audits of entity other than the large entity\n", + "the procedure for control the audit badanie sprawozdania finansowego firm shall take account of the principle of proportionality when use national auditing standard during the statutory audits of entity other than the large entity\n", + "procedura kontrola firma audytorski uwzględniać obowiązywanie zasada proporcjonalny ści przy stosowaniu krajowy standard badanie przy badanie ustawowy jednostka inny niż duży jednostka\n", + "=====================================================================\n", + "[('auditing standard', 100.0, 124), 72.0, array(['standardy badania sprawozdań finansowych'], dtype=object)]\n", + "the procedure for control the audit firm shall take account of the principle of proportionality when use national auditing standard during the statutory audits of entity other than the large entity\n", + "the procedure for control the audit firm shall take account of the principle of proportionality when use national auditing standard standardy badania sprawozdań finansowych during the statutory audits of entity other than the large entity\n", + "procedura kontrola firma audytorski uwzględniać obowiązywanie zasada proporcjonalny ści przy stosowaniu krajowy standard badanie przy badanie ustawowy jednostka inny niż duży jednostka\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the statutory auditor of the relate fund shall immediately notify the commission and the feeder fund of any irregularity confirm in the report on the audit or in the report on the review of the financial statement of the master fund and their effect on the feeder fund\n", + "the statutory auditor badanie sprawozdania finansowego of the relate fund shall immediately notify the commission and the feeder fund of any irregularity confirm in the report on the audit or in the report on the review of the financial statement of the master fund and their effect on the feeder fund\n", + "biegły rewident fundusz powiązanego jest obowiązany niezwłocznie powiadomić komisja i fundusz powiązany o wszelkich nieprawidłowość stwierdzonych w sprawozdanie z badanie lub przegląd sprawa zdanie finansowy fundusz podstawowy oraz o on wpływ na fundusz powiązany 8 w art 169o ust\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "the statutory auditor of the relate fund shall immediately notify the commission and the feeder fund of any irregularity confirm in the report on the audit or in the report on the review of the financial statement of the master fund and their effect on the feeder fund\n", + "the statutory auditor biegły rewident of the relate fund shall immediately notify the commission and the feeder fund of any irregularity confirm in the report on the audit or in the report on the review of the financial statement of the master fund and their effect on the feeder fund\n", + "biegły rewident fundusz powiązanego jest obowiązany niezwłocznie powiadomić komisja i fundusz powiązany o wszelkich nieprawidłowość stwierdzonych w sprawozdanie z badanie lub przegląd sprawa zdanie finansowy fundusz podstawowy oraz o on wpływ na fundusz powiązany 8 w art 169o ust\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "the statutory auditor of the relate fund shall immediately notify the commission and the feeder fund of any irregularity confirm in the report on the audit or in the report on the review of the financial statement of the master fund and their effect on the feeder fund\n", + "the statutory auditor of the relate fund shall immediately notify the commission prowizje and the feeder fund of any irregularity confirm in the report on the audit or in the report on the review of the financial statement of the master fund and their effect on the feeder fund\n", + "biegły rewident fundusz powiązanego jest obowiązany niezwłocznie powiadomić komisja i fundusz powiązany o wszelkich nieprawidłowość stwierdzonych w sprawozdanie z badanie lub przegląd sprawa zdanie finansowy fundusz podstawowy oraz o on wpływ na fundusz powiązany 8 w art 169o ust\n", + "=====================================================================\n", + "[('financial statement', 100.0, 526), 60.0, array(['sprawozdanie finansowe'], dtype=object)]\n", + "the statutory auditor of the relate fund shall immediately notify the commission and the feeder fund of any irregularity confirm in the report on the audit or in the report on the review of the financial statement of the master fund and their effect on the feeder fund\n", + "the statutory auditor of the relate fund shall immediately notify the commission and the feeder fund of any irregularity confirm in the report on the audit or in the report on the review of the financial statement sprawozdanie finansowe of the master fund and their effect on the feeder fund\n", + "biegły rewident fundusz powiązanego jest obowiązany niezwłocznie powiadomić komisja i fundusz powiązany o wszelkich nieprawidłowość stwierdzonych w sprawozdanie z badanie lub przegląd sprawa zdanie finansowy fundusz podstawowy oraz o on wpływ na fundusz powiązany 8 w art 169o ust\n", + "=====================================================================\n", + "[('report', 100.0, 963), 100.0, array(['sprawozdawczość'], dtype=object)]\n", + "the statutory auditor of the relate fund shall immediately notify the commission and the feeder fund of any irregularity confirm in the report on the audit or in the report on the review of the financial statement of the master fund and their effect on the feeder fund\n", + "the statutory auditor of the relate fund shall immediately notify the commission and the feeder fund of any irregularity confirm in the report sprawozdawczość on the audit or in the report on the review of the financial statement of the master fund and their effect on the feeder fund\n", + "biegły rewident fundusz powiązanego jest obowiązany niezwłocznie powiadomić komisja i fundusz powiązany o wszelkich nieprawidłowość stwierdzonych w sprawozdanie z badanie lub przegląd sprawa zdanie finansowy fundusz podstawowy oraz o on wpływ na fundusz powiązany 8 w art 169o ust\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 66.66666666666666, array(['aktywa'], dtype=object)]\n", + "risk be relate to such area as for example the security of company s financial asset and information include sensitive personal data corporate and trade secret protection against unauthorized access to industrial automation and production control system and last but not least company s image\n", + "risk be relate to such area as aktywa for example the security of company s financial asset and information include sensitive personal data corporate and trade secret protection against unauthorized access to industrial automation and production control system and last but not least company s image\n", + "zagrożenie związane są między inny z bezpieczeństwo środki finansowy w spółka ochroną informacja w tym wrażliwy dane osobowy ochrona tajemnica przedsiębiorstwo zabezpieczenie przed nieautoryzowanym dostęp do system automatyka przemysłowy i sterowanie produkcja czy też z wizerunek organizacja\n", + "=====================================================================\n", + "[('company', 100.0, 245), 66.66666666666666, array(['spółka kapitałowa'], dtype=object)]\n", + "risk be relate to such area as for example the security of company s financial asset and information include sensitive personal data corporate and trade secret protection against unauthorized access to industrial automation and production control system and last but not least company s image\n", + "risk be relate to such area as for example the security of company spółka kapitałowa s financial asset and information include sensitive personal data corporate and trade secret protection against unauthorized access to industrial automation and production control system and last but not least company s image\n", + "zagrożenie związane są między inny z bezpieczeństwo środki finansowy w spółka ochroną informacja w tym wrażliwy dane osobowy ochrona tajemnica przedsiębiorstwo zabezpieczenie przed nieautoryzowanym dostęp do system automatyka przemysłowy i sterowanie produkcja czy też z wizerunek organizacja\n", + "=====================================================================\n", + "[('control', 100.0, 289), 60.0, array(['kontrola '], dtype=object)]\n", + "risk be relate to such area as for example the security of company s financial asset and information include sensitive personal data corporate and trade secret protection against unauthorized access to industrial automation and production control system and last but not least company s image\n", + "risk be relate to such area as for example the security of company s financial asset and information include sensitive personal data corporate and trade secret protection against unauthorized access to industrial automation and production control kontrola system and last but not least company s image\n", + "zagrożenie związane są między inny z bezpieczeństwo środki finansowy w spółka ochroną informacja w tym wrażliwy dane osobowy ochrona tajemnica przedsiębiorstwo zabezpieczenie przed nieautoryzowanym dostęp do system automatyka przemysłowy i sterowanie produkcja czy też z wizerunek organizacja\n", + "=====================================================================\n", + "[('financial asset', 100.0, 514), 62.5, array(['aktywa finansowe'], dtype=object)]\n", + "risk be relate to such area as for example the security of company s financial asset and information include sensitive personal data corporate and trade secret protection against unauthorized access to industrial automation and production control system and last but not least company s image\n", + "risk be relate to such area as for example the security of company s financial asset aktywa finansowe and information include sensitive personal data corporate and trade secret protection against unauthorized access to industrial automation and production control system and last but not least company s image\n", + "zagrożenie związane są między inny z bezpieczeństwo środki finansowy w spółka ochroną informacja w tym wrażliwy dane osobowy ochrona tajemnica przedsiębiorstwo zabezpieczenie przed nieautoryzowanym dostęp do system automatyka przemysłowy i sterowanie produkcja czy też z wizerunek organizacja\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the audit oversight commission transfer the information mention in passage 1 to the registration body of a country in which the statutory auditor be register 3\n", + "the audit badanie sprawozdania finansowego oversight commission transfer the information mention in passage 1 to the registration body of a country in which the statutory auditor be register 3\n", + "komisja nadzór audytowy przekazywać informacja o której mowa w ust 1 organ rejestrującemu państwo w którym biegły rewident jest także zarejestrowany 3\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "the audit oversight commission transfer the information mention in passage 1 to the registration body of a country in which the statutory auditor be register 3\n", + "the audit biegły rewident oversight commission transfer the information mention in passage 1 to the registration body of a country in which the statutory auditor be register 3\n", + "komisja nadzór audytowy przekazywać informacja o której mowa w ust 1 organ rejestrującemu państwo w którym biegły rewident jest także zarejestrowany 3\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "the audit oversight commission transfer the information mention in passage 1 to the registration body of a country in which the statutory auditor be register 3\n", + "the audit oversight commission prowizje transfer the information mention in passage 1 to the registration body of a country in which the statutory auditor be register 3\n", + "komisja nadzór audytowy przekazywać informacja o której mowa w ust 1 organ rejestrującemu państwo w którym biegły rewident jest także zarejestrowany 3\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 100.0, array(['nadzór'], dtype=object)]\n", + "the audit oversight commission transfer the information mention in passage 1 to the registration body of a country in which the statutory auditor be register 3\n", + "the audit oversight nadzór commission transfer the information mention in passage 1 to the registration body of a country in which the statutory auditor be register 3\n", + "komisja nadzór audytowy przekazywać informacja o której mowa w ust 1 organ rejestrującemu państwo w którym biegły rewident jest także zarejestrowany 3\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 66.66666666666666, array(['aktywa'], dtype=object)]\n", + "any change in the fair value of these instrument be take to finance income positive change in the fair value or finance cost negative change in the fair value in the income statement statement of comprehensive income where a contract contain one or more embed derivative the entire contract may be designate as a financial asset at fair value through profit or loss except where the embed derivative do not significantly modify the underlie cash flow or it be clear with or without high level review that have similar hybrid instrument be consider in the first place separation of the embed derivative would be expressly forbid\n", + "any change in the fair value of these instrument be take to finance income positive change in the fair value or finance cost negative change in the fair value in the income statement statement of comprehensive income where a aktywa contract contain one or more embed derivative the entire contract may be designate as a financial asset at fair value through profit or loss except where the embed derivative do not significantly modify the underlie cash flow or it be clear with or without high level review that have similar hybrid instrument be consider in the first place separation of the embed derivative would be expressly forbid\n", + "zmiana wartość tych instrument finansowy ujmowane są w rachunek zysk i strat sprawozdanie z całkowity dochód jako przychód korzystny zmiana netto wartość godziwy lub koszt korzystny zmiana netto wartość godziwy finansowy jeżeli kontrakt zawierać jeden lub więcej wbudowanych instrument pochodny cały kontrakt móc zostać zakwalifikowany do kategoria aktywa finansowy wycenianych w wartość godziwy przez wynik finansowy nie dotyczyć to przypadek gdy wbudowany instrument pochodny nie wpływać istotnie na przepływ pieniężny z kontrakt lub jest rzecz oczywisty bez przeprowadzania lub po pobieżny analiza że gdyby podobny hybrydowy instrument był najpierw rozważany to oddzielenie wbudowanego instrument pochodny byłoby zabronione\n", + "=====================================================================\n", + "[('cash', 100.0, 203), 66.66666666666666, array(['środki pieniężne'], dtype=object)]\n", + "any change in the fair value of these instrument be take to finance income positive change in the fair value or finance cost negative change in the fair value in the income statement statement of comprehensive income where a contract contain one or more embed derivative the entire contract may be designate as a financial asset at fair value through profit or loss except where the embed derivative do not significantly modify the underlie cash flow or it be clear with or without high level review that have similar hybrid instrument be consider in the first place separation of the embed derivative would be expressly forbid\n", + "any change in the fair value of these instrument be take to finance income positive change in the fair value or finance cost negative change in the fair value in the income statement statement of comprehensive income where a środki pieniężne contract contain one or more embed derivative the entire contract may be designate as a financial asset at fair value through profit or loss except where the embed derivative do not significantly modify the underlie cash flow or it be clear with or without high level review that have similar hybrid instrument be consider in the first place separation of the embed derivative would be expressly forbid\n", + "zmiana wartość tych instrument finansowy ujmowane są w rachunek zysk i strat sprawozdanie z całkowity dochód jako przychód korzystny zmiana netto wartość godziwy lub koszt korzystny zmiana netto wartość godziwy finansowy jeżeli kontrakt zawierać jeden lub więcej wbudowanych instrument pochodny cały kontrakt móc zostać zakwalifikowany do kategoria aktywa finansowy wycenianych w wartość godziwy przez wynik finansowy nie dotyczyć to przypadek gdy wbudowany instrument pochodny nie wpływać istotnie na przepływ pieniężny z kontrakt lub jest rzecz oczywisty bez przeprowadzania lub po pobieżny analiza że gdyby podobny hybrydowy instrument był najpierw rozważany to oddzielenie wbudowanego instrument pochodny byłoby zabronione\n", + "=====================================================================\n", + "[('comprehensive income', 100.0, 253), 50.0, array(['zysk całkowity'], dtype=object)]\n", + "any change in the fair value of these instrument be take to finance income positive change in the fair value or finance cost negative change in the fair value in the income statement statement of comprehensive income where a contract contain one or more embed derivative the entire contract may be designate as a financial asset at fair value through profit or loss except where the embed derivative do not significantly modify the underlie cash flow or it be clear with or without high level review that have similar hybrid instrument be consider in the first place separation of the embed derivative would be expressly forbid\n", + "any change in the fair value of these instrument be take to finance income positive change in the fair value or finance cost negative change in the fair value in the income statement statement of comprehensive income zysk całkowity where a contract contain one or more embed derivative the entire contract may be designate as a financial asset at fair value through profit or loss except where the embed derivative do not significantly modify the underlie cash flow or it be clear with or without high level review that have similar hybrid instrument be consider in the first place separation of the embed derivative would be expressly forbid\n", + "zmiana wartość tych instrument finansowy ujmowane są w rachunek zysk i strat sprawozdanie z całkowity dochód jako przychód korzystny zmiana netto wartość godziwy lub koszt korzystny zmiana netto wartość godziwy finansowy jeżeli kontrakt zawierać jeden lub więcej wbudowanych instrument pochodny cały kontrakt móc zostać zakwalifikowany do kategoria aktywa finansowy wycenianych w wartość godziwy przez wynik finansowy nie dotyczyć to przypadek gdy wbudowany instrument pochodny nie wpływać istotnie na przepływ pieniężny z kontrakt lub jest rzecz oczywisty bez przeprowadzania lub po pobieżny analiza że gdyby podobny hybrydowy instrument był najpierw rozważany to oddzielenie wbudowanego instrument pochodny byłoby zabronione\n", + "=====================================================================\n", + "[('contract', 100.0, 282), 80.0, array(['kontrakt', 'umowa'], dtype=object)]\n", + "any change in the fair value of these instrument be take to finance income positive change in the fair value or finance cost negative change in the fair value in the income statement statement of comprehensive income where a contract contain one or more embed derivative the entire contract may be designate as a financial asset at fair value through profit or loss except where the embed derivative do not significantly modify the underlie cash flow or it be clear with or without high level review that have similar hybrid instrument be consider in the first place separation of the embed derivative would be expressly forbid\n", + "any change in the fair value of these instrument be take to finance income positive change in the fair value or finance cost negative change in the fair value in the income statement statement of comprehensive income where a kontrakt contract contain one or more embed derivative the entire contract may be designate as a financial asset at fair value through profit or loss except where the embed derivative do not significantly modify the underlie cash flow or it be clear with or without high level review that have similar hybrid instrument be consider in the first place separation of the embed derivative would be expressly forbid\n", + "zmiana wartość tych instrument finansowy ujmowane są w rachunek zysk i strat sprawozdanie z całkowity dochód jako przychód korzystny zmiana netto wartość godziwy lub koszt korzystny zmiana netto wartość godziwy finansowy jeżeli kontrakt zawierać jeden lub więcej wbudowanych instrument pochodny cały kontrakt móc zostać zakwalifikowany do kategoria aktywa finansowy wycenianych w wartość godziwy przez wynik finansowy nie dotyczyć to przypadek gdy wbudowany instrument pochodny nie wpływać istotnie na przepływ pieniężny z kontrakt lub jest rzecz oczywisty bez przeprowadzania lub po pobieżny analiza że gdyby podobny hybrydowy instrument był najpierw rozważany to oddzielenie wbudowanego instrument pochodny byłoby zabronione\n", + "=====================================================================\n", + "[('contract', 100.0, 283), 80.0, array(['kontrakt', 'umowa'], dtype=object)]\n", + "any change in the fair value of these instrument be take to finance income positive change in the fair value or finance cost negative change in the fair value in the income statement statement of comprehensive income where a contract contain one or more embed derivative the entire contract may be designate as a financial asset at fair value through profit or loss except where the embed derivative do not significantly modify the underlie cash flow or it be clear with or without high level review that have similar hybrid instrument be consider in the first place separation of the embed derivative would be expressly forbid\n", + "any change in the fair value of these instrument be take to finance income positive change in the fair value or finance cost negative change in the fair value in the income statement statement of comprehensive income where a kontrakt contract contain one or more embed derivative the entire contract may be designate as a financial asset at fair value through profit or loss except where the embed derivative do not significantly modify the underlie cash flow or it be clear with or without high level review that have similar hybrid instrument be consider in the first place separation of the embed derivative would be expressly forbid\n", + "zmiana wartość tych instrument finansowy ujmowane są w rachunek zysk i strat sprawozdanie z całkowity dochód jako przychód korzystny zmiana netto wartość godziwy lub koszt korzystny zmiana netto wartość godziwy finansowy jeżeli kontrakt zawierać jeden lub więcej wbudowanych instrument pochodny cały kontrakt móc zostać zakwalifikowany do kategoria aktywa finansowy wycenianych w wartość godziwy przez wynik finansowy nie dotyczyć to przypadek gdy wbudowany instrument pochodny nie wpływać istotnie na przepływ pieniężny z kontrakt lub jest rzecz oczywisty bez przeprowadzania lub po pobieżny analiza że gdyby podobny hybrydowy instrument był najpierw rozważany to oddzielenie wbudowanego instrument pochodny byłoby zabronione\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "in the act of 16 february 2007 on competition and consumer protection dz u of 2017 item 229 in article 31 after item 16a item 16b shall be add as follow 16b cooperation with the audit oversight commission include provision of information explanation and transfer of document to the extent necessary to perform task relate to the market monitoring as refer to in article 27 of regulation eu no 537 2014 of the european parliament and of the council of 16 april 2014 on specific requirement regard statutory audit of public interest entity and repeal commission decision 2005 909 ec oj eu l 158 of 27 05 2014 p 77 and oj eu l 170 of 11 06 2014 p 66\n", + "in the act of 16 february 2007 on competition and consumer protection dz u badanie sprawozdania finansowego of 2017 item 229 in article 31 after item 16a item 16b shall be add as follow 16b cooperation with the audit oversight commission include provision of information explanation and transfer of document to the extent necessary to perform task relate to the market monitoring as refer to in article 27 of regulation eu no 537 2014 of the european parliament and of the council of 16 april 2014 on specific requirement regard statutory audit of public interest entity and repeal commission decision 2005 909 ec oj eu l 158 of 27 05 2014 p 77 and oj eu l 170 of 11 06 2014 p 66\n", + "w ustawa z dzień 16 luty 2007 r o ochrona konkurencja i konsument dz u z 2017 r poz 229 w art 31 po pkt 16a dodawać się pkt 16b w brzmienie 16b współpraca z komisja nadzór audytowy w tym udzielanie informacja wyjaśnienie i przekazywanie dok mentów w zakres zbędny do realizacja zadanie związanych z monitorowaniem rynek w zakres o któ rym mowa w art 27 rozporządzenie parlament europejski i rada ue nr 537 2014 z dzień 16 kwiecień 2014 r w sprawa szczegółowy wymóg dotyczących ustawowy badanie sprawozdanie finansowy jedno stek interes publiczny uchylającego decyzja komisja 2005 909 we dz urz ue l 158 z 27 05 2014 str 77 oraz dz urz ue l 170 z 11 06 2014 str 66\n", + "=====================================================================\n", + "[('coo', 100.0, 184), 100.0, array(['dyrektor operacyjny'], dtype=object)]\n", + "in the act of 16 february 2007 on competition and consumer protection dz u of 2017 item 229 in article 31 after item 16a item 16b shall be add as follow 16b cooperation with the audit oversight commission include provision of information explanation and transfer of document to the extent necessary to perform task relate to the market monitoring as refer to in article 27 of regulation eu no 537 2014 of the european parliament and of the council of 16 april 2014 on specific requirement regard statutory audit of public interest entity and repeal commission decision 2005 909 ec oj eu l 158 of 27 05 2014 p 77 and oj eu l 170 of 11 06 2014 p 66\n", + "in the act of 16 february 2007 on competition and consumer protection dz u of 2017 item 229 in article 31 after item 16a item 16b shall be add as follow 16b cooperation dyrektor operacyjny with the audit oversight commission include provision of information explanation and transfer of document to the extent necessary to perform task relate to the market monitoring as refer to in article 27 of regulation eu no 537 2014 of the european parliament and of the council of 16 april 2014 on specific requirement regard statutory audit of public interest entity and repeal commission decision 2005 909 ec oj eu l 158 of 27 05 2014 p 77 and oj eu l 170 of 11 06 2014 p 66\n", + "w ustawa z dzień 16 luty 2007 r o ochrona konkurencja i konsument dz u z 2017 r poz 229 w art 31 po pkt 16a dodawać się pkt 16b w brzmienie 16b współpraca z komisja nadzór audytowy w tym udzielanie informacja wyjaśnienie i przekazywanie dok mentów w zakres zbędny do realizacja zadanie związanych z monitorowaniem rynek w zakres o któ rym mowa w art 27 rozporządzenie parlament europejski i rada ue nr 537 2014 z dzień 16 kwiecień 2014 r w sprawa szczegółowy wymóg dotyczących ustawowy badanie sprawozdanie finansowy jedno stek interes publiczny uchylającego decyzja komisja 2005 909 we dz urz ue l 158 z 27 05 2014 str 77 oraz dz urz ue l 170 z 11 06 2014 str 66\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "in the act of 16 february 2007 on competition and consumer protection dz u of 2017 item 229 in article 31 after item 16a item 16b shall be add as follow 16b cooperation with the audit oversight commission include provision of information explanation and transfer of document to the extent necessary to perform task relate to the market monitoring as refer to in article 27 of regulation eu no 537 2014 of the european parliament and of the council of 16 april 2014 on specific requirement regard statutory audit of public interest entity and repeal commission decision 2005 909 ec oj eu l 158 of 27 05 2014 p 77 and oj eu l 170 of 11 06 2014 p 66\n", + "in the act of 16 february 2007 on prowizje competition and consumer protection dz u of 2017 item 229 in article 31 after item 16a item 16b shall be add as follow 16b cooperation with the audit oversight commission include provision of information explanation and transfer of document to the extent necessary to perform task relate to the market monitoring as refer to in article 27 of regulation eu no 537 2014 of the european parliament and of the council of 16 april 2014 on specific requirement regard statutory audit of public interest entity and repeal commission decision 2005 909 ec oj eu l 158 of 27 05 2014 p 77 and oj eu l 170 of 11 06 2014 p 66\n", + "w ustawa z dzień 16 luty 2007 r o ochrona konkurencja i konsument dz u z 2017 r poz 229 w art 31 po pkt 16a dodawać się pkt 16b w brzmienie 16b współpraca z komisja nadzór audytowy w tym udzielanie informacja wyjaśnienie i przekazywanie dok mentów w zakres zbędny do realizacja zadanie związanych z monitorowaniem rynek w zakres o któ rym mowa w art 27 rozporządzenie parlament europejski i rada ue nr 537 2014 z dzień 16 kwiecień 2014 r w sprawa szczegółowy wymóg dotyczących ustawowy badanie sprawozdanie finansowy jedno stek interes publiczny uchylającego decyzja komisja 2005 909 we dz urz ue l 158 z 27 05 2014 str 77 oraz dz urz ue l 170 z 11 06 2014 str 66\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 100.0, array(['jednostka'], dtype=object)]\n", + "in the act of 16 february 2007 on competition and consumer protection dz u of 2017 item 229 in article 31 after item 16a item 16b shall be add as follow 16b cooperation with the audit oversight commission include provision of information explanation and transfer of document to the extent necessary to perform task relate to the market monitoring as refer to in article 27 of regulation eu no 537 2014 of the european parliament and of the council of 16 april 2014 on specific requirement regard statutory audit of public interest entity and repeal commission decision 2005 909 ec oj eu l 158 of 27 05 2014 p 77 and oj eu l 170 of 11 06 2014 p 66\n", + "in the act of 16 february 2007 on competition and consumer protection dz u of 2017 item 229 in article 31 after item 16a item 16b shall be add as follow 16b cooperation with the audit oversight commission include provision of information explanation and transfer of document to the extent necessary to perform task relate to the market monitoring as refer to in article 27 of regulation eu no 537 2014 of the european parliament and of the council of 16 april 2014 on specific requirement regard statutory audit of public interest entity jednostka and repeal commission decision 2005 909 ec oj eu l 158 of 27 05 2014 p 77 and oj eu l 170 of 11 06 2014 p 66\n", + "w ustawa z dzień 16 luty 2007 r o ochrona konkurencja i konsument dz u z 2017 r poz 229 w art 31 po pkt 16a dodawać się pkt 16b w brzmienie 16b współpraca z komisja nadzór audytowy w tym udzielanie informacja wyjaśnienie i przekazywanie dok mentów w zakres zbędny do realizacja zadanie związanych z monitorowaniem rynek w zakres o któ rym mowa w art 27 rozporządzenie parlament europejski i rada ue nr 537 2014 z dzień 16 kwiecień 2014 r w sprawa szczegółowy wymóg dotyczących ustawowy badanie sprawozdanie finansowy jedno stek interes publiczny uchylającego decyzja komisja 2005 909 we dz urz ue l 158 z 27 05 2014 str 77 oraz dz urz ue l 170 z 11 06 2014 str 66\n", + "=====================================================================\n", + "[('interest', 100.0, 664), 100.0, array(['odsetki'], dtype=object)]\n", + "in the act of 16 february 2007 on competition and consumer protection dz u of 2017 item 229 in article 31 after item 16a item 16b shall be add as follow 16b cooperation with the audit oversight commission include provision of information explanation and transfer of document to the extent necessary to perform task relate to the market monitoring as refer to in article 27 of regulation eu no 537 2014 of the european parliament and of the council of 16 april 2014 on specific requirement regard statutory audit of public interest entity and repeal commission decision 2005 909 ec oj eu l 158 of 27 05 2014 p 77 and oj eu l 170 of 11 06 2014 p 66\n", + "in odsetki the act of 16 february 2007 on competition and consumer protection dz u of 2017 item 229 in article 31 after item 16a item 16b shall be add as follow 16b cooperation with the audit oversight commission include provision of information explanation and transfer of document to the extent necessary to perform task relate to the market monitoring as refer to in article 27 of regulation eu no 537 2014 of the european parliament and of the council of 16 april 2014 on specific requirement regard statutory audit of public interest entity and repeal commission decision 2005 909 ec oj eu l 158 of 27 05 2014 p 77 and oj eu l 170 of 11 06 2014 p 66\n", + "w ustawa z dzień 16 luty 2007 r o ochrona konkurencja i konsument dz u z 2017 r poz 229 w art 31 po pkt 16a dodawać się pkt 16b w brzmienie 16b współpraca z komisja nadzór audytowy w tym udzielanie informacja wyjaśnienie i przekazywanie dok mentów w zakres zbędny do realizacja zadanie związanych z monitorowaniem rynek w zakres o któ rym mowa w art 27 rozporządzenie parlament europejski i rada ue nr 537 2014 z dzień 16 kwiecień 2014 r w sprawa szczegółowy wymóg dotyczących ustawowy badanie sprawozdanie finansowy jedno stek interes publiczny uchylającego decyzja komisja 2005 909 we dz urz ue l 158 z 27 05 2014 str 77 oraz dz urz ue l 170 z 11 06 2014 str 66\n", + "=====================================================================\n", + "[('cap', 100.0, 178), 66.66666666666666, array(['dyplomowany księgowy'], dtype=object)]\n", + "of issue capital hold by the group if joint operation be a separate entity\n", + "of issue capital dyplomowany księgowy hold by the group if joint operation be a separate entity\n", + "procentowy udział grupa w kapitała jeśli wspólny działanie mieć forma odrębny jednostka\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 66.66666666666666, array(['jednostka'], dtype=object)]\n", + "of issue capital hold by the group if joint operation be a separate entity\n", + "of issue capital hold by jednostka the group if joint operation be a separate entity\n", + "procentowy udział grupa w kapitała jeśli wspólny działanie mieć forma odrębny jednostka\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "of issue capital hold by the group if joint operation be a separate entity\n", + "of issue capital hold by the group grupa kapitałowa if joint operation be a separate entity\n", + "procentowy udział grupa w kapitała jeśli wspólny działanie mieć forma odrębny jednostka\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 100.0, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "development of the system for management of compliance with the requirement of the law and ethic development of a comprehensive system of compliance management base on recognize market practice and standard for compliance and ethic\n", + "development of the system for management of compliance with the requirement of the law and ethic development of a comprehensive system of compliance management base on recognize koszty sprzedanych produktów, towarów i materiałów market practice and standard for compliance and ethic\n", + "opracowanie system zarządzanie zgodność z wymaganie prawo i etyka opracowanie kompleksowy system zarządzanie zgodność w oparcie o uznany praktyka rynkowy oraz standard compliance i etyczny\n", + "=====================================================================\n", + "[('financial instrument', 100.0, 516), 76.47058823529412, array(['instrumenty finansowe'], dtype=object)]\n", + "the follow table show the carrying amount of the group s financial instrument that be expose to the risk of interest rate by instrument maturity\n", + "the follow table show the carrying amount of the group s financial instrument instrumenty finansowe that be expose to the risk of interest rate by instrument maturity\n", + "w poniższy tabela przedstawiona została wartość bilansowy instrument finansowy grupa narażonych na ryzyka stopa procentowy w podział na poszczególny kategoria wiekowy\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "the follow table show the carrying amount of the group s financial instrument that be expose to the risk of interest rate by instrument maturity\n", + "the follow table show the carrying amount of the group grupa kapitałowa s financial instrument that be expose to the risk of interest rate by instrument maturity\n", + "w poniższy tabela przedstawiona została wartość bilansowy instrument finansowy grupa narażonych na ryzyka stopa procentowy w podział na poszczególny kategoria wiekowy\n", + "=====================================================================\n", + "[('interest', 100.0, 664), 66.66666666666666, array(['odsetki'], dtype=object)]\n", + "the follow table show the carrying amount of the group s financial instrument that be expose to the risk of interest rate by instrument maturity\n", + "the follow table show the carrying amount of the group s odsetki financial instrument that be expose to the risk of interest rate by instrument maturity\n", + "w poniższy tabela przedstawiona została wartość bilansowy instrument finansowy grupa narażonych na ryzyka stopa procentowy w podział na poszczególny kategoria wiekowy\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "in assess whether the group s investment in an associate or joint venture be impaired the provision of ias 39 be apply\n", + "in assess whether the group grupa kapitałowa s investment in an associate or joint venture be impaired the provision of ias 39 be apply\n", + "przy ocena konieczność ujęcie utrata wartość inwestycja grupa w jednostka stowarzyszony lub wspólny przedsięwzięcie stosować się wymóg msr 39\n", + "=====================================================================\n", + "[('provision', 100.0, 909), 66.66666666666666, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "in assess whether the group s investment in an associate or joint venture be impaired the provision of ias 39 be apply\n", + "in assess whether the group s rezerwa investment in an associate or joint venture be impaired the provision of ias 39 be apply\n", + "przy ocena konieczność ujęcie utrata wartość inwestycja grupa w jednostka stowarzyszony lub wspólny przedsięwzięcie stosować się wymóg msr 39\n", + "=====================================================================\n", + "[('provision', 100.0, 911), 66.66666666666666, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "in assess whether the group s investment in an associate or joint venture be impaired the provision of ias 39 be apply\n", + "in assess whether the group s rezerwa investment in an associate or joint venture be impaired the provision of ias 39 be apply\n", + "przy ocena konieczność ujęcie utrata wartość inwestycja grupa w jednostka stowarzyszony lub wspólny przedsięwzięcie stosować się wymóg msr 39\n", + "=====================================================================\n", + "[('ifrs', 100.0, 624), 40.0, array(['mssf'], dtype=object)]\n", + "implementation of ifrs 15\n", + "implementation of ifrs mssf 15\n", + "wdrożenie mssf 15\n", + "=====================================================================\n", + "[('payable', 100.0, 853), 54.54545454545455, array(['zobowiązania z tytułu dostaw i usług'], dtype=object)]\n", + "remuneration pay or payable to member of management and supervisory boards\n", + "remuneration pay zobowiązania z tytułu dostaw i usług or payable to member of management and supervisory boards\n", + "wynagrodzenie wypłacone lub należny członek zarząd oraz członek rada nadzorczy spółka\n", + "=====================================================================\n", + "[('supervisory board', 100.0, 1071), 44.44444444444444, array(['rada nadzorcza'], dtype=object)]\n", + "remuneration pay or payable to member of management and supervisory boards\n", + "remuneration pay or payable to member of management and supervisory rada nadzorcza boards\n", + "wynagrodzenie wypłacone lub należny członek zarząd oraz członek rada nadzorczy spółka\n", + "=====================================================================\n", + "[('company', 100.0, 245), 61.53846153846154, array(['spółka kapitałowa'], dtype=object)]\n", + "the company also contract derivative transaction principally interest rate swap and currency forward contract\n", + "the company spółka kapitałowa also contract derivative transaction principally interest rate swap and currency forward contract\n", + "spółka zawierać również transakcja z udział instrument pochodny przed wszystkim kontrakt na zamiana stopa procentowy swap procentowy oraz walutowy kontrakt terminowy typ forward\n", + "=====================================================================\n", + "[('contract', 100.0, 282), 80.0, array(['kontrakt', 'umowa'], dtype=object)]\n", + "the company also contract derivative transaction principally interest rate swap and currency forward contract\n", + "the company also contract kontrakt derivative transaction principally interest rate swap and currency forward contract\n", + "spółka zawierać również transakcja z udział instrument pochodny przed wszystkim kontrakt na zamiana stopa procentowy swap procentowy oraz walutowy kontrakt terminowy typ forward\n", + "=====================================================================\n", + "[('contract', 100.0, 283), 80.0, array(['kontrakt', 'umowa'], dtype=object)]\n", + "the company also contract derivative transaction principally interest rate swap and currency forward contract\n", + "the company also contract kontrakt derivative transaction principally interest rate swap and currency forward contract\n", + "spółka zawierać również transakcja z udział instrument pochodny przed wszystkim kontrakt na zamiana stopa procentowy swap procentowy oraz walutowy kontrakt terminowy typ forward\n", + "=====================================================================\n", + "[('derivative', 100.0, 377), 50.0, array(['instrumenty pochodne'], dtype=object)]\n", + "the company also contract derivative transaction principally interest rate swap and currency forward contract\n", + "the company also contract derivative instrumenty pochodne transaction principally interest rate swap and currency forward contract\n", + "spółka zawierać również transakcja z udział instrument pochodny przed wszystkim kontrakt na zamiana stopa procentowy swap procentowy oraz walutowy kontrakt terminowy typ forward\n", + "=====================================================================\n", + "[('interest', 100.0, 664), 66.66666666666666, array(['odsetki'], dtype=object)]\n", + "the company also contract derivative transaction principally interest rate swap and currency forward contract\n", + "the company also contract derivative transaction principally interest odsetki rate swap and currency forward contract\n", + "spółka zawierać również transakcja z udział instrument pochodny przed wszystkim kontrakt na zamiana stopa procentowy swap procentowy oraz walutowy kontrakt terminowy typ forward\n", + "=====================================================================\n", + "[('account', 100.0, 13), 50.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "these location account for 59 of the total number of new investment into service center in poland\n", + "these location account konto for 59 of the total number of new investment into service center in poland\n", + "wymienione ośrodek skupiać 59 ogólny liczba nowy inwestycja w centrum usługi w polska\n", + "=====================================================================\n", + "[('account', 100.0, 25), 50.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "these location account for 59 of the total number of new investment into service center in poland\n", + "these location account konto for 59 of the total number of new investment into service center in poland\n", + "wymienione ośrodek skupiać 59 ogólny liczba nowy inwestycja w centrum usługi w polska\n", + "=====================================================================\n", + "[('account', 100.0, 57), 50.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "these location account for 59 of the total number of new investment into service center in poland\n", + "these location account konto for 59 of the total number of new investment into service center in poland\n", + "wymienione ośrodek skupiać 59 ogólny liczba nowy inwestycja w centrum usługi w polska\n", + "=====================================================================\n", + "[('guarantee', 100.0, 594), 66.66666666666666, array(['udzielić gwarancji'], dtype=object)]\n", + "financial guarantee\n", + "financial udzielić gwarancji guarantee\n", + "gwarancja finansowy\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 50.0, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "any change in the fair value of these liability be recognise in the profit or loss as finance income or finance cost\n", + "any change in the fair value of these liability be recognise koszty sprzedanych produktów, towarów i materiałów in the profit or loss as finance income or finance cost\n", + "zmiana w wartość godziwy tych instrument są ujmowane w zysk lub strata jako koszt lub przychód finansowy\n", + "=====================================================================\n", + "[('cost', 100.0, 303), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "any change in the fair value of these liability be recognise in the profit or loss as finance income or finance cost\n", + "any change in the fair value of these liability be recognise in the profit or loss koszt as finance income or finance cost\n", + "zmiana w wartość godziwy tych instrument są ujmowane w zysk lub strata jako koszt lub przychód finansowy\n", + "=====================================================================\n", + "[('cost', 100.0, 324), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "any change in the fair value of these liability be recognise in the profit or loss as finance income or finance cost\n", + "any change in the fair value of these liability be recognise in the profit or loss koszt as finance income or finance cost\n", + "zmiana w wartość godziwy tych instrument są ujmowane w zysk lub strata jako koszt lub przychód finansowy\n", + "=====================================================================\n", + "[('fair value', 100.0, 497), 44.44444444444444, array(['wartość godziwa'], dtype=object)]\n", + "any change in the fair value of these liability be recognise in the profit or loss as finance income or finance cost\n", + "any change in the fair value wartość godziwa of these liability be recognise in the profit or loss as finance income or finance cost\n", + "zmiana w wartość godziwy tych instrument są ujmowane w zysk lub strata jako koszt lub przychód finansowy\n", + "=====================================================================\n", + "[('finance cost', 100.0, 507), 53.333333333333336, array(['koszty finansowe'], dtype=object)]\n", + "any change in the fair value of these liability be recognise in the profit or loss as finance income or finance cost\n", + "any change in the fair value of these liability be recognise in the profit or loss as finance income koszty finansowe or finance cost\n", + "zmiana w wartość godziwy tych instrument są ujmowane w zysk lub strata jako koszt lub przychód finansowy\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 50.0, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "apply a percentage of completion method the group currently recognise revenue and trade and other receivable\n", + "apply a percentage of completion method the group currently recognise koszty sprzedanych produktów, towarów i materiałów revenue and trade and other receivable\n", + "grupa rozpoznawać przychód zgodnie z metoda stopień zaawansowanie w korespondencja z pozycja należność z tytuł dostawa i usługi oraz pozostały należność\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "apply a percentage of completion method the group currently recognise revenue and trade and other receivable\n", + "apply a percentage of completion method the group grupa kapitałowa currently recognise revenue and trade and other receivable\n", + "grupa rozpoznawać przychód zgodnie z metoda stopień zaawansowanie w korespondencja z pozycja należność z tytuł dostawa i usługi oraz pozostały należność\n", + "=====================================================================\n", + "[('percentage of completion method', 100.0, 858), 48.484848484848484, array(['metoda procentowej realizacji'], dtype=object)]\n", + "apply a percentage of completion method the group currently recognise revenue and trade and other receivable\n", + "apply a percentage of completion method metoda procentowej realizacji the group currently recognise revenue and trade and other receivable\n", + "grupa rozpoznawać przychód zgodnie z metoda stopień zaawansowanie w korespondencja z pozycja należność z tytuł dostawa i usługi oraz pozostały należność\n", + "=====================================================================\n", + "[('revenue', 100.0, 983), 42.857142857142854, array(['przychód'], dtype=object)]\n", + "apply a percentage of completion method the group currently recognise revenue and trade and other receivable\n", + "apply a percentage of completion method the group currently recognise revenue przychód and trade and other receivable\n", + "grupa rozpoznawać przychód zgodnie z metoda stopień zaawansowanie w korespondencja z pozycja należność z tytuł dostawa i usługi oraz pozostały należność\n", + "=====================================================================\n", + "[('cost', 100.0, 303), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "work in progress at cost\n", + "work in progress at koszt cost\n", + "produkcja w tok według koszt wytworzenia\n", + "=====================================================================\n", + "[('cost', 100.0, 324), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "work in progress at cost\n", + "work in progress at koszt cost\n", + "produkcja w tok według koszt wytworzenia\n", + "=====================================================================\n", + "[('work in progress', 100.0, 1183), 47.05882352941177, array(['produkcja w toku'], dtype=object)]\n", + "work in progress at cost\n", + "work in progress produkcja w toku at cost\n", + "produkcja w tok według koszt wytworzenia\n", + "=====================================================================\n", + "[('account', 100.0, 13), 61.53846153846154, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the company s accounting policy in relation to derivative be set out in note\n", + "the company s accounting konto policy in relation to derivative be set out in note\n", + "zasada rachunkowość spółka dotyczące instrument pochodny zostały omówione w nota\n", + "=====================================================================\n", + "[('account', 100.0, 25), 61.53846153846154, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the company s accounting policy in relation to derivative be set out in note\n", + "the company s accounting konto policy in relation to derivative be set out in note\n", + "zasada rachunkowość spółka dotyczące instrument pochodny zostały omówione w nota\n", + "=====================================================================\n", + "[('accounting policy', 100.0, 45), 51.61290322580645, array(['zasady rachunkowości'], dtype=object)]\n", + "the company s accounting policy in relation to derivative be set out in note\n", + "the company s accounting policy zasady rachunkowości in relation to derivative be set out in note\n", + "zasada rachunkowość spółka dotyczące instrument pochodny zostały omówione w nota\n", + "=====================================================================\n", + "[('account', 100.0, 57), 61.53846153846154, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the company s accounting policy in relation to derivative be set out in note\n", + "the company s accounting konto policy in relation to derivative be set out in note\n", + "zasada rachunkowość spółka dotyczące instrument pochodny zostały omówione w nota\n", + "=====================================================================\n", + "[('company', 100.0, 245), 61.53846153846154, array(['spółka kapitałowa'], dtype=object)]\n", + "the company s accounting policy in relation to derivative be set out in note\n", + "the company spółka kapitałowa s accounting policy in relation to derivative be set out in note\n", + "zasada rachunkowość spółka dotyczące instrument pochodny zostały omówione w nota\n", + "=====================================================================\n", + "[('note', 100.0, 791), 40.0, array(['informacja dodatkowa'], dtype=object)]\n", + "loan note\n", + "loan informacja dodatkowa note\n", + "obligacja pożyczkowy\n", + "=====================================================================\n", + "[('loan a', 90.9090909090909, 722), 0, array(['kredyt (udzielony)'], dtype=object)]\n", + "loan note\n", + "loan note kredyt (udzielony) \n", + "obligacja pożyczkowy\n", + "=====================================================================\n", + "[('company', 100.0, 245), 100.0, array(['spółka kapitałowa'], dtype=object)]\n", + "a mortgage security be establish on land and building with a carrying amount of pln thousand at 31 december 2016 pln thousand in respect of bank loan take out by the company note\n", + "a spółka kapitałowa mortgage security be establish on land and building with a carrying amount of pln thousand at 31 december 2016 pln thousand in respect of bank loan take out by the company note\n", + "grunt i budynek o wartość bilansowy tysiąc pln na dzienie 31 grudzień 2016 rok tysiąc pln objęte są hipoteka ustanowioną w cel zabezpieczenie kredyt bankowy spółki nota jeśli dotyczyć\n", + "=====================================================================\n", + "[('note', 100.0, 791), 100.0, array(['informacja dodatkowa'], dtype=object)]\n", + "a mortgage security be establish on land and building with a carrying amount of pln thousand at 31 december 2016 pln thousand in respect of bank loan take out by the company note\n", + "a mortgage security be establish on land and building with a carrying amount of pln thousand at 31 december 2016 pln thousand in respect of bank loan take out by the informacja dodatkowa company note\n", + "grunt i budynek o wartość bilansowy tysiąc pln na dzienie 31 grudzień 2016 rok tysiąc pln objęte są hipoteka ustanowioną w cel zabezpieczenie kredyt bankowy spółki nota jeśli dotyczyć\n", + "=====================================================================\n", + "[('c a', 100.0, 176), 66.66666666666666, array(['dyplomowany biegły rewident'], dtype=object)]\n", + "the share of ssc and company from the overall market offer retirement or life insurance plan be very similar\n", + "the share of ssc and dyplomowany biegły rewident company from the overall market offer retirement or life insurance plan be very similar\n", + "udział centrum ssc oraz firma z rynek ogólny oferujących plan emerytalny czy ubezpieczenie na żyto jest bardzo zbliżony\n", + "=====================================================================\n", + "[('company', 100.0, 245), 75.0, array(['spółka kapitałowa'], dtype=object)]\n", + "the share of ssc and company from the overall market offer retirement or life insurance plan be very similar\n", + "the share of ssc and company spółka kapitałowa from the overall market offer retirement or life insurance plan be very similar\n", + "udział centrum ssc oraz firma z rynek ogólny oferujących plan emerytalny czy ubezpieczenie na żyto jest bardzo zbliżony\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 50.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "chapter 9 disciplinary responsibility of the statutory auditor section 1 disciplinary proceeding article 139 1\n", + "chapter 9 disciplinary responsibility of the statutory auditor badanie sprawozdania finansowego section 1 disciplinary proceeding article 139 1\n", + "rozdział 9 odpowiedzialność dyscyplinarny biegły rewident oddział 1 postępowanie dyscyplinarny art 139 1\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 50.0, array(['biegły rewident'], dtype=object)]\n", + "chapter 9 disciplinary responsibility of the statutory auditor section 1 disciplinary proceeding article 139 1\n", + "chapter 9 disciplinary responsibility of the statutory auditor biegły rewident section 1 disciplinary proceeding article 139 1\n", + "rozdział 9 odpowiedzialność dyscyplinarny biegły rewident oddział 1 postępowanie dyscyplinarny art 139 1\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 66.66666666666666, array(['aktywa'], dtype=object)]\n", + "present below be the key assumption concern the future and other key source of uncertainty at the reporting date that incur a significant risk of a material adjustment to the carrying amount of asset and liability within the next financial year\n", + "present below be the key assumption concern the future and other key source of uncertainty at the reporting date that incur a aktywa significant risk of a material adjustment to the carrying amount of asset and liability within the next financial year\n", + "poniżej omówić podstawowy założenie dotyczące przyszłość i inny kluczowy źródło niepewność występujące na dzienie bilansowy z którymi związane jest istotny ryzyka znaczący korekta wartość bilansowy aktywa i zobowiązanie w następny rok finansowy\n", + "=====================================================================\n", + "[('liability', 100.0, 716), 100.0, array(['zobowiązania'], dtype=object)]\n", + "present below be the key assumption concern the future and other key source of uncertainty at the reporting date that incur a significant risk of a material adjustment to the carrying amount of asset and liability within the next financial year\n", + "present below be the key assumption concern the future and other key source of uncertainty at the reporting date that incur a zobowiązania significant risk of a material adjustment to the carrying amount of asset and liability within the next financial year\n", + "poniżej omówić podstawowy założenie dotyczące przyszłość i inny kluczowy źródło niepewność występujące na dzienie bilansowy z którymi związane jest istotny ryzyka znaczący korekta wartość bilansowy aktywa i zobowiązanie w następny rok finansowy\n", + "=====================================================================\n", + "[('report', 100.0, 963), 54.54545454545455, array(['sprawozdawczość'], dtype=object)]\n", + "present below be the key assumption concern the future and other key source of uncertainty at the reporting date that incur a significant risk of a material adjustment to the carrying amount of asset and liability within the next financial year\n", + "present below be the key assumption concern the future and other key source of uncertainty at the reporting sprawozdawczość date that incur a significant risk of a material adjustment to the carrying amount of asset and liability within the next financial year\n", + "poniżej omówić podstawowy założenie dotyczące przyszłość i inny kluczowy źródło niepewność występujące na dzienie bilansowy z którymi związane jest istotny ryzyka znaczący korekta wartość bilansowy aktywa i zobowiązanie w następny rok finansowy\n", + "=====================================================================\n", + "[('go concern', 90.0, 580), 50.0, array(['kontynuacja działalności'], dtype=object)]\n", + "present below be the key assumption concern the future and other key source of uncertainty at the reporting date that incur a significant risk of a material adjustment to the carrying amount of asset and liability within the next financial year\n", + "present below be the key assumption concern kontynuacja działalności the future and other key source of uncertainty at the reporting date that incur a significant risk of a material adjustment to the carrying amount of asset and liability within the next financial year\n", + "poniżej omówić podstawowy założenie dotyczące przyszłość i inny kluczowy źródło niepewność występujące na dzienie bilansowy z którymi związane jest istotny ryzyka znaczący korekta wartość bilansowy aktywa i zobowiązanie w następny rok finansowy\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the statutory auditor enter in the register of statutory auditor may pursue the profession after notify the national council of statutory auditors in writing of commencement and form of pursue the profession in particular about the address and the name of the audit firm on behalf of which the auditor shall pursue the profession\n", + "the statutory auditor badanie sprawozdania finansowego enter in the register of statutory auditor may pursue the profession after notify the national council of statutory auditors in writing of commencement and form of pursue the profession in particular about the address and the name of the audit firm on behalf of which the auditor shall pursue the profession\n", + "biegły rewident móc wykonywać zawód po uprzedni zawiadomienie krajowy rada biegły rewident o podjęcie i forma wykonywania zawód a w szczególność o adres i nazwa firma audytorski w imię której być wykonywać zawód\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "the statutory auditor enter in the register of statutory auditor may pursue the profession after notify the national council of statutory auditors in writing of commencement and form of pursue the profession in particular about the address and the name of the audit firm on behalf of which the auditor shall pursue the profession\n", + "the statutory auditor biegły rewident enter in the register of statutory auditor may pursue the profession after notify the national council of statutory auditors in writing of commencement and form of pursue the profession in particular about the address and the name of the audit firm on behalf of which the auditor shall pursue the profession\n", + "biegły rewident móc wykonywać zawód po uprzedni zawiadomienie krajowy rada biegły rewident o podjęcie i forma wykonywania zawód a w szczególność o adres i nazwa firma audytorski w imię której być wykonywać zawód\n", + "=====================================================================\n", + "[('group', 100.0, 593), 88.88888888888889, array(['grupa kapitałowa'], dtype=object)]\n", + "the clothing and gm property and mall group procurement together provide far xm\n", + "the clothing and gm property and mall group grupa kapitałowa procurement together provide far xm\n", + "odzieża i gm nieruchomość i centrum handlowy zakup grupowy łącznie dawać daleki x mln\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 50.0, array(['aktywa'], dtype=object)]\n", + "other receivable include in particular prepayment for future purchase of property plant and equipment intangible asset and inventory\n", + "other receivable include in particular prepayment for future purchase of property plant and equipment intangible asset aktywa and inventory\n", + "pozostały należność obejmować w szczególność zaliczka przekazane z tytuł przyszły zakupy rzeczowy aktywa trwały aktywa materialny oraz zapasy\n", + "=====================================================================\n", + "[('intangible asset', 100.0, 660), 41.37931034482759, array(['wartości niematerialne i prawne'], dtype=object)]\n", + "other receivable include in particular prepayment for future purchase of property plant and equipment intangible asset and inventory\n", + "other receivable include in particular prepayment for future purchase of property plant and equipment intangible asset wartości niematerialne i prawne and inventory\n", + "pozostały należność obejmować w szczególność zaliczka przekazane z tytuł przyszły zakupy rzeczowy aktywa trwały aktywa materialny oraz zapasy\n", + "=====================================================================\n", + "[('prepayment', 100.0, 884), 55.55555555555556, array(['rozliczenia międzyokresowe kosztów,'], dtype=object)]\n", + "other receivable include in particular prepayment for future purchase of property plant and equipment intangible asset and inventory\n", + "other receivable include in particular prepayment rozliczenia międzyokresowe kosztów, for future purchase of property plant and equipment intangible asset and inventory\n", + "pozostały należność obejmować w szczególność zaliczka przekazane z tytuł przyszły zakupy rzeczowy aktywa trwały aktywa materialny oraz zapasy\n", + "=====================================================================\n", + "[('tangible asset', 100.0, 1079), 41.666666666666664, array(['środki trwałe'], dtype=object)]\n", + "other receivable include in particular prepayment for future purchase of property plant and equipment intangible asset and inventory\n", + "other receivable include in particular prepayment for future purchase of property plant and equipment intangible asset środki trwałe and inventory\n", + "pozostały należność obejmować w szczególność zaliczka przekazane z tytuł przyszły zakupy rzeczowy aktywa trwały aktywa materialny oraz zapasy\n", + "=====================================================================\n", + "[('property plant and equipment', 93.33333333333333, 906), 40.0, array(['środki trwałe'], dtype=object)]\n", + "other receivable include in particular prepayment for future purchase of property plant and equipment intangible asset and inventory\n", + "other receivable include in particular prepayment for future purchase of property plant and equipment środki trwałe intangible asset and inventory\n", + "pozostały należność obejmować w szczególność zaliczka przekazane z tytuł przyszły zakupy rzeczowy aktywa trwały aktywa materialny oraz zapasy\n", + "=====================================================================\n", + "[('company', 100.0, 245), 57.142857142857146, array(['spółka kapitałowa'], dtype=object)]\n", + "the result of the study concern the activity of business service center whose parent company have headquarter in poland polish center and abroad foreign center\n", + "the result of the study concern the activity of business service center whose parent company spółka kapitałowa have headquarter in poland polish center and abroad foreign center\n", + "wynik zaprezentowanych analiza dotyczyć działalność centrum usługi których firma macierzysty posiadać centrala w polska centrum polski oraz poza on granica centrum zagraniczny\n", + "=====================================================================\n", + "[('amortisation', 100.0, 90), 100.0, array(['amortyzacja'], dtype=object)]\n", + "amortisation may begin as soon as an adjustment be make however no later than when the hedge item cease to be adjust for change in its fair value attributable to the risk be hedge\n", + "amortisation amortyzacja may begin as soon as an adjustment be make however no later than when the hedge item cease to be adjust for change in its fair value attributable to the risk be hedge\n", + "amortyzacja móc rozpocząć się od moment dokonanie korekta jednakże nie późno niż w moment zaprzestanie korygowania pozycja zabezpieczanej o zmiana wartość godziwy wynikające z zabezpieczanego ryzyko\n", + "=====================================================================\n", + "[('fair value', 100.0, 497), 42.857142857142854, array(['wartość godziwa'], dtype=object)]\n", + "amortisation may begin as soon as an adjustment be make however no later than when the hedge item cease to be adjust for change in its fair value attributable to the risk be hedge\n", + "amortisation may begin as soon as an adjustment be make however no later than when the hedge item cease to be adjust for change in its fair value wartość godziwa attributable to the risk be hedge\n", + "amortyzacja móc rozpocząć się od moment dokonanie korekta jednakże nie późno niż w moment zaprzestanie korygowania pozycja zabezpieczanej o zmiana wartość godziwy wynikające z zabezpieczanego ryzyko\n", + "=====================================================================\n", + "[('hedge', 100.0, 600), 50.0, array(['transakcje zabezpieczające'], dtype=object)]\n", + "amortisation may begin as soon as an adjustment be make however no later than when the hedge item cease to be adjust for change in its fair value attributable to the risk be hedge\n", + "amortisation may begin as soon as an adjustment be make however no later than when the hedge transakcje zabezpieczające item cease to be adjust for change in its fair value attributable to the risk be hedge\n", + "amortyzacja móc rozpocząć się od moment dokonanie korekta jednakże nie późno niż w moment zaprzestanie korygowania pozycja zabezpieczanej o zmiana wartość godziwy wynikające z zabezpieczanego ryzyko\n", + "=====================================================================\n", + "[('isa', 100.0, 628), 80.0, array(['międzynarodowe standardy rewizji finansowej'], dtype=object)]\n", + "amortisation may begin as soon as an adjustment be make however no later than when the hedge item cease to be adjust for change in its fair value attributable to the risk be hedge\n", + "amortisation międzynarodowe standardy rewizji finansowej may begin as soon as an adjustment be make however no later than when the hedge item cease to be adjust for change in its fair value attributable to the risk be hedge\n", + "amortyzacja móc rozpocząć się od moment dokonanie korekta jednakże nie późno niż w moment zaprzestanie korygowania pozycja zabezpieczanej o zmiana wartość godziwy wynikające z zabezpieczanego ryzyko\n", + "=====================================================================\n", + "[('par value', 88.88888888888889, 850), 44.44444444444444, array(['wartość nominalna'], dtype=object)]\n", + "amortisation may begin as soon as an adjustment be make however no later than when the hedge item cease to be adjust for change in its fair value attributable to the risk be hedge\n", + "amortisation may begin as soon as an adjustment be make however no later than when the hedge item cease to be adjust for change in its fair value wartość nominalna attributable to the risk be hedge\n", + "amortyzacja móc rozpocząć się od moment dokonanie korekta jednakże nie późno niż w moment zaprzestanie korygowania pozycja zabezpieczanej o zmiana wartość godziwy wynikające z zabezpieczanego ryzyko\n", + "=====================================================================\n", + "[('cap', 100.0, 178), 33.33333333333333, array(['dyplomowany księgowy'], dtype=object)]\n", + "capital commitment\n", + "capital dyplomowany księgowy commitment\n", + "zobowiązanie inwestycyjny\n", + "=====================================================================\n", + "[('commitment', 100.0, 243), 33.33333333333333, array(['zobowiązanie'], dtype=object)]\n", + "capital commitment\n", + "capital zobowiązanie commitment\n", + "zobowiązanie inwestycyjny\n", + "=====================================================================\n", + "[('lease', 100.0, 709), 88.88888888888889, array(['leasing'], dtype=object)]\n", + "present value of minimum lease payment of which short term long term\n", + "present value of minimum lease leasing payment of which short term long term\n", + "wartość bieżąca minimalny opłata leasingowy w tym krótkoterminowy\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "operating lease receivables group as lessor\n", + "operating lease receivables group grupa kapitałowa as lessor\n", + "należność z tytuł leasing operacyjny grupa jako leasingodawca\n", + "=====================================================================\n", + "[('lease receivable', 100.0, 708), 48.275862068965516, array(['należności z tytułu leasingu'], dtype=object)]\n", + "operating lease receivables group as lessor\n", + "operating lease receivables należności z tytułu leasingu group as lessor\n", + "należność z tytuł leasing operacyjny grupa jako leasingodawca\n", + "=====================================================================\n", + "[('lease', 100.0, 709), 88.88888888888889, array(['leasing'], dtype=object)]\n", + "operating lease receivables group as lessor\n", + "operating lease leasing receivables group as lessor\n", + "należność z tytuł leasing operacyjny grupa jako leasingodawca\n", + "=====================================================================\n", + "[('operating loss', 88.0, 811), 60.869565217391305, array(['strata operacyjna'], dtype=object)]\n", + "operating lease receivables group as lessor\n", + "operating lease strata operacyjna receivables group as lessor\n", + "należność z tytuł leasing operacyjny grupa jako leasingodawca\n", + "=====================================================================\n", + "[('financial instrument', 100.0, 516), 75.0, array(['instrumenty finansowe'], dtype=object)]\n", + "part of a portfolio of identify financial instrument that be manage together and for which there be evidence of a recent actual pattern of short term profit taking or\n", + "part of a portfolio of identify financial instrument instrumenty finansowe that be manage together and for which there be evidence of a recent actual pattern of short term profit taking or\n", + "część portfel określony instrument finansowy zarządzanych łącznie i co do których istnieć prawdopodobieństwo uzyskania zysk w krótki termin\n", + "=====================================================================\n", + "[('profit', 100.0, 898), 100.0, array(['zysk'], dtype=object)]\n", + "part of a portfolio of identify financial instrument that be manage together and for which there be evidence of a recent actual pattern of short term profit taking or\n", + "part of zysk a portfolio of identify financial instrument that be manage together and for which there be evidence of a recent actual pattern of short term profit taking or\n", + "część portfel określony instrument finansowy zarządzanych łącznie i co do których istnieć prawdopodobieństwo uzyskania zysk w krótki termin\n", + "=====================================================================\n", + "[('account', 100.0, 13), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "remuneration for conduct of the audit by the audit firm remuneration of the statutory auditor and subcontractor act on their behalf and account can not 1 depend on any condition include audit result 2 shape or depend on provision for the audited unit or its affiliate additional non audit service by the audit firm any of its affiliate or any entity belong to the network\n", + "remuneration for conduct of the audit by the audit firm remuneration of the statutory auditor and subcontractor act on their behalf and account konto can not 1 depend on any condition include audit result 2 shape or depend on provision for the audited unit or its affiliate additional non audit service by the audit firm any of its affiliate or any entity belong to the network\n", + "wynagrodzenie za przeprowadzenie badanie uzyskiwane przez firma audytorski biegły rewident oraz podwykonawca działających w on imię i na on rzecz nie móc być 1 uzależniony od żadnych warunki w tym od wynik badanie 2 kształtowane lub uzależniony od świadczenie na rzecz badany jednostka lub jednostka z on powiązanych dodatko wych usługi niebędących badanie przez firma audytorski lub jakikolwiek podmiot powiązany z firma audytorski lub należący do sieć\n", + "=====================================================================\n", + "[('account', 100.0, 25), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "remuneration for conduct of the audit by the audit firm remuneration of the statutory auditor and subcontractor act on their behalf and account can not 1 depend on any condition include audit result 2 shape or depend on provision for the audited unit or its affiliate additional non audit service by the audit firm any of its affiliate or any entity belong to the network\n", + "remuneration for conduct of the audit by the audit firm remuneration of the statutory auditor and subcontractor act on their behalf and account konto can not 1 depend on any condition include audit result 2 shape or depend on provision for the audited unit or its affiliate additional non audit service by the audit firm any of its affiliate or any entity belong to the network\n", + "wynagrodzenie za przeprowadzenie badanie uzyskiwane przez firma audytorski biegły rewident oraz podwykonawca działających w on imię i na on rzecz nie móc być 1 uzależniony od żadnych warunki w tym od wynik badanie 2 kształtowane lub uzależniony od świadczenie na rzecz badany jednostka lub jednostka z on powiązanych dodatko wych usługi niebędących badanie przez firma audytorski lub jakikolwiek podmiot powiązany z firma audytorski lub należący do sieć\n", + "=====================================================================\n", + "[('account', 100.0, 57), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "remuneration for conduct of the audit by the audit firm remuneration of the statutory auditor and subcontractor act on their behalf and account can not 1 depend on any condition include audit result 2 shape or depend on provision for the audited unit or its affiliate additional non audit service by the audit firm any of its affiliate or any entity belong to the network\n", + "remuneration for conduct of the audit by the audit firm remuneration of the statutory auditor and subcontractor act on their behalf and account konto can not 1 depend on any condition include audit result 2 shape or depend on provision for the audited unit or its affiliate additional non audit service by the audit firm any of its affiliate or any entity belong to the network\n", + "wynagrodzenie za przeprowadzenie badanie uzyskiwane przez firma audytorski biegły rewident oraz podwykonawca działających w on imię i na on rzecz nie móc być 1 uzależniony od żadnych warunki w tym od wynik badanie 2 kształtowane lub uzależniony od świadczenie na rzecz badany jednostka lub jednostka z on powiązanych dodatko wych usługi niebędących badanie przez firma audytorski lub jakikolwiek podmiot powiązany z firma audytorski lub należący do sieć\n", + "=====================================================================\n", + "[('affiliate', 100.0, 80), 100.0, array(['jednostka afiliowana'], dtype=object)]\n", + "remuneration for conduct of the audit by the audit firm remuneration of the statutory auditor and subcontractor act on their behalf and account can not 1 depend on any condition include audit result 2 shape or depend on provision for the audited unit or its affiliate additional non audit service by the audit firm any of its affiliate or any entity belong to the network\n", + "remuneration for conduct of the audit by the audit firm remuneration of the statutory auditor and subcontractor act on their behalf and account can not 1 depend on any condition include audit result 2 shape or depend on provision for the audited unit or its affiliate jednostka afiliowana additional non audit service by the audit firm any of its affiliate or any entity belong to the network\n", + "wynagrodzenie za przeprowadzenie badanie uzyskiwane przez firma audytorski biegły rewident oraz podwykonawca działających w on imię i na on rzecz nie móc być 1 uzależniony od żadnych warunki w tym od wynik badanie 2 kształtowane lub uzależniony od świadczenie na rzecz badany jednostka lub jednostka z on powiązanych dodatko wych usługi niebędących badanie przez firma audytorski lub jakikolwiek podmiot powiązany z firma audytorski lub należący do sieć\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "remuneration for conduct of the audit by the audit firm remuneration of the statutory auditor and subcontractor act on their behalf and account can not 1 depend on any condition include audit result 2 shape or depend on provision for the audited unit or its affiliate additional non audit service by the audit firm any of its affiliate or any entity belong to the network\n", + "remuneration for conduct of the audit badanie sprawozdania finansowego by the audit firm remuneration of the statutory auditor and subcontractor act on their behalf and account can not 1 depend on any condition include audit result 2 shape or depend on provision for the audited unit or its affiliate additional non audit service by the audit firm any of its affiliate or any entity belong to the network\n", + "wynagrodzenie za przeprowadzenie badanie uzyskiwane przez firma audytorski biegły rewident oraz podwykonawca działających w on imię i na on rzecz nie móc być 1 uzależniony od żadnych warunki w tym od wynik badanie 2 kształtowane lub uzależniony od świadczenie na rzecz badany jednostka lub jednostka z on powiązanych dodatko wych usługi niebędących badanie przez firma audytorski lub jakikolwiek podmiot powiązany z firma audytorski lub należący do sieć\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 66.66666666666666, array(['aktywa'], dtype=object)]\n", + "wstawić kto w grupie poszczególnych spółkach odpowiada za tę czynność define the rule and procedure relate to both systematic re measurement to fair value of for example investment property and non listed financial asset as well as to one off measurement of i e asset available for sale in discontinued operation\n", + "wstawić kto w grupie poszczególnych spółkach odpowiada za tę czynność define the rule and procedure relate to both systematic re measurement to fair value of for example investment property and non listed financial asset aktywa as well as to one off measurement of i e asset available for sale in discontinued operation\n", + "wstawić kto w grupa poszczególny spółka odpowiadać za tę czynność określać zasada i procedura dotyczące zarówno systematyczny wyceniania do wartość godziwy np nieruchomość inwestycyjny oraz nienotowanych aktywa finansowy jak i wycena jednorazowy np w przypadek aktywa przeznaczonych do sprzedaż w działalność zaniechanej\n", + "=====================================================================\n", + "[('ema', 100.0, 410), 100.0, array(['rachunkowość zarządcza ochrony środowiska'], dtype=object)]\n", + "wstawić kto w grupie poszczególnych spółkach odpowiada za tę czynność define the rule and procedure relate to both systematic re measurement to fair value of for example investment property and non listed financial asset as well as to one off measurement of i e asset available for sale in discontinued operation\n", + "wstawić kto w grupie poszczególnych spółkach odpowiada za tę czynność define the rule and procedure relate to both systematic rachunkowość zarządcza ochrony środowiska re measurement to fair value of for example investment property and non listed financial asset as well as to one off measurement of i e asset available for sale in discontinued operation\n", + "wstawić kto w grupa poszczególny spółka odpowiadać za tę czynność określać zasada i procedura dotyczące zarówno systematyczny wyceniania do wartość godziwy np nieruchomość inwestycyjny oraz nienotowanych aktywa finansowy jak i wycena jednorazowy np w przypadek aktywa przeznaczonych do sprzedaż w działalność zaniechanej\n", + "=====================================================================\n", + "[('fair value', 100.0, 497), 50.0, array(['wartość godziwa'], dtype=object)]\n", + "wstawić kto w grupie poszczególnych spółkach odpowiada za tę czynność define the rule and procedure relate to both systematic re measurement to fair value of for example investment property and non listed financial asset as well as to one off measurement of i e asset available for sale in discontinued operation\n", + "wstawić kto w grupie poszczególnych spółkach odpowiada za tę czynność define the rule and procedure relate to both systematic re measurement to fair value wartość godziwa of for example investment property and non listed financial asset as well as to one off measurement of i e asset available for sale in discontinued operation\n", + "wstawić kto w grupa poszczególny spółka odpowiadać za tę czynność określać zasada i procedura dotyczące zarówno systematyczny wyceniania do wartość godziwy np nieruchomość inwestycyjny oraz nienotowanych aktywa finansowy jak i wycena jednorazowy np w przypadek aktywa przeznaczonych do sprzedaż w działalność zaniechanej\n", + "=====================================================================\n", + "[('financial asset', 100.0, 514), 58.333333333333336, array(['aktywa finansowe'], dtype=object)]\n", + "wstawić kto w grupie poszczególnych spółkach odpowiada za tę czynność define the rule and procedure relate to both systematic re measurement to fair value of for example investment property and non listed financial asset as well as to one off measurement of i e asset available for sale in discontinued operation\n", + "wstawić kto w grupie poszczególnych spółkach odpowiada za tę czynność define the rule and procedure relate to both systematic re measurement to fair value of for example investment property and non listed financial asset aktywa finansowe as well as to one off measurement of i e asset available for sale in discontinued operation\n", + "wstawić kto w grupa poszczególny spółka odpowiadać za tę czynność określać zasada i procedura dotyczące zarówno systematyczny wyceniania do wartość godziwy np nieruchomość inwestycyjny oraz nienotowanych aktywa finansowy jak i wycena jednorazowy np w przypadek aktywa przeznaczonych do sprzedaż w działalność zaniechanej\n", + "=====================================================================\n", + "[('investment property', 100.0, 693), 60.0, array(['nieruchomości inwestycyjne'], dtype=object)]\n", + "wstawić kto w grupie poszczególnych spółkach odpowiada za tę czynność define the rule and procedure relate to both systematic re measurement to fair value of for example investment property and non listed financial asset as well as to one off measurement of i e asset available for sale in discontinued operation\n", + "wstawić kto w grupie poszczególnych spółkach odpowiada za tę czynność define the rule and procedure relate to both systematic re measurement to fair value of for example investment property nieruchomości inwestycyjne and non listed financial asset as well as to one off measurement of i e asset available for sale in discontinued operation\n", + "wstawić kto w grupa poszczególny spółka odpowiadać za tę czynność określać zasada i procedura dotyczące zarówno systematyczny wyceniania do wartość godziwy np nieruchomość inwestycyjny oraz nienotowanych aktywa finansowy jak i wycena jednorazowy np w przypadek aktywa przeznaczonych do sprzedaż w działalność zaniechanej\n", + "=====================================================================\n", + "[('ppe', 100.0, 844), 66.66666666666666, array(['środki trwałe'], dtype=object)]\n", + "the absence of the accuse or his her defence counsel at the hearing or the session of the national disciplinary court or failure to appear after be summon by an authority conduct the disciplinary investigation shall not withhold the examination of the case or the conduct proceeding unless they duly justify his her absence and at the same time apply for the hearing or the session to be adjourn or discontinue or for proceeding not to be conduct before the authority conduct the disciplinary investigation or the national disciplinary court or an authority conduct the disciplinary investigation consider their presence necessary for important reason\n", + "the absence of the accuse or his her defence counsel at the hearing or the session of the national disciplinary court or failure to appear środki trwałe after be summon by an authority conduct the disciplinary investigation shall not withhold the examination of the case or the conduct proceeding unless they duly justify his her absence and at the same time apply for the hearing or the session to be adjourn or discontinue or for proceeding not to be conduct before the authority conduct the disciplinary investigation or the national disciplinary court or an authority conduct the disciplinary investigation consider their presence necessary for important reason\n", + "niestawiennictwo obwiniony lub on obrońca na rozprawa lub posiedzenie krajowy sąd dyscy plinarnego lub wezwanie organ prowadzący dochodzenie dyscyplinarny nie wstrzymywać rozpoznanie sprawa lub prze prowadzenie czynność chyba że należycie usprawiedliwić on swoją nieobecność jednocześnie wnosić o odroczenie lub przerwanie rozprawa lub posiedzenie lub nieprzeprowadzanie czynność przed organ prowadzący dochodzenie dys cyplinarne albo krajowy sąd dyscyplinarny lub organ prowadzący dochodzenie dyscyplinarny z ważny przyczyna uzna on obecność za konieczną\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "the group be compose of nazwa jednostki dominującej and the follow subsidiary\n", + "the group grupa kapitałowa be compose of nazwa jednostki dominującej and the follow subsidiary\n", + "w skład grupa wchodzić nazwa jednostka dominujący oraz następujący spółka zależny\n", + "=====================================================================\n", + "[('subsidiary', 100.0, 1066), 40.0, array(['jednostka zależna'], dtype=object)]\n", + "the group be compose of nazwa jednostki dominującej and the follow subsidiary\n", + "the group be jednostka zależna compose of nazwa jednostki dominującej and the follow subsidiary\n", + "w skład grupa wchodzić nazwa jednostka dominujący oraz następujący spółka zależny\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 100.0, array(['jednostka'], dtype=object)]\n", + "the primary source of information about the way in which these entity operate be the result of a nationwide survey that we conduct in q1 of 2018 for which the tool use be an online survey questionnaire\n", + "the primary source of information about the way in which these entity jednostka operate be the result of a nationwide survey that we conduct in q1 of 2018 for which the tool use be an online survey questionnaire\n", + "podstawowy źródło infor macji na temat funkcjonowanie tych podmiot były wynik ogólnopolski badanie które przeprowadzić w i kw 2018 r wykorzystywać narzędzie w postać kwestionariusz ankieta internetowy\n", + "=====================================================================\n", + "[('contract', 100.0, 282), 46.15384615384615, array(['kontrakt', 'umowa'], dtype=object)]\n", + "other be amortise over the term of the contract year use the straight line method\n", + "other be amortise over the term of the contract kontrakt year use the straight line method\n", + "amortyzowane przez okres umowa rok metoda liniowy\n", + "=====================================================================\n", + "[('contract', 100.0, 283), 46.15384615384615, array(['kontrakt', 'umowa'], dtype=object)]\n", + "other be amortise over the term of the contract year use the straight line method\n", + "other be amortise over the term of the contract kontrakt year use the straight line method\n", + "amortyzowane przez okres umowa rok metoda liniowy\n", + "=====================================================================\n", + "[('straight line method', 100.0, 1061), 52.17391304347826, array(['metoda liniowa'], dtype=object)]\n", + "other be amortise over the term of the contract year use the straight line method\n", + "other be amortise over the term of the contract year use the straight line metoda liniowa method\n", + "amortyzowane przez okres umowa rok metoda liniowy\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the audit oversight commission may exempt the audit entity come from the third country for a definite period of time from be the subject of the quality assurance system of the republic of poland if it be control over the past 3 year by an authority competent for the quality assurance system of the eu member state other than the republic of poland or by a competent authority of the third country whose quality assurance system be consider as the equivalent to the requirement stipulate in this act\n", + "the audit badanie sprawozdania finansowego oversight commission may exempt the audit entity come from the third country for a definite period of time from be the subject of the quality assurance system of the republic of poland if it be control over the past 3 year by an authority competent for the quality assurance system of the eu member state other than the republic of poland or by a competent authority of the third country whose quality assurance system be consider as the equivalent to the requirement stipulate in this act\n", + "komisja nadzór audytowy móc zwolnić jednostka audytorski pochodzącą z państwo trzeci na czas okreś lon z podlegania system zapewnienie jakość obowiązujący w rzeczypospolitej polski jeżeli w ciąg ostatni 3 rok podlegać kontrola przeprowadzonej przez właściwy organ odpowiedzialny za systema zapewniania jakość inny niż rzeczpospolita polski państwo unia europejski lub właściwy organ państwo trzeci którego systema zapewnienie jakość został uznany za równoważny z wymaganie przewidzianymi w niniejszy ustawa\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 80.0, array(['prowizje'], dtype=object)]\n", + "the audit oversight commission may exempt the audit entity come from the third country for a definite period of time from be the subject of the quality assurance system of the republic of poland if it be control over the past 3 year by an authority competent for the quality assurance system of the eu member state other than the republic of poland or by a competent authority of the third country whose quality assurance system be consider as the equivalent to the requirement stipulate in this act\n", + "the audit oversight commission prowizje may exempt the audit entity come from the third country for a definite period of time from be the subject of the quality assurance system of the republic of poland if it be control over the past 3 year by an authority competent for the quality assurance system of the eu member state other than the republic of poland or by a competent authority of the third country whose quality assurance system be consider as the equivalent to the requirement stipulate in this act\n", + "komisja nadzór audytowy móc zwolnić jednostka audytorski pochodzącą z państwo trzeci na czas okreś lon z podlegania system zapewnienie jakość obowiązujący w rzeczypospolitej polski jeżeli w ciąg ostatni 3 rok podlegać kontrola przeprowadzonej przez właściwy organ odpowiedzialny za systema zapewniania jakość inny niż rzeczpospolita polski państwo unia europejski lub właściwy organ państwo trzeci którego systema zapewnienie jakość został uznany za równoważny z wymaganie przewidzianymi w niniejszy ustawa\n", + "=====================================================================\n", + "[('control', 100.0, 289), 85.71428571428571, array(['kontrola '], dtype=object)]\n", + "the audit oversight commission may exempt the audit entity come from the third country for a definite period of time from be the subject of the quality assurance system of the republic of poland if it be control over the past 3 year by an authority competent for the quality assurance system of the eu member state other than the republic of poland or by a competent authority of the third country whose quality assurance system be consider as the equivalent to the requirement stipulate in this act\n", + "the audit oversight commission may exempt the audit entity come from the third country for a definite period of time from be the subject of the quality assurance system of the republic of poland if it be control kontrola over the past 3 year by an authority competent for the quality assurance system of the eu member state other than the republic of poland or by a competent authority of the third country whose quality assurance system be consider as the equivalent to the requirement stipulate in this act\n", + "komisja nadzór audytowy móc zwolnić jednostka audytorski pochodzącą z państwo trzeci na czas okreś lon z podlegania system zapewnienie jakość obowiązujący w rzeczypospolitej polski jeżeli w ciąg ostatni 3 rok podlegać kontrola przeprowadzonej przez właściwy organ odpowiedzialny za systema zapewniania jakość inny niż rzeczpospolita polski państwo unia europejski lub właściwy organ państwo trzeci którego systema zapewnienie jakość został uznany za równoważny z wymaganie przewidzianymi w niniejszy ustawa\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 66.66666666666666, array(['jednostka'], dtype=object)]\n", + "the audit oversight commission may exempt the audit entity come from the third country for a definite period of time from be the subject of the quality assurance system of the republic of poland if it be control over the past 3 year by an authority competent for the quality assurance system of the eu member state other than the republic of poland or by a competent authority of the third country whose quality assurance system be consider as the equivalent to the requirement stipulate in this act\n", + "the audit oversight commission may exempt the audit entity jednostka come from the third country for a definite period of time from be the subject of the quality assurance system of the republic of poland if it be control over the past 3 year by an authority competent for the quality assurance system of the eu member state other than the republic of poland or by a competent authority of the third country whose quality assurance system be consider as the equivalent to the requirement stipulate in this act\n", + "komisja nadzór audytowy móc zwolnić jednostka audytorski pochodzącą z państwo trzeci na czas okreś lon z podlegania system zapewnienie jakość obowiązujący w rzeczypospolitej polski jeżeli w ciąg ostatni 3 rok podlegać kontrola przeprowadzonej przez właściwy organ odpowiedzialny za systema zapewniania jakość inny niż rzeczpospolita polski państwo unia europejski lub właściwy organ państwo trzeci którego systema zapewnienie jakość został uznany za równoważny z wymaganie przewidzianymi w niniejszy ustawa\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 57.142857142857146, array(['nadzór'], dtype=object)]\n", + "the audit oversight commission may exempt the audit entity come from the third country for a definite period of time from be the subject of the quality assurance system of the republic of poland if it be control over the past 3 year by an authority competent for the quality assurance system of the eu member state other than the republic of poland or by a competent authority of the third country whose quality assurance system be consider as the equivalent to the requirement stipulate in this act\n", + "the audit oversight nadzór commission may exempt the audit entity come from the third country for a definite period of time from be the subject of the quality assurance system of the republic of poland if it be control over the past 3 year by an authority competent for the quality assurance system of the eu member state other than the republic of poland or by a competent authority of the third country whose quality assurance system be consider as the equivalent to the requirement stipulate in this act\n", + "komisja nadzór audytowy móc zwolnić jednostka audytorski pochodzącą z państwo trzeci na czas okreś lon z podlegania system zapewnienie jakość obowiązujący w rzeczypospolitej polski jeżeli w ciąg ostatni 3 rok podlegać kontrola przeprowadzonej przez właściwy organ odpowiedzialny za systema zapewniania jakość inny niż rzeczpospolita polski państwo unia europejski lub właściwy organ państwo trzeci którego systema zapewnienie jakość został uznany za równoważny z wymaganie przewidzianymi w niniejszy ustawa\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 50.0, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "in addition as require by ifrs 15 the group will disaggregate revenue recognise from contract with customer into category that depict how the nature amount timing and uncertainty of revenue and cash flow be affect by economic factor\n", + "in addition as require by ifrs 15 the group will disaggregate revenue recognise koszty sprzedanych produktów, towarów i materiałów from contract with customer into category that depict how the nature amount timing and uncertainty of revenue and cash flow be affect by economic factor\n", + "dodatkowo zgodnie z wymóg mssf 15 grupa przedstawiać ujęte przychód z tytuł umowa z klient w podział na kategoria które odzwierciedlać sposób w jaki czynnik ekonomiczny wpływać na charakter kwota termin płatność oraz niepewność przychód i przepływ pieniężny\n", + "=====================================================================\n", + "[('cash', 100.0, 203), 66.66666666666666, array(['środki pieniężne'], dtype=object)]\n", + "in addition as require by ifrs 15 the group will disaggregate revenue recognise from contract with customer into category that depict how the nature amount timing and uncertainty of revenue and cash flow be affect by economic factor\n", + "in addition as środki pieniężne require by ifrs 15 the group will disaggregate revenue recognise from contract with customer into category that depict how the nature amount timing and uncertainty of revenue and cash flow be affect by economic factor\n", + "dodatkowo zgodnie z wymóg mssf 15 grupa przedstawiać ujęte przychód z tytuł umowa z klient w podział na kategoria które odzwierciedlać sposób w jaki czynnik ekonomiczny wpływać na charakter kwota termin płatność oraz niepewność przychód i przepływ pieniężny\n", + "=====================================================================\n", + "[('contract', 100.0, 282), 60.0, array(['kontrakt', 'umowa'], dtype=object)]\n", + "in addition as require by ifrs 15 the group will disaggregate revenue recognise from contract with customer into category that depict how the nature amount timing and uncertainty of revenue and cash flow be affect by economic factor\n", + "in addition as require by ifrs 15 the group will disaggregate revenue recognise from contract kontrakt with customer into category that depict how the nature amount timing and uncertainty of revenue and cash flow be affect by economic factor\n", + "dodatkowo zgodnie z wymóg mssf 15 grupa przedstawiać ujęte przychód z tytuł umowa z klient w podział na kategoria które odzwierciedlać sposób w jaki czynnik ekonomiczny wpływać na charakter kwota termin płatność oraz niepewność przychód i przepływ pieniężny\n", + "=====================================================================\n", + "[('contract', 100.0, 283), 60.0, array(['kontrakt', 'umowa'], dtype=object)]\n", + "in addition as require by ifrs 15 the group will disaggregate revenue recognise from contract with customer into category that depict how the nature amount timing and uncertainty of revenue and cash flow be affect by economic factor\n", + "in addition as require by ifrs 15 the group will disaggregate revenue recognise from contract kontrakt with customer into category that depict how the nature amount timing and uncertainty of revenue and cash flow be affect by economic factor\n", + "dodatkowo zgodnie z wymóg mssf 15 grupa przedstawiać ujęte przychód z tytuł umowa z klient w podział na kategoria które odzwierciedlać sposób w jaki czynnik ekonomiczny wpływać na charakter kwota termin płatność oraz niepewność przychód i przepływ pieniężny\n", + "=====================================================================\n", + "[('economic', 100.0, 433), 100.0, array(['ekonomia'], dtype=object)]\n", + "in addition as require by ifrs 15 the group will disaggregate revenue recognise from contract with customer into category that depict how the nature amount timing and uncertainty of revenue and cash flow be affect by economic factor\n", + "in addition as require by ifrs 15 the group will disaggregate revenue recognise from contract with customer into category that depict how the nature amount timing and uncertainty of revenue and cash flow be affect by economic ekonomia factor\n", + "dodatkowo zgodnie z wymóg mssf 15 grupa przedstawiać ujęte przychód z tytuł umowa z klient w podział na kategoria które odzwierciedlać sposób w jaki czynnik ekonomiczny wpływać na charakter kwota termin płatność oraz niepewność przychód i przepływ pieniężny\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 66.66666666666666, array(['aktywa'], dtype=object)]\n", + "the company measure and recognise current and deferred income tax asset and liability in accordance with the provision of ias 12 income taxis base on taxable profit tax loss taxable base carry forward of unused tax loss tax credit and tax rate while consider assessment of tax treatment uncertainty\n", + "the company measure and recognise current and deferred income tax asset aktywa and liability in accordance with the provision of ias 12 income taxis base on taxable profit tax loss taxable base carry forward of unused tax loss tax credit and tax rate while consider assessment of tax treatment uncertainty\n", + "spółka ujmować i wyceniać aktywa lub zobowiązanie z tytuł bieżący i odroczonego podatek dochodowy przy zastosowanie wymóg msr 12 podatek dochodowy w oparcie o zysk strata podatkowy podstawa opodatkowanie nierozliczone strata podatkowy niewykorzystane ulga podatkowy i stawka podatkowy uwzględniać ocena niepewność związanych z rozliczenie podatkowy\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 100.0, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "the company measure and recognise current and deferred income tax asset and liability in accordance with the provision of ias 12 income taxis base on taxable profit tax loss taxable base carry forward of unused tax loss tax credit and tax rate while consider assessment of tax treatment uncertainty\n", + "the company measure and recognise koszty sprzedanych produktów, towarów i materiałów current and deferred income tax asset and liability in accordance with the provision of ias 12 income taxis base on taxable profit tax loss taxable base carry forward of unused tax loss tax credit and tax rate while consider assessment of tax treatment uncertainty\n", + "spółka ujmować i wyceniać aktywa lub zobowiązanie z tytuł bieżący i odroczonego podatek dochodowy przy zastosowanie wymóg msr 12 podatek dochodowy w oparcie o zysk strata podatkowy podstawa opodatkowanie nierozliczone strata podatkowy niewykorzystane ulga podatkowy i stawka podatkowy uwzględniać ocena niepewność związanych z rozliczenie podatkowy\n", + "=====================================================================\n", + "[('company', 100.0, 245), 100.0, array(['spółka kapitałowa'], dtype=object)]\n", + "the company measure and recognise current and deferred income tax asset and liability in accordance with the provision of ias 12 income taxis base on taxable profit tax loss taxable base carry forward of unused tax loss tax credit and tax rate while consider assessment of tax treatment uncertainty\n", + "the company spółka kapitałowa measure and recognise current and deferred income tax asset and liability in accordance with the provision of ias 12 income taxis base on taxable profit tax loss taxable base carry forward of unused tax loss tax credit and tax rate while consider assessment of tax treatment uncertainty\n", + "spółka ujmować i wyceniać aktywa lub zobowiązanie z tytuł bieżący i odroczonego podatek dochodowy przy zastosowanie wymóg msr 12 podatek dochodowy w oparcie o zysk strata podatkowy podstawa opodatkowanie nierozliczone strata podatkowy niewykorzystane ulga podatkowy i stawka podatkowy uwzględniać ocena niepewność związanych z rozliczenie podatkowy\n", + "=====================================================================\n", + "[('deferred income', 100.0, 364), 46.666666666666664, array(['obciążenie wyniku finansowego z tytułu odroczonego podatku dochodowego',\n", + " 'przychody przyszłych okresów'], dtype=object)]\n", + "the company measure and recognise current and deferred income tax asset and liability in accordance with the provision of ias 12 income taxis base on taxable profit tax loss taxable base carry forward of unused tax loss tax credit and tax rate while consider assessment of tax treatment uncertainty\n", + "the company measure and recognise current and deferred income obciążenie wyniku finansowego z tytułu odroczonego podatku dochodowego tax asset and liability in accordance with the provision of ias 12 income taxis base on taxable profit tax loss taxable base carry forward of unused tax loss tax credit and tax rate while consider assessment of tax treatment uncertainty\n", + "spółka ujmować i wyceniać aktywa lub zobowiązanie z tytuł bieżący i odroczonego podatek dochodowy przy zastosowanie wymóg msr 12 podatek dochodowy w oparcie o zysk strata podatkowy podstawa opodatkowanie nierozliczone strata podatkowy niewykorzystane ulga podatkowy i stawka podatkowy uwzględniać ocena niepewność związanych z rozliczenie podatkowy\n", + "=====================================================================\n", + "[('deferred income', 100.0, 365), 46.666666666666664, array(['obciążenie wyniku finansowego z tytułu odroczonego podatku dochodowego',\n", + " 'przychody przyszłych okresów'], dtype=object)]\n", + "the company measure and recognise current and deferred income tax asset and liability in accordance with the provision of ias 12 income taxis base on taxable profit tax loss taxable base carry forward of unused tax loss tax credit and tax rate while consider assessment of tax treatment uncertainty\n", + "the company measure and recognise current and deferred income obciążenie wyniku finansowego z tytułu odroczonego podatku dochodowego tax asset and liability in accordance with the provision of ias 12 income taxis base on taxable profit tax loss taxable base carry forward of unused tax loss tax credit and tax rate while consider assessment of tax treatment uncertainty\n", + "spółka ujmować i wyceniać aktywa lub zobowiązanie z tytuł bieżący i odroczonego podatek dochodowy przy zastosowanie wymóg msr 12 podatek dochodowy w oparcie o zysk strata podatkowy podstawa opodatkowanie nierozliczone strata podatkowy niewykorzystane ulga podatkowy i stawka podatkowy uwzględniać ocena niepewność związanych z rozliczenie podatkowy\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 100.0, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "if there be any uncertainty as to whether or to what extent the tax authority will accept individual tax settlement of transaction the company recognise these settlement while consider uncertainty assessment\n", + "if there be any uncertainty as to whether or to what extent the tax authority will accept individual tax settlement of transaction the company recognise koszty sprzedanych produktów, towarów i materiałów these settlement while consider uncertainty assessment\n", + "gdy istnieć niepewność co do tego czy i w jakim zakres organ podatkowy być akceptować poszczególny rozliczenie podatkowy transakcja spółka ujmować te rozliczenie uwzględniać ocena niepewność\n", + "=====================================================================\n", + "[('company', 100.0, 245), 100.0, array(['spółka kapitałowa'], dtype=object)]\n", + "if there be any uncertainty as to whether or to what extent the tax authority will accept individual tax settlement of transaction the company recognise these settlement while consider uncertainty assessment\n", + "if there be any spółka kapitałowa uncertainty as to whether or to what extent the tax authority will accept individual tax settlement of transaction the company recognise these settlement while consider uncertainty assessment\n", + "gdy istnieć niepewność co do tego czy i w jakim zakres organ podatkowy być akceptować poszczególny rozliczenie podatkowy transakcja spółka ujmować te rozliczenie uwzględniać ocena niepewność\n", + "=====================================================================\n", + "[('sac', 100.0, 993), 66.66666666666666, array(['komisje doradcze ds. standardów'], dtype=object)]\n", + "if there be any uncertainty as to whether or to what extent the tax authority will accept individual tax settlement of transaction the company recognise these settlement while consider uncertainty assessment\n", + "if there be any uncertainty as to whether or to what extent the tax authority will accept individual tax settlement of transaction komisje doradcze ds. standardów the company recognise these settlement while consider uncertainty assessment\n", + "gdy istnieć niepewność co do tego czy i w jakim zakres organ podatkowy być akceptować poszczególny rozliczenie podatkowy transakcja spółka ujmować te rozliczenie uwzględniać ocena niepewność\n", + "=====================================================================\n", + "[('transaction', 100.0, 1125), 100.0, array(['transakcja'], dtype=object)]\n", + "if there be any uncertainty as to whether or to what extent the tax authority will accept individual tax settlement of transaction the company recognise these settlement while consider uncertainty assessment\n", + "if there be any uncertainty as to whether or to what extent the tax authority will accept individual tax settlement of transaction transakcja the company recognise these settlement while consider uncertainty assessment\n", + "gdy istnieć niepewność co do tego czy i w jakim zakres organ podatkowy być akceptować poszczególny rozliczenie podatkowy transakcja spółka ujmować te rozliczenie uwzględniać ocena niepewność\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 66.66666666666666, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "the fair value of the share that be grant in the year end 31 december 2017 be pln thousand and be recognise as an expense in the income statement statement of comprehensive income for the year end 31 december 20016 pln thousand\n", + "the fair value of the share that be grant in the year end 31 december 2017 be pln thousand and be recognise koszty sprzedanych produktów, towarów i materiałów as an expense in the income statement statement of comprehensive income for the year end 31 december 20016 pln thousand\n", + "wartość godziwy akcja przyznanych w rok zakończony dzień 31 grudzień 2017 rok wynosić tysiąc pln i jest ujęta jako koszt w rachunek zysk i strat sprawozdanie z całkowity dochód za ten okres za rok zakończony 31 grudzień 2016 tysiąc pln\n", + "=====================================================================\n", + "[('comprehensive income', 100.0, 253), 50.0, array(['zysk całkowity'], dtype=object)]\n", + "the fair value of the share that be grant in the year end 31 december 2017 be pln thousand and be recognise as an expense in the income statement statement of comprehensive income for the year end 31 december 20016 pln thousand\n", + "the fair value of the share that be grant in the year end 31 december 2017 be pln thousand and be recognise as an expense in the income statement statement of comprehensive income zysk całkowity for the year end 31 december 20016 pln thousand\n", + "wartość godziwy akcja przyznanych w rok zakończony dzień 31 grudzień 2017 rok wynosić tysiąc pln i jest ujęta jako koszt w rachunek zysk i strat sprawozdanie z całkowity dochód za ten okres za rok zakończony 31 grudzień 2016 tysiąc pln\n", + "=====================================================================\n", + "[('expense', 100.0, 479), 66.66666666666666, array(['koszt'], dtype=object)]\n", + "the fair value of the share that be grant in the year end 31 december 2017 be pln thousand and be recognise as an expense in the income statement statement of comprehensive income for the year end 31 december 20016 pln thousand\n", + "the fair value of the share that be grant in the year end 31 december 2017 be pln thousand and be recognise as an expense koszt in the income statement statement of comprehensive income for the year end 31 december 20016 pln thousand\n", + "wartość godziwy akcja przyznanych w rok zakończony dzień 31 grudzień 2017 rok wynosić tysiąc pln i jest ujęta jako koszt w rachunek zysk i strat sprawozdanie z całkowity dochód za ten okres za rok zakończony 31 grudzień 2016 tysiąc pln\n", + "=====================================================================\n", + "[('fair value', 100.0, 497), 50.0, array(['wartość godziwa'], dtype=object)]\n", + "the fair value of the share that be grant in the year end 31 december 2017 be pln thousand and be recognise as an expense in the income statement statement of comprehensive income for the year end 31 december 20016 pln thousand\n", + "the fair value wartość godziwa of the share that be grant in the year end 31 december 2017 be pln thousand and be recognise as an expense in the income statement statement of comprehensive income for the year end 31 december 20016 pln thousand\n", + "wartość godziwy akcja przyznanych w rok zakończony dzień 31 grudzień 2017 rok wynosić tysiąc pln i jest ujęta jako koszt w rachunek zysk i strat sprawozdanie z całkowity dochód za ten okres za rok zakończony 31 grudzień 2016 tysiąc pln\n", + "=====================================================================\n", + "[('income', 100.0, 638), 100.0, array(['zysk'], dtype=object)]\n", + "the fair value of the share that be grant in the year end 31 december 2017 be pln thousand and be recognise as an expense in the income statement statement of comprehensive income for the year end 31 december 20016 pln thousand\n", + "the fair value of the share that be grant in zysk the year end 31 december 2017 be pln thousand and be recognise as an expense in the income statement statement of comprehensive income for the year end 31 december 20016 pln thousand\n", + "wartość godziwy akcja przyznanych w rok zakończony dzień 31 grudzień 2017 rok wynosić tysiąc pln i jest ujęta jako koszt w rachunek zysk i strat sprawozdanie z całkowity dochód za ten okres za rok zakończony 31 grudzień 2016 tysiąc pln\n", + "=====================================================================\n", + "[('control', 100.0, 289), 100.0, array(['kontrola '], dtype=object)]\n", + "the amount of the rate of the controller s allowance depend on result of the evaluation refer to in article 107\n", + "the amount of the rate of the controller kontrola s allowance depend on result of the evaluation refer to in article 107\n", + "wysokość stawka dodatek kontrolerski jest uzależniony od wynik ocena o której mowa w art 107\n", + "=====================================================================\n", + "[('contract', 100.0, 282), 46.15384615384615, array(['kontrakt', 'umowa'], dtype=object)]\n", + "liability under bank guarantee issue mainly as performance bond for trade contract note\n", + "liability under bank guarantee issue mainly as performance bond for trade contract kontrakt note\n", + "zobowiązanie z tytuł gwarancja bankowy udzielonych w główny miara jako zabezpieczenie wykonanie umowa handlowy nota\n", + "=====================================================================\n", + "[('contract', 100.0, 283), 46.15384615384615, array(['kontrakt', 'umowa'], dtype=object)]\n", + "liability under bank guarantee issue mainly as performance bond for trade contract note\n", + "liability under bank guarantee issue mainly as performance bond for trade contract kontrakt note\n", + "zobowiązanie z tytuł gwarancja bankowy udzielonych w główny miara jako zabezpieczenie wykonanie umowa handlowy nota\n", + "=====================================================================\n", + "[('guarantee', 100.0, 594), 66.66666666666666, array(['udzielić gwarancji'], dtype=object)]\n", + "liability under bank guarantee issue mainly as performance bond for trade contract note\n", + "liability under bank guarantee udzielić gwarancji issue mainly as performance bond for trade contract note\n", + "zobowiązanie z tytuł gwarancja bankowy udzielonych w główny miara jako zabezpieczenie wykonanie umowa handlowy nota\n", + "=====================================================================\n", + "[('liability', 100.0, 716), 57.142857142857146, array(['zobowiązania'], dtype=object)]\n", + "liability under bank guarantee issue mainly as performance bond for trade contract note\n", + "liability zobowiązania under bank guarantee issue mainly as performance bond for trade contract note\n", + "zobowiązanie z tytuł gwarancja bankowy udzielonych w główny miara jako zabezpieczenie wykonanie umowa handlowy nota\n", + "=====================================================================\n", + "[('note', 100.0, 791), 57.142857142857146, array(['informacja dodatkowa'], dtype=object)]\n", + "liability under bank guarantee issue mainly as performance bond for trade contract note\n", + "liability under bank guarantee informacja dodatkowa issue mainly as performance bond for trade contract note\n", + "zobowiązanie z tytuł gwarancja bankowy udzielonych w główny miara jako zabezpieczenie wykonanie umowa handlowy nota\n", + "=====================================================================\n", + "[('control', 100.0, 289), 66.66666666666666, array(['kontrola '], dtype=object)]\n", + "non control interest impact on the statement of profit or loss increase decrease for 2017 usunąć jeżeli jeżeli spółka zdecydowała się na zastosowanie zmodyfikowanej metody retrospektywnej\n", + "non control kontrola interest impact on the statement of profit or loss increase decrease for 2017 usunąć jeżeli jeżeli spółka zdecydowała się na zastosowanie zmodyfikowanej metody retrospektywnej\n", + "inny pozycja kapitał własny wpływ na rachunek zysk i strata zwiększenie zmniejszenie za rok zakończony dzień 31 grudzień 2017 rok usunąć jeżeli spółka zdecydować się na zastosowanie zmodyfikowanej metoda retrospektywny\n", + "=====================================================================\n", + "[('control interest', 100.0, 294), 50.0, array(['pakiet kontrolny'], dtype=object)]\n", + "non control interest impact on the statement of profit or loss increase decrease for 2017 usunąć jeżeli jeżeli spółka zdecydowała się na zastosowanie zmodyfikowanej metody retrospektywnej\n", + "non control interest pakiet kontrolny impact on the statement of profit or loss increase decrease for 2017 usunąć jeżeli jeżeli spółka zdecydowała się na zastosowanie zmodyfikowanej metody retrospektywnej\n", + "inny pozycja kapitał własny wpływ na rachunek zysk i strata zwiększenie zmniejszenie za rok zakończony dzień 31 grudzień 2017 rok usunąć jeżeli spółka zdecydować się na zastosowanie zmodyfikowanej metoda retrospektywny\n", + "=====================================================================\n", + "[('interest', 100.0, 664), 100.0, array(['odsetki'], dtype=object)]\n", + "non control interest impact on the statement of profit or loss increase decrease for 2017 usunąć jeżeli jeżeli spółka zdecydowała się na zastosowanie zmodyfikowanej metody retrospektywnej\n", + "non control interest odsetki impact on the statement of profit or loss increase decrease for 2017 usunąć jeżeli jeżeli spółka zdecydowała się na zastosowanie zmodyfikowanej metody retrospektywnej\n", + "inny pozycja kapitał własny wpływ na rachunek zysk i strata zwiększenie zmniejszenie za rok zakończony dzień 31 grudzień 2017 rok usunąć jeżeli spółka zdecydować się na zastosowanie zmodyfikowanej metoda retrospektywny\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 50.0, array(['strata'], dtype=object)]\n", + "non control interest impact on the statement of profit or loss increase decrease for 2017 usunąć jeżeli jeżeli spółka zdecydowała się na zastosowanie zmodyfikowanej metody retrospektywnej\n", + "non control interest impact on the statement of profit or loss strata increase decrease for 2017 usunąć jeżeli jeżeli spółka zdecydowała się na zastosowanie zmodyfikowanej metody retrospektywnej\n", + "inny pozycja kapitał własny wpływ na rachunek zysk i strata zwiększenie zmniejszenie za rok zakończony dzień 31 grudzień 2017 rok usunąć jeżeli spółka zdecydować się na zastosowanie zmodyfikowanej metoda retrospektywny\n", + "=====================================================================\n", + "[('profit', 100.0, 898), 100.0, array(['zysk'], dtype=object)]\n", + "non control interest impact on the statement of profit or loss increase decrease for 2017 usunąć jeżeli jeżeli spółka zdecydowała się na zastosowanie zmodyfikowanej metody retrospektywnej\n", + "non control interest impact on the statement of zysk profit or loss increase decrease for 2017 usunąć jeżeli jeżeli spółka zdecydowała się na zastosowanie zmodyfikowanej metody retrospektywnej\n", + "inny pozycja kapitał własny wpływ na rachunek zysk i strata zwiększenie zmniejszenie za rok zakończony dzień 31 grudzień 2017 rok usunąć jeżeli spółka zdecydować się na zastosowanie zmodyfikowanej metoda retrospektywny\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 66.66666666666666, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the control may include verification of documentation from performance of service other than the statutory audit in order to verify the impact of these service on the quality of the statutory audit\n", + "the control may include verification of documentation from performance of service other than the statutory audit badanie sprawozdania finansowego in order to verify the impact of these service on the quality of the statutory audit\n", + "podczas kontrola sprawdzeniu móc podlegać również dokumentacja z wykonanie usługi inny niż badan usta wowe w cel zweryfikowania wpływ tych usługi na jakość badanie ustawowy\n", + "=====================================================================\n", + "[('control', 100.0, 289), 85.71428571428571, array(['kontrola '], dtype=object)]\n", + "the control may include verification of documentation from performance of service other than the statutory audit in order to verify the impact of these service on the quality of the statutory audit\n", + "the control kontrola may include verification of documentation from performance of service other than the statutory audit in order to verify the impact of these service on the quality of the statutory audit\n", + "podczas kontrola sprawdzeniu móc podlegać również dokumentacja z wykonanie usługi inny niż badan usta wowe w cel zweryfikowania wpływ tych usługi na jakość badanie ustawowy\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the resolution of the national council of statutory auditors refer to in article 30 passage 2 item 3 letter i be adopt by an absolute majority in the presence of at least half the member of the national council of statutory auditors 4\n", + "the resolution of the national council of statutory auditors badanie sprawozdania finansowego refer to in article 30 passage 2 item 3 letter i be adopt by an absolute majority in the presence of at least half the member of the national council of statutory auditors 4\n", + "uchwała krajowy rada biegły rewident o których mowa w art 30 ust 2 pkt 3 lit i zapadać bezwzględny większość głos w obecność co mało połów skład krajowy rada biegły rewident 4\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "the resolution of the national council of statutory auditors refer to in article 30 passage 2 item 3 letter i be adopt by an absolute majority in the presence of at least half the member of the national council of statutory auditors 4\n", + "the resolution of the national council of statutory auditors biegły rewident refer to in article 30 passage 2 item 3 letter i be adopt by an absolute majority in the presence of at least half the member of the national council of statutory auditors 4\n", + "uchwała krajowy rada biegły rewident o których mowa w art 30 ust 2 pkt 3 lit i zapadać bezwzględny większość głos w obecność co mało połów skład krajowy rada biegły rewident 4\n", + "=====================================================================\n", + "[('cash', 100.0, 203), 57.142857142857146, array(['środki pieniężne'], dtype=object)]\n", + "future cash flow from operate activity after tax together with the residual value be subsequently discount\n", + "future cash środki pieniężne flow from operate activity after tax together with the residual value be subsequently discount\n", + "przyszły przepływ z działalność operacyjny po opodatkowanie wraz z wartość rezydualny są następnie dyskontowane\n", + "=====================================================================\n", + "[('discount', 100.0, 391), 50.0, array(['rabat'], dtype=object)]\n", + "future cash flow from operate activity after tax together with the residual value be subsequently discount\n", + "future cash flow from operate activity after tax rabat together with the residual value be subsequently discount\n", + "przyszły przepływ z działalność operacyjny po opodatkowanie wraz z wartość rezydualny są następnie dyskontowane\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 44.44444444444444, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the statutory auditor shall form the polish chamber of statutory auditors 2\n", + "the statutory auditor badanie sprawozdania finansowego shall form the polish chamber of statutory auditors 2\n", + "biegli rewident tworzyć polski izba biegły rewident 2\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 60.0, array(['biegły rewident'], dtype=object)]\n", + "the statutory auditor shall form the polish chamber of statutory auditors 2\n", + "the statutory auditor biegły rewident shall form the polish chamber of statutory auditors 2\n", + "biegli rewident tworzyć polski izba biegły rewident 2\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 50.0, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "government grant be recognise at their fair value where there be reasonable assurance that the grant will be receive and all attach condition will be comply with\n", + "government grant be recognise koszty sprzedanych produktów, towarów i materiałów at their fair value where there be reasonable assurance that the grant will be receive and all attach condition will be comply with\n", + "jeżeli istnieć uzasadniony pewność że dotacja zostanie uzyskana oraz spełnione zostaną wszystkie związane z on warunek wówczas dotacja rządowy są ujmowane według on wartość godziwy\n", + "=====================================================================\n", + "[('fair value', 100.0, 497), 50.0, array(['wartość godziwa'], dtype=object)]\n", + "government grant be recognise at their fair value where there be reasonable assurance that the grant will be receive and all attach condition will be comply with\n", + "government grant be recognise at their fair value wartość godziwa where there be reasonable assurance that the grant will be receive and all attach condition will be comply with\n", + "jeżeli istnieć uzasadniony pewność że dotacja zostanie uzyskana oraz spełnione zostaną wszystkie związane z on warunek wówczas dotacja rządowy są ujmowane według on wartość godziwy\n", + "=====================================================================\n", + "[('government grant', 100.0, 586), 44.44444444444444, array(['dotacje państwowe'], dtype=object)]\n", + "government grant be recognise at their fair value where there be reasonable assurance that the grant will be receive and all attach condition will be comply with\n", + "government grant dotacje państwowe be recognise at their fair value where there be reasonable assurance that the grant will be receive and all attach condition will be comply with\n", + "jeżeli istnieć uzasadniony pewność że dotacja zostanie uzyskana oraz spełnione zostaną wszystkie związane z on warunek wówczas dotacja rządowy są ujmowane według on wartość godziwy\n", + "=====================================================================\n", + "[('reasonable assurance', 100.0, 937), 55.55555555555556, array(['wystarczająca pewność'], dtype=object)]\n", + "government grant be recognise at their fair value where there be reasonable assurance that the grant will be receive and all attach condition will be comply with\n", + "government grant be recognise at their fair value where there be reasonable assurance wystarczająca pewność that the grant will be receive and all attach condition will be comply with\n", + "jeżeli istnieć uzasadniony pewność że dotacja zostanie uzyskana oraz spełnione zostaną wszystkie związane z on warunek wówczas dotacja rządowy są ujmowane według on wartość godziwy\n", + "=====================================================================\n", + "[('par value', 88.88888888888889, 850), 53.333333333333336, array(['wartość nominalna'], dtype=object)]\n", + "government grant be recognise at their fair value where there be reasonable assurance that the grant will be receive and all attach condition will be comply with\n", + "government grant be recognise at their fair value wartość nominalna where there be reasonable assurance that the grant will be receive and all attach condition will be comply with\n", + "jeżeli istnieć uzasadniony pewność że dotacja zostanie uzyskana oraz spełnione zostaną wszystkie związane z on warunek wówczas dotacja rządowy są ujmowane według on wartość godziwy\n", + "=====================================================================\n", + "[('company', 100.0, 245), 66.66666666666666, array(['spółka kapitałowa'], dtype=object)]\n", + "technology company be at the forefront in this area having apply this methodology for year\n", + "technology company spółka kapitałowa be at the forefront in this area having apply this methodology for year\n", + "prym w tym obszar wiodą obszar okołotechnologiczne gdzie to podejście jest stosowany z sukces od rok\n", + "=====================================================================\n", + "[('group', 100.0, 593), 40.0, array(['grupa kapitałowa'], dtype=object)]\n", + "key management personnel of the group management board members\n", + "key management personnel of the group grupa kapitałowa management board members\n", + "główny kadra kierownicza członek zarząd grupa\n", + "=====================================================================\n", + "[('derivative', 100.0, 377), 100.0, array(['instrumenty pochodne'], dtype=object)]\n", + "2 segment liability do not include deferred tax pln current tax liability pln liability under loan and borrowing pln and derivative pln as these liability be manage at the group level analogiczne uzgodnienia dotyczące aktywów bądź zobowiązań powinny być przedstawione dla wszystkich dodatkowych elementów monitorowanych na poziomie segmentów 53\n", + "2 segment liability do not include deferred tax pln current tax liability pln liability under loan and borrowing pln and derivative instrumenty pochodne pln as these liability be manage at the group level analogiczne uzgodnienia dotyczące aktywów bądź zobowiązań powinny być przedstawione dla wszystkich dodatkowych elementów monitorowanych na poziomie segmentów 53\n", + "zobowiązanie segment nie obejmować podatek odroczonego pln zobowiązanie z tytuł podatek dochodowy pln zobowiązanie z tytuł kredyt i pożyczka pln oraz instrument pochodny pln ponieważ te zobowiązanie są zarządzane na poziom grupa analogiczny uzgodnienie dotyczące aktywa bądź zobowiązanie powinny być przedstawione dla wszystkich dodatkowy elementy monitorowanych na poziom segment\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "2 segment liability do not include deferred tax pln current tax liability pln liability under loan and borrowing pln and derivative pln as these liability be manage at the group level analogiczne uzgodnienia dotyczące aktywów bądź zobowiązań powinny być przedstawione dla wszystkich dodatkowych elementów monitorowanych na poziomie segmentów 53\n", + "2 segment liability do not include deferred tax pln current tax liability pln liability under loan and borrowing pln and derivative pln as these liability be manage at the group grupa kapitałowa level analogiczne uzgodnienia dotyczące aktywów bądź zobowiązań powinny być przedstawione dla wszystkich dodatkowych elementów monitorowanych na poziomie segmentów 53\n", + "zobowiązanie segment nie obejmować podatek odroczonego pln zobowiązanie z tytuł podatek dochodowy pln zobowiązanie z tytuł kredyt i pożyczka pln oraz instrument pochodny pln ponieważ te zobowiązanie są zarządzane na poziom grupa analogiczny uzgodnienie dotyczące aktywa bądź zobowiązanie powinny być przedstawione dla wszystkich dodatkowy elementy monitorowanych na poziom segment\n", + "=====================================================================\n", + "[('liability', 100.0, 716), 100.0, array(['zobowiązania'], dtype=object)]\n", + "2 segment liability do not include deferred tax pln current tax liability pln liability under loan and borrowing pln and derivative pln as these liability be manage at the group level analogiczne uzgodnienia dotyczące aktywów bądź zobowiązań powinny być przedstawione dla wszystkich dodatkowych elementów monitorowanych na poziomie segmentów 53\n", + "2 segment liability zobowiązania do not include deferred tax pln current tax liability pln liability under loan and borrowing pln and derivative pln as these liability be manage at the group level analogiczne uzgodnienia dotyczące aktywów bądź zobowiązań powinny być przedstawione dla wszystkich dodatkowych elementów monitorowanych na poziomie segmentów 53\n", + "zobowiązanie segment nie obejmować podatek odroczonego pln zobowiązanie z tytuł podatek dochodowy pln zobowiązanie z tytuł kredyt i pożyczka pln oraz instrument pochodny pln ponieważ te zobowiązanie są zarządzane na poziom grupa analogiczny uzgodnienie dotyczące aktywa bądź zobowiązanie powinny być przedstawione dla wszystkich dodatkowy elementy monitorowanych na poziom segment\n", + "=====================================================================\n", + "[('loan a', 100.0, 722), 66.66666666666666, array(['kredyt (udzielony)'], dtype=object)]\n", + "2 segment liability do not include deferred tax pln current tax liability pln liability under loan and borrowing pln and derivative pln as these liability be manage at the group level analogiczne uzgodnienia dotyczące aktywów bądź zobowiązań powinny być przedstawione dla wszystkich dodatkowych elementów monitorowanych na poziomie segmentów 53\n", + "2 segment liability do not include deferred tax pln current tax liability pln liability under loan and kredyt (udzielony) borrowing pln and derivative pln as these liability be manage at the group level analogiczne uzgodnienia dotyczące aktywów bądź zobowiązań powinny być przedstawione dla wszystkich dodatkowych elementów monitorowanych na poziomie segmentów 53\n", + "zobowiązanie segment nie obejmować podatek odroczonego pln zobowiązanie z tytuł podatek dochodowy pln zobowiązanie z tytuł kredyt i pożyczka pln oraz instrument pochodny pln ponieważ te zobowiązanie są zarządzane na poziom grupa analogiczny uzgodnienie dotyczące aktywa bądź zobowiązanie powinny być przedstawione dla wszystkich dodatkowy elementy monitorowanych na poziom segment\n", + "=====================================================================\n", + "[('p l', 100.0, 841), 80.0, array(['rachunek zysków i strat'], dtype=object)]\n", + "2 segment liability do not include deferred tax pln current tax liability pln liability under loan and borrowing pln and derivative pln as these liability be manage at the group level analogiczne uzgodnienia dotyczące aktywów bądź zobowiązań powinny być przedstawione dla wszystkich dodatkowych elementów monitorowanych na poziomie segmentów 53\n", + "2 segment liability do not include deferred tax pln current tax liability pln liability under loan and borrowing pln and derivative pln as these liability be manage at the group level rachunek zysków i strat analogiczne uzgodnienia dotyczące aktywów bądź zobowiązań powinny być przedstawione dla wszystkich dodatkowych elementów monitorowanych na poziomie segmentów 53\n", + "zobowiązanie segment nie obejmować podatek odroczonego pln zobowiązanie z tytuł podatek dochodowy pln zobowiązanie z tytuł kredyt i pożyczka pln oraz instrument pochodny pln ponieważ te zobowiązanie są zarządzane na poziom grupa analogiczny uzgodnienie dotyczące aktywa bądź zobowiązanie powinny być przedstawione dla wszystkich dodatkowy elementy monitorowanych na poziom segment\n", + "=====================================================================\n", + "[('contract', 100.0, 282), 80.0, array(['kontrakt', 'umowa'], dtype=object)]\n", + "currency forward contract\n", + "currency forward kontrakt contract\n", + "walutowy kontrakt terminowy typ forward\n", + "=====================================================================\n", + "[('contract', 100.0, 283), 80.0, array(['kontrakt', 'umowa'], dtype=object)]\n", + "currency forward contract\n", + "currency forward kontrakt contract\n", + "walutowy kontrakt terminowy typ forward\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 66.66666666666666, array(['aktywa'], dtype=object)]\n", + "finance lease which transfer to the group you all the risk and reward incidental to ownership of the lease asset be recognize in the balance sheet statement of financial position at the inception of the lease at the fair value of the lease property or if low at the present value of minimum lease payment\n", + "finance lease which transfer to the group you all the risk and reward incidental to ownership of the lease asset aktywa be recognize in the balance sheet statement of financial position at the inception of the lease at the fair value of the lease property or if low at the present value of minimum lease payment\n", + "umowa leasing finansowy które przenosić na grupa zasadniczo cały ryzyka i korzyść wynikające z posiadanie przedmiot leasing są ujmowane w bilansie sprawozdanie z sytuacja finansowy na dzienie rozpoczęcie leasing według niski z następujący dwa wartość wartość godziwy środek trwały stanowiącego przedmiot leasing lub wartość bieżący minimalny opłata leasingowy\n", + "=====================================================================\n", + "[('balance', 100.0, 136), 66.66666666666666, array(['saldo'], dtype=object)]\n", + "finance lease which transfer to the group you all the risk and reward incidental to ownership of the lease asset be recognize in the balance sheet statement of financial position at the inception of the lease at the fair value of the lease property or if low at the present value of minimum lease payment\n", + "finance lease which transfer to the group you all the risk and reward incidental to ownership of the lease asset be recognize in the balance saldo sheet statement of financial position at the inception of the lease at the fair value of the lease property or if low at the present value of minimum lease payment\n", + "umowa leasing finansowy które przenosić na grupa zasadniczo cały ryzyka i korzyść wynikające z posiadanie przedmiot leasing są ujmowane w bilansie sprawozdanie z sytuacja finansowy na dzienie rozpoczęcie leasing według niski z następujący dwa wartość wartość godziwy środek trwały stanowiącego przedmiot leasing lub wartość bieżący minimalny opłata leasingowy\n", + "=====================================================================\n", + "[('balance sheet', 100.0, 137), 60.869565217391305, array(['bilans'], dtype=object)]\n", + "finance lease which transfer to the group you all the risk and reward incidental to ownership of the lease asset be recognize in the balance sheet statement of financial position at the inception of the lease at the fair value of the lease property or if low at the present value of minimum lease payment\n", + "finance lease which transfer to the group you all the risk and reward incidental to ownership of the lease asset be recognize in the balance sheet bilans statement of financial position at the inception of the lease at the fair value of the lease property or if low at the present value of minimum lease payment\n", + "umowa leasing finansowy które przenosić na grupa zasadniczo cały ryzyka i korzyść wynikające z posiadanie przedmiot leasing są ujmowane w bilansie sprawozdanie z sytuacja finansowy na dzienie rozpoczęcie leasing według niski z następujący dwa wartość wartość godziwy środek trwały stanowiącego przedmiot leasing lub wartość bieżący minimalny opłata leasingowy\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 66.66666666666666, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "finance lease which transfer to the group you all the risk and reward incidental to ownership of the lease asset be recognize in the balance sheet statement of financial position at the inception of the lease at the fair value of the lease property or if low at the present value of minimum lease payment\n", + "finance lease which transfer to the group you all the risk and reward incidental to ownership of the lease asset be recognize koszty sprzedanych produktów, towarów i materiałów in the balance sheet statement of financial position at the inception of the lease at the fair value of the lease property or if low at the present value of minimum lease payment\n", + "umowa leasing finansowy które przenosić na grupa zasadniczo cały ryzyka i korzyść wynikające z posiadanie przedmiot leasing są ujmowane w bilansie sprawozdanie z sytuacja finansowy na dzienie rozpoczęcie leasing według niski z następujący dwa wartość wartość godziwy środek trwały stanowiącego przedmiot leasing lub wartość bieżący minimalny opłata leasingowy\n", + "=====================================================================\n", + "[('fair value', 100.0, 497), 52.63157894736842, array(['wartość godziwa'], dtype=object)]\n", + "finance lease which transfer to the group you all the risk and reward incidental to ownership of the lease asset be recognize in the balance sheet statement of financial position at the inception of the lease at the fair value of the lease property or if low at the present value of minimum lease payment\n", + "finance lease which transfer to the group you all the risk and reward incidental to ownership of the lease asset be recognize in the balance sheet statement of financial position at the inception of the lease at the fair value wartość godziwa of the lease property or if low at the present value of minimum lease payment\n", + "umowa leasing finansowy które przenosić na grupa zasadniczo cały ryzyka i korzyść wynikające z posiadanie przedmiot leasing są ujmowane w bilansie sprawozdanie z sytuacja finansowy na dzienie rozpoczęcie leasing według niski z następujący dwa wartość wartość godziwy środek trwały stanowiącego przedmiot leasing lub wartość bieżący minimalny opłata leasingowy\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "in poland we work with many shared services centers in such area as strategic consulting business transformation new technology tax consulting auditing and personal consulting\n", + "in poland we work with many shared services centers in such area as strategic consulting business transformation new technology tax consulting auditing badanie sprawozdania finansowego and personal consulting\n", + "w polska pracować z wieloma centrum usługi wspólny w obszar m in doradztwo strategiczny transformacja biznesowy nowy technologia doradztwo podatkowy audyt czy doradztwo personalny\n", + "=====================================================================\n", + "[('guarantee', 100.0, 594), 50.0, array(['udzielić gwarancji'], dtype=object)]\n", + "in the business service sector a common way of deal with foreseeable risk be to guarantee physical security by mean of business recovery site and it recovery center\n", + "in the business service sector a udzielić gwarancji common way of deal with foreseeable risk be to guarantee physical security by mean of business recovery site and it recovery center\n", + "w sektor usługi biznesowy częsty odpowiedź na przewidywanie ryzyko być zapewnienie fizyczny infrastruktura zapasowy operacyjny centrum zapasowy business recover sites i zapasowy centrum it recovery centers\n", + "=====================================================================\n", + "[('sic', 100.0, 994), 100.0, array(['stały komitet ds. interpretacji'], dtype=object)]\n", + "in the business service sector a common way of deal with foreseeable risk be to guarantee physical security by mean of business recovery site and it recovery center\n", + "in the business service sector a common way of deal with foreseeable risk be to guarantee physical stały komitet ds. interpretacji security by mean of business recovery site and it recovery center\n", + "w sektor usługi biznesowy częsty odpowiedź na przewidywanie ryzyko być zapewnienie fizyczny infrastruktura zapasowy operacyjny centrum zapasowy business recover sites i zapasowy centrum it recovery centers\n", + "=====================================================================\n", + "[('control', 100.0, 289), 100.0, array(['kontrola '], dtype=object)]\n", + "the provision of articles 6 16 articles 32 34 articles 39 60 articles 67 88a provide that the term designate in articles 79 1 shall be 3 day and articles 123 126 and articles 141 144 of the act of 14 june 1960 code of administrative procedure shall apply accordingly to any case not regulate in this act with regard to the control refer to in article 106 passage 1 article 123 passage 1 and article 124 passage 1\n", + "the provision of articles 6 16 articles 32 34 articles 39 60 articles 67 88a provide that the term designate in articles 79 1 shall be 3 day and articles 123 126 and articles 141 144 of the act of 14 june 1960 code of administrative procedure shall apply accordingly to any case not regulate in this act with regard to the control kontrola refer to in article 106 passage 1 article 123 passage 1 and article 124 passage 1\n", + "w sprawa nieuregulowanych w niniejszy ustawa do kontrola o których mowa w art 106 ust 1 art 123 ust 1 oraz art 124 ust 1 stosować się odpowiednio przepis art 6 16 art 32 34 art 39 60 art 67 88a z tym że termin wskazany w art 79 1 wynosić 3 dzień i art 123 126 oraz art 141 144 ustawa z dzień 14 czerwiec 1960 r kodeks postępowanie administracyjny\n", + "=====================================================================\n", + "[('provision', 100.0, 909), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "the provision of articles 6 16 articles 32 34 articles 39 60 articles 67 88a provide that the term designate in articles 79 1 shall be 3 day and articles 123 126 and articles 141 144 of the act of 14 june 1960 code of administrative procedure shall apply accordingly to any case not regulate in this act with regard to the control refer to in article 106 passage 1 article 123 passage 1 and article 124 passage 1\n", + "the provision rezerwa of articles 6 16 articles 32 34 articles 39 60 articles 67 88a provide that the term designate in articles 79 1 shall be 3 day and articles 123 126 and articles 141 144 of the act of 14 june 1960 code of administrative procedure shall apply accordingly to any case not regulate in this act with regard to the control refer to in article 106 passage 1 article 123 passage 1 and article 124 passage 1\n", + "w sprawa nieuregulowanych w niniejszy ustawa do kontrola o których mowa w art 106 ust 1 art 123 ust 1 oraz art 124 ust 1 stosować się odpowiednio przepis art 6 16 art 32 34 art 39 60 art 67 88a z tym że termin wskazany w art 79 1 wynosić 3 dzień i art 123 126 oraz art 141 144 ustawa z dzień 14 czerwiec 1960 r kodeks postępowanie administracyjny\n", + "=====================================================================\n", + "[('provision', 100.0, 911), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "the provision of articles 6 16 articles 32 34 articles 39 60 articles 67 88a provide that the term designate in articles 79 1 shall be 3 day and articles 123 126 and articles 141 144 of the act of 14 june 1960 code of administrative procedure shall apply accordingly to any case not regulate in this act with regard to the control refer to in article 106 passage 1 article 123 passage 1 and article 124 passage 1\n", + "the provision rezerwa of articles 6 16 articles 32 34 articles 39 60 articles 67 88a provide that the term designate in articles 79 1 shall be 3 day and articles 123 126 and articles 141 144 of the act of 14 june 1960 code of administrative procedure shall apply accordingly to any case not regulate in this act with regard to the control refer to in article 106 passage 1 article 123 passage 1 and article 124 passage 1\n", + "w sprawa nieuregulowanych w niniejszy ustawa do kontrola o których mowa w art 106 ust 1 art 123 ust 1 oraz art 124 ust 1 stosować się odpowiednio przepis art 6 16 art 32 34 art 39 60 art 67 88a z tym że termin wskazany w art 79 1 wynosić 3 dzień i art 123 126 oraz art 141 144 ustawa z dzień 14 czerwiec 1960 r kodeks postępowanie administracyjny\n", + "=====================================================================\n", + "[('general ledger', 100.0, 572), 38.46153846153846, array(['księga główna'], dtype=object)]\n", + "reconciliation of all sub ledger to the general ledger\n", + "reconciliation of all sub ledger księga główna to the general ledger\n", + "uzgodnienie wszystkich księga pomocniczy do księga główny\n", + "=====================================================================\n", + "[('ledger', 100.0, 711), 50.0, array(['księga'], dtype=object)]\n", + "reconciliation of all sub ledger to the general ledger\n", + "reconciliation of all sub ledger księga to the general ledger\n", + "uzgodnienie wszystkich księga pomocniczy do księga główny\n", + "=====================================================================\n", + "[('reconcile', 94.11764705882354, 945), 61.53846153846154, array(['uzgodnić'], dtype=object)]\n", + "reconciliation of all sub ledger to the general ledger\n", + "reconciliation uzgodnić of all sub ledger to the general ledger\n", + "uzgodnienie wszystkich księga pomocniczy do księga główny\n", + "=====================================================================\n", + "[('ledgere', 92.3076923076923, 712), 50.0, array(['monitorowanie dziennika pożyczkobiorcy przez pożyczkodawcę'],\n", + " dtype=object)]\n", + "reconciliation of all sub ledger to the general ledger\n", + "reconciliation of all sub ledger monitorowanie dziennika pożyczkobiorcy przez pożyczkodawcę to the general ledger\n", + "uzgodnienie wszystkich księga pomocniczy do księga główny\n", + "=====================================================================\n", + "[('reckon', 90.9090909090909, 943), 50.0, array(['obliczenie', 'rachunek'], dtype=object)]\n", + "reconciliation of all sub ledger to the general ledger\n", + "reconciliation obliczenie of all sub ledger to the general ledger\n", + "uzgodnienie wszystkich księga pomocniczy do księga główny\n", + "=====================================================================\n", + "[('accrual', 100.0, 61), 36.36363636363637, array(['bierne rozliczenia międzyokresowe kosztów na koniec okresu'],\n", + " dtype=object)]\n", + "trade and other payable and accrual and deferred income\n", + "trade and other payable and accrual bierne rozliczenia międzyokresowe kosztów na koniec okresu and deferred income\n", + "zobowiązanie z tytuł dostawa i usługi pozostały zobowiązanie i rozliczenie międzyokresowe\n", + "=====================================================================\n", + "[('deferred income', 100.0, 364), 40.0, array(['obciążenie wyniku finansowego z tytułu odroczonego podatku dochodowego',\n", + " 'przychody przyszłych okresów'], dtype=object)]\n", + "trade and other payable and accrual and deferred income\n", + "trade and other payable and accrual and deferred obciążenie wyniku finansowego z tytułu odroczonego podatku dochodowego income\n", + "zobowiązanie z tytuł dostawa i usługi pozostały zobowiązanie i rozliczenie międzyokresowe\n", + "=====================================================================\n", + "[('deferred income', 100.0, 365), 40.0, array(['obciążenie wyniku finansowego z tytułu odroczonego podatku dochodowego',\n", + " 'przychody przyszłych okresów'], dtype=object)]\n", + "trade and other payable and accrual and deferred income\n", + "trade and other payable and accrual and deferred obciążenie wyniku finansowego z tytułu odroczonego podatku dochodowego income\n", + "zobowiązanie z tytuł dostawa i usługi pozostały zobowiązanie i rozliczenie międzyokresowe\n", + "=====================================================================\n", + "[('income', 100.0, 638), 100.0, array(['zysk'], dtype=object)]\n", + "trade and other payable and accrual and deferred income\n", + "trade and other zysk payable and accrual and deferred income\n", + "zobowiązanie z tytuł dostawa i usługi pozostały zobowiązanie i rozliczenie międzyokresowe\n", + "=====================================================================\n", + "[('payable', 100.0, 853), 40.0, array(['zobowiązania z tytułu dostaw i usług'], dtype=object)]\n", + "trade and other payable and accrual and deferred income\n", + "trade and other payable zobowiązania z tytułu dostaw i usług and accrual and deferred income\n", + "zobowiązanie z tytuł dostawa i usługi pozostały zobowiązanie i rozliczenie międzyokresowe\n", + "=====================================================================\n", + "[('contract', 100.0, 282), 40.0, array(['kontrakt', 'umowa'], dtype=object)]\n", + "obligation under finance lease and hire purchase contract note\n", + "obligation under finance lease and hire purchase contract kontrakt note\n", + "zobowiązanie z tytuł leasing finansowy i umowa dzierżawa z opcja zakup nota\n", + "=====================================================================\n", + "[('contract', 100.0, 283), 40.0, array(['kontrakt', 'umowa'], dtype=object)]\n", + "obligation under finance lease and hire purchase contract note\n", + "obligation under finance lease and hire purchase contract kontrakt note\n", + "zobowiązanie z tytuł leasing finansowy i umowa dzierżawa z opcja zakup nota\n", + "=====================================================================\n", + "[('lease', 100.0, 709), 88.88888888888889, array(['leasing'], dtype=object)]\n", + "obligation under finance lease and hire purchase contract note\n", + "obligation under finance lease leasing and hire purchase contract note\n", + "zobowiązanie z tytuł leasing finansowy i umowa dzierżawa z opcja zakup nota\n", + "=====================================================================\n", + "[('note', 100.0, 791), 57.142857142857146, array(['informacja dodatkowa'], dtype=object)]\n", + "obligation under finance lease and hire purchase contract note\n", + "obligation under finance informacja dodatkowa lease and hire purchase contract note\n", + "zobowiązanie z tytuł leasing finansowy i umowa dzierżawa z opcja zakup nota\n", + "=====================================================================\n", + "[('purchase cost', 92.3076923076923, 924), 46.15384615384615, array(['cena nabycia'], dtype=object)]\n", + "obligation under finance lease and hire purchase contract note\n", + "obligation under finance lease and hire purchase contract cena nabycia note\n", + "zobowiązanie z tytuł leasing finansowy i umowa dzierżawa z opcja zakup nota\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 57.142857142857146, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the oath shall be accept by the president of the national council of statutory auditors or a different authorised member of the national council of statutory auditors\n", + "the oath shall be accept by the president of the national council of statutory auditors badanie sprawozdania finansowego or a different authorised member of the national council of statutory auditors\n", + "ślubowanie odbierać prezes krajowy rada biegły rewident lub inny upoważniony członek krajowy rada biegły rewident\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 57.142857142857146, array(['biegły rewident'], dtype=object)]\n", + "the oath shall be accept by the president of the national council of statutory auditors or a different authorised member of the national council of statutory auditors\n", + "the oath shall be accept by the president of the national council of statutory auditors biegły rewident or a different authorised member of the national council of statutory auditors\n", + "ślubowanie odbierać prezes krajowy rada biegły rewident lub inny upoważniony członek krajowy rada biegły rewident\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 50.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "one of the result of these initiative be the implementation to polish tax statute of the standard audit file for tax saf t\n", + "one of the result of these initiative be the implementation to polish tax statute of the standard audit badanie sprawozdania finansowego file for tax saf t\n", + "jeden z efekt tych działanie było wprowadzenie do przepis ordynacja podatkowy instytucja tzw jednolity plik kontrolny jpk\n", + "=====================================================================\n", + "[('control', 100.0, 289), 100.0, array(['kontrola '], dtype=object)]\n", + "in any case not regulate in this act the control refer to in article 36 passage 1 item 1 and article 39 the provision of articles 6 16 articles 32 34 articles 39 60 articles 67 88a as well as articles 123 126 and articles 141 144 of the act of 14 june 1960 code of administrative procedure shall apply accordingly provide that the term designate in article 79 1 shall be 3 day\n", + "in any case not regulate in this act the control kontrola refer to in article 36 passage 1 item 1 and article 39 the provision of articles 6 16 articles 32 34 articles 39 60 articles 67 88a as well as articles 123 126 and articles 141 144 of the act of 14 june 1960 code of administrative procedure shall apply accordingly provide that the term designate in article 79 1 shall be 3 day\n", + "w sprawa nieuregulowanych w niniejszy ustawa do kontrola o których mowa w art 36 ust 1 pkt 1 oraz art 39 stosować się odpowiednio przepis art 6 16 art 32 34 art 39 60 art 67 88a z tym że termin wskazany w art 79 1 wynosić 3 dzień i art 123 126 oraz art 141 144 ustawa z dzień 14 czerwiec 1960 r kodeks postępowanie administracyjny\n", + "=====================================================================\n", + "[('provision', 100.0, 909), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "in any case not regulate in this act the control refer to in article 36 passage 1 item 1 and article 39 the provision of articles 6 16 articles 32 34 articles 39 60 articles 67 88a as well as articles 123 126 and articles 141 144 of the act of 14 june 1960 code of administrative procedure shall apply accordingly provide that the term designate in article 79 1 shall be 3 day\n", + "in any case not regulate in this act the control refer to in article 36 passage 1 item 1 and article 39 the provision rezerwa of articles 6 16 articles 32 34 articles 39 60 articles 67 88a as well as articles 123 126 and articles 141 144 of the act of 14 june 1960 code of administrative procedure shall apply accordingly provide that the term designate in article 79 1 shall be 3 day\n", + "w sprawa nieuregulowanych w niniejszy ustawa do kontrola o których mowa w art 36 ust 1 pkt 1 oraz art 39 stosować się odpowiednio przepis art 6 16 art 32 34 art 39 60 art 67 88a z tym że termin wskazany w art 79 1 wynosić 3 dzień i art 123 126 oraz art 141 144 ustawa z dzień 14 czerwiec 1960 r kodeks postępowanie administracyjny\n", + "=====================================================================\n", + "[('provision', 100.0, 911), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "in any case not regulate in this act the control refer to in article 36 passage 1 item 1 and article 39 the provision of articles 6 16 articles 32 34 articles 39 60 articles 67 88a as well as articles 123 126 and articles 141 144 of the act of 14 june 1960 code of administrative procedure shall apply accordingly provide that the term designate in article 79 1 shall be 3 day\n", + "in any case not regulate in this act the control refer to in article 36 passage 1 item 1 and article 39 the provision rezerwa of articles 6 16 articles 32 34 articles 39 60 articles 67 88a as well as articles 123 126 and articles 141 144 of the act of 14 june 1960 code of administrative procedure shall apply accordingly provide that the term designate in article 79 1 shall be 3 day\n", + "w sprawa nieuregulowanych w niniejszy ustawa do kontrola o których mowa w art 36 ust 1 pkt 1 oraz art 39 stosować się odpowiednio przepis art 6 16 art 32 34 art 39 60 art 67 88a z tym że termin wskazany w art 79 1 wynosić 3 dzień i art 123 126 oraz art 141 144 ustawa z dzień 14 czerwiec 1960 r kodeks postępowanie administracyjny\n", + "=====================================================================\n", + "[('account', 100.0, 13), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "as at 31 december 2017 after take into account the effect of interest rate swap approximately of the group s borrowing be at a fixed rate of interest\n", + "as at 31 december 2017 after take into account konto the effect of interest rate swap approximately of the group s borrowing be at a fixed rate of interest\n", + "na dzienie 31 grudzień 2017 rok po uwzględnienie skutek zamiany stopa procentowy około zaciągniętych przez grupa zobowiązanie posiadać stały oprocentowanie\n", + "=====================================================================\n", + "[('account', 100.0, 25), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "as at 31 december 2017 after take into account the effect of interest rate swap approximately of the group s borrowing be at a fixed rate of interest\n", + "as at 31 december 2017 after take into account konto the effect of interest rate swap approximately of the group s borrowing be at a fixed rate of interest\n", + "na dzienie 31 grudzień 2017 rok po uwzględnienie skutek zamiany stopa procentowy około zaciągniętych przez grupa zobowiązanie posiadać stały oprocentowanie\n", + "=====================================================================\n", + "[('account', 100.0, 57), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "as at 31 december 2017 after take into account the effect of interest rate swap approximately of the group s borrowing be at a fixed rate of interest\n", + "as at 31 december 2017 after take into account konto the effect of interest rate swap approximately of the group s borrowing be at a fixed rate of interest\n", + "na dzienie 31 grudzień 2017 rok po uwzględnienie skutek zamiany stopa procentowy około zaciągniętych przez grupa zobowiązanie posiadać stały oprocentowanie\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "as at 31 december 2017 after take into account the effect of interest rate swap approximately of the group s borrowing be at a fixed rate of interest\n", + "as at 31 december 2017 after take into account the effect of interest rate swap approximately of the group grupa kapitałowa s borrowing be at a fixed rate of interest\n", + "na dzienie 31 grudzień 2017 rok po uwzględnienie skutek zamiany stopa procentowy około zaciągniętych przez grupa zobowiązanie posiadać stały oprocentowanie\n", + "=====================================================================\n", + "[('interest', 100.0, 664), 57.142857142857146, array(['odsetki'], dtype=object)]\n", + "as at 31 december 2017 after take into account the effect of interest rate swap approximately of the group s borrowing be at a fixed rate of interest\n", + "as at 31 december 2017 after take into account the effect of interest odsetki rate swap approximately of the group s borrowing be at a fixed rate of interest\n", + "na dzienie 31 grudzień 2017 rok po uwzględnienie skutek zamiany stopa procentowy około zaciągniętych przez grupa zobowiązanie posiadać stały oprocentowanie\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 66.66666666666666, array(['aktywa'], dtype=object)]\n", + "damage to asset to be contribute by zalando e g warehouse eąuipment it any cost shall be bear by zalando unless a damage be cause by wilful intent of fiege include fiege s employee when perform their task\n", + "damage to asset aktywa to be contribute by zalando e g warehouse eąuipment it any cost shall be bear by zalando unless a damage be cause by wilful intent of fiege include fiege s employee when perform their task\n", + "szkoda na mienie zapewnianym przez zalando np magazyn sprzęt it wszelkie koszt ponosić zalando chyba że szkoda powstać w wynik celowy działanie fiege w tym pracownik fiege w trakt realizacja on zadanie\n", + "=====================================================================\n", + "[('cost', 100.0, 303), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "damage to asset to be contribute by zalando e g warehouse eąuipment it any cost shall be bear by zalando unless a damage be cause by wilful intent of fiege include fiege s employee when perform their task\n", + "damage to asset to be contribute by zalando e g warehouse eąuipment it any cost koszt shall be bear by zalando unless a damage be cause by wilful intent of fiege include fiege s employee when perform their task\n", + "szkoda na mienie zapewnianym przez zalando np magazyn sprzęt it wszelkie koszt ponosić zalando chyba że szkoda powstać w wynik celowy działanie fiege w tym pracownik fiege w trakt realizacja on zadanie\n", + "=====================================================================\n", + "[('cost', 100.0, 324), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "damage to asset to be contribute by zalando e g warehouse eąuipment it any cost shall be bear by zalando unless a damage be cause by wilful intent of fiege include fiege s employee when perform their task\n", + "damage to asset to be contribute by zalando e g warehouse eąuipment it any cost koszt shall be bear by zalando unless a damage be cause by wilful intent of fiege include fiege s employee when perform their task\n", + "szkoda na mienie zapewnianym przez zalando np magazyn sprzęt it wszelkie koszt ponosić zalando chyba że szkoda powstać w wynik celowy działanie fiege w tym pracownik fiege w trakt realizacja on zadanie\n", + "=====================================================================\n", + "[('cap', 100.0, 178), 66.66666666666666, array(['dyplomowany księgowy'], dtype=object)]\n", + "exist labor and capital can be engage much more effectively as ai allow human being to focus on what we do well imagine create and innovate\n", + "exist labor and capital dyplomowany księgowy can be engage much more effectively as ai allow human being to focus on what we do well imagine create and innovate\n", + "obecny zasób ludzki i kapitałowy można wykorzystać o wiele bardzo efektywnie ponieważ ai pozwalać człowiek skupić na tym w czym są najlepsi na wyobraźnia kreatywność innowacyjność\n", + "=====================================================================\n", + "[('vat', 100.0, 1156), 66.66666666666666, array(['vat'], dtype=object)]\n", + "exist labor and capital can be engage much more effectively as ai allow human being to focus on what we do well imagine create and innovate\n", + "exist labor and capital can be engage much more effectively as ai allow human being to focus on what vat we do well imagine create and innovate\n", + "obecny zasób ludzki i kapitałowy można wykorzystać o wiele bardzo efektywnie ponieważ ai pozwalać człowiek skupić na tym w czym są najlepsi na wyobraźnia kreatywność innowacyjność\n", + "=====================================================================\n", + "[('account', 100.0, 13), 54.54545454545455, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the audit oversight commission controller be subject to evaluation which be perform take into account 1 knowledge of control procedure and correctness of application of legal regulation in the control determination 2 difficulty and complexity of the control 3 qualification and experience in conduct control 4 ability to solve problem and initiative\n", + "the audit oversight commission controller be subject to evaluation which be perform take into account konto 1 knowledge of control procedure and correctness of application of legal regulation in the control determination 2 difficulty and complexity of the control 3 qualification and experience in conduct control 4 ability to solve problem and initiative\n", + "kontroler komisja nadzór audytowy podlegać ocena której dokonywać się brać pod uwaga 1 znajomość procedura kontrola i poprawność zastosowanie przepis prawo w ustalenie kontrola 2 stopień trudność i złożoność kontrola 3 kwalifikacja i doświadczenie w przeprowadzaniu kontrola 4 umiejętność rozwiązywania problem i inicjatywa\n", + "=====================================================================\n", + "[('account', 100.0, 25), 54.54545454545455, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the audit oversight commission controller be subject to evaluation which be perform take into account 1 knowledge of control procedure and correctness of application of legal regulation in the control determination 2 difficulty and complexity of the control 3 qualification and experience in conduct control 4 ability to solve problem and initiative\n", + "the audit oversight commission controller be subject to evaluation which be perform take into account konto 1 knowledge of control procedure and correctness of application of legal regulation in the control determination 2 difficulty and complexity of the control 3 qualification and experience in conduct control 4 ability to solve problem and initiative\n", + "kontroler komisja nadzór audytowy podlegać ocena której dokonywać się brać pod uwaga 1 znajomość procedura kontrola i poprawność zastosowanie przepis prawo w ustalenie kontrola 2 stopień trudność i złożoność kontrola 3 kwalifikacja i doświadczenie w przeprowadzaniu kontrola 4 umiejętność rozwiązywania problem i inicjatywa\n", + "=====================================================================\n", + "[('account', 100.0, 57), 54.54545454545455, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the audit oversight commission controller be subject to evaluation which be perform take into account 1 knowledge of control procedure and correctness of application of legal regulation in the control determination 2 difficulty and complexity of the control 3 qualification and experience in conduct control 4 ability to solve problem and initiative\n", + "the audit oversight commission controller be subject to evaluation which be perform take into account konto 1 knowledge of control procedure and correctness of application of legal regulation in the control determination 2 difficulty and complexity of the control 3 qualification and experience in conduct control 4 ability to solve problem and initiative\n", + "kontroler komisja nadzór audytowy podlegać ocena której dokonywać się brać pod uwaga 1 znajomość procedura kontrola i poprawność zastosowanie przepis prawo w ustalenie kontrola 2 stopień trudność i złożoność kontrola 3 kwalifikacja i doświadczenie w przeprowadzaniu kontrola 4 umiejętność rozwiązywania problem i inicjatywa\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the audit oversight commission controller be subject to evaluation which be perform take into account 1 knowledge of control procedure and correctness of application of legal regulation in the control determination 2 difficulty and complexity of the control 3 qualification and experience in conduct control 4 ability to solve problem and initiative\n", + "the audit badanie sprawozdania finansowego oversight commission controller be subject to evaluation which be perform take into account 1 knowledge of control procedure and correctness of application of legal regulation in the control determination 2 difficulty and complexity of the control 3 qualification and experience in conduct control 4 ability to solve problem and initiative\n", + "kontroler komisja nadzór audytowy podlegać ocena której dokonywać się brać pod uwaga 1 znajomość procedura kontrola i poprawność zastosowanie przepis prawo w ustalenie kontrola 2 stopień trudność i złożoność kontrola 3 kwalifikacja i doświadczenie w przeprowadzaniu kontrola 4 umiejętność rozwiązywania problem i inicjatywa\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "the audit oversight commission controller be subject to evaluation which be perform take into account 1 knowledge of control procedure and correctness of application of legal regulation in the control determination 2 difficulty and complexity of the control 3 qualification and experience in conduct control 4 ability to solve problem and initiative\n", + "the audit oversight commission prowizje controller be subject to evaluation which be perform take into account 1 knowledge of control procedure and correctness of application of legal regulation in the control determination 2 difficulty and complexity of the control 3 qualification and experience in conduct control 4 ability to solve problem and initiative\n", + "kontroler komisja nadzór audytowy podlegać ocena której dokonywać się brać pod uwaga 1 znajomość procedura kontrola i poprawność zastosowanie przepis prawo w ustalenie kontrola 2 stopień trudność i złożoność kontrola 3 kwalifikacja i doświadczenie w przeprowadzaniu kontrola 4 umiejętność rozwiązywania problem i inicjatywa\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 66.66666666666666, array(['jednostka'], dtype=object)]\n", + "entity need not provide comparative information when they first apply the amendment\n", + "entity jednostka need not provide comparative information when they first apply the amendment\n", + "nie jest wymagane przedstawienie informacja porównawczy za poprzedni okres\n", + "=====================================================================\n", + "[('irs', 100.0, 627), 50.0, array(['amerykański urząd skarbowy'], dtype=object)]\n", + "entity need not provide comparative information when they first apply the amendment\n", + "entity need not provide comparative information when they first amerykański urząd skarbowy apply the amendment\n", + "nie jest wymagane przedstawienie informacja porównawczy za poprzedni okres\n", + "=====================================================================\n", + "[('nominal value', 100.0, 782), 76.19047619047619, array(['wartość nominalna'], dtype=object)]\n", + "b series ordinary share with a nominal value of pln each\n", + "b series ordinary share with a nominal value wartość nominalna of pln each\n", + "akcja zwykły seria b udział o wartość nominalny pln każda\n", + "=====================================================================\n", + "[('cash', 100.0, 203), 25.0, array(['środki pieniężne'], dtype=object)]\n", + "net cash flow from invest activity\n", + "net cash środki pieniężne flow from invest activity\n", + "środek pieniężny netto z działalność inwestycyjny\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 80.0, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "the group recognize the follow change in net liability under define benefit plan under cost of sale administrative expense or under selling and distribution expense odpowiednio zmodyfikować w zależności od tego gdzie jest prezentowane which be compose of the follow item\n", + "the group recognize koszty sprzedanych produktów, towarów i materiałów the follow change in net liability under define benefit plan under cost of sale administrative expense or under selling and distribution expense odpowiednio zmodyfikować w zależności od tego gdzie jest prezentowane which be compose of the follow item\n", + "grupa rozpoznawać następujący zmiana w zobowiązanie netto z tytuł określony świadczenie w ramy odpowiednio koszt własny sprzedaż koszt ogólny zarząd oraz koszt sprzedaż odpowiednio zmodyfikować w zależność od tego gdzie jest prezentowane na które składać się\n", + "=====================================================================\n", + "[('cost', 100.0, 303), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "the group recognize the follow change in net liability under define benefit plan under cost of sale administrative expense or under selling and distribution expense odpowiednio zmodyfikować w zależności od tego gdzie jest prezentowane which be compose of the follow item\n", + "the group recognize the follow change in net liability under define benefit plan under cost koszt of sale administrative expense or under selling and distribution expense odpowiednio zmodyfikować w zależności od tego gdzie jest prezentowane which be compose of the follow item\n", + "grupa rozpoznawać następujący zmiana w zobowiązanie netto z tytuł określony świadczenie w ramy odpowiednio koszt własny sprzedaż koszt ogólny zarząd oraz koszt sprzedaż odpowiednio zmodyfikować w zależność od tego gdzie jest prezentowane na które składać się\n", + "=====================================================================\n", + "[('cost of sale', 100.0, 322), 54.54545454545455, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "the group recognize the follow change in net liability under define benefit plan under cost of sale administrative expense or under selling and distribution expense odpowiednio zmodyfikować w zależności od tego gdzie jest prezentowane which be compose of the follow item\n", + "the group recognize the follow change in net liability under define benefit plan under cost of sale koszty sprzedanych produktów, towarów i materiałów administrative expense or under selling and distribution expense odpowiednio zmodyfikować w zależności od tego gdzie jest prezentowane which be compose of the follow item\n", + "grupa rozpoznawać następujący zmiana w zobowiązanie netto z tytuł określony świadczenie w ramy odpowiednio koszt własny sprzedaż koszt ogólny zarząd oraz koszt sprzedaż odpowiednio zmodyfikować w zależność od tego gdzie jest prezentowane na które składać się\n", + "=====================================================================\n", + "[('cost', 100.0, 324), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "the group recognize the follow change in net liability under define benefit plan under cost of sale administrative expense or under selling and distribution expense odpowiednio zmodyfikować w zależności od tego gdzie jest prezentowane which be compose of the follow item\n", + "the group recognize the follow change in net liability under define benefit plan under cost koszt of sale administrative expense or under selling and distribution expense odpowiednio zmodyfikować w zależności od tego gdzie jest prezentowane which be compose of the follow item\n", + "grupa rozpoznawać następujący zmiana w zobowiązanie netto z tytuł określony świadczenie w ramy odpowiednio koszt własny sprzedaż koszt ogólny zarząd oraz koszt sprzedaż odpowiednio zmodyfikować w zależność od tego gdzie jest prezentowane na które składać się\n", + "=====================================================================\n", + "[('define benefit plan', 100.0, 369), 51.61290322580645, array(['program określonych świadczeń'], dtype=object)]\n", + "the group recognize the follow change in net liability under define benefit plan under cost of sale administrative expense or under selling and distribution expense odpowiednio zmodyfikować w zależności od tego gdzie jest prezentowane which be compose of the follow item\n", + "the group recognize the follow change in net liability under define benefit plan program określonych świadczeń under cost of sale administrative expense or under selling and distribution expense odpowiednio zmodyfikować w zależności od tego gdzie jest prezentowane which be compose of the follow item\n", + "grupa rozpoznawać następujący zmiana w zobowiązanie netto z tytuł określony świadczenie w ramy odpowiednio koszt własny sprzedaż koszt ogólny zarząd oraz koszt sprzedaż odpowiednio zmodyfikować w zależność od tego gdzie jest prezentowane na które składać się\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 66.66666666666666, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the approve annual control plan shall be publish on the website of the polish chamber of statutory auditors\n", + "the approve annual control plan shall be publish on the website of the polish chamber of statutory badanie sprawozdania finansowego auditors\n", + "zatwierdzony roczny plan kontrola jest publika wany na strona internetowy polski izba biegły rewident\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 66.66666666666666, array(['biegły rewident'], dtype=object)]\n", + "the approve annual control plan shall be publish on the website of the polish chamber of statutory auditors\n", + "the approve annual control plan shall be publish on the website of the polish chamber of statutory biegły rewident auditors\n", + "zatwierdzony roczny plan kontrola jest publika wany na strona internetowy polski izba biegły rewident\n", + "=====================================================================\n", + "[('control', 100.0, 289), 85.71428571428571, array(['kontrola '], dtype=object)]\n", + "the approve annual control plan shall be publish on the website of the polish chamber of statutory auditors\n", + "the approve annual control kontrola plan shall be publish on the website of the polish chamber of statutory auditors\n", + "zatwierdzony roczny plan kontrola jest publika wany na strona internetowy polski izba biegły rewident\n", + "=====================================================================\n", + "[('cash', 100.0, 203), 66.66666666666666, array(['środki pieniężne'], dtype=object)]\n", + "profit loss on cash flow hedges2\n", + "profit loss on cash środki pieniężne flow hedges2\n", + "zysk strata netto dotycząca zabezpieczenie przepływ pieniężnych2\n", + "=====================================================================\n", + "[('hedge', 100.0, 600), 44.44444444444444, array(['transakcje zabezpieczające'], dtype=object)]\n", + "profit loss on cash flow hedges2\n", + "profit loss on cash transakcje zabezpieczające flow hedges2\n", + "zysk strata netto dotycząca zabezpieczenie przepływ pieniężnych2\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 40.0, array(['strata'], dtype=object)]\n", + "profit loss on cash flow hedges2\n", + "profit loss strata on cash flow hedges2\n", + "zysk strata netto dotycząca zabezpieczenie przepływ pieniężnych2\n", + "=====================================================================\n", + "[('profit', 100.0, 898), 50.0, array(['zysk'], dtype=object)]\n", + "profit loss on cash flow hedges2\n", + "profit zysk loss on cash flow hedges2\n", + "zysk strata netto dotycząca zabezpieczenie przepływ pieniężnych2\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 66.66666666666666, array(['aktywa'], dtype=object)]\n", + "the group assess at each reporting date whether there be any objective evidence that a financial asset or a group of financial asset be impaired\n", + "the group assess at each reporting date whether there be any objective evidence that a aktywa financial asset or a group of financial asset be impaired\n", + "na każdy dzienie bilansowy grupa oceniać czy istnieć obiektywny przesłanka utrata wartość składnik aktywa finansowy lub grupa aktywa finansowy\n", + "=====================================================================\n", + "[('financial asset', 100.0, 514), 55.55555555555556, array(['aktywa finansowe'], dtype=object)]\n", + "the group assess at each reporting date whether there be any objective evidence that a financial asset or a group of financial asset be impaired\n", + "the group assess at each reporting date whether there be any objective evidence that a financial asset aktywa finansowe or a group of financial asset be impaired\n", + "na każdy dzienie bilansowy grupa oceniać czy istnieć obiektywny przesłanka utrata wartość składnik aktywa finansowy lub grupa aktywa finansowy\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "the group assess at each reporting date whether there be any objective evidence that a financial asset or a group of financial asset be impaired\n", + "the group grupa kapitałowa assess at each reporting date whether there be any objective evidence that a financial asset or a group of financial asset be impaired\n", + "na każdy dzienie bilansowy grupa oceniać czy istnieć obiektywny przesłanka utrata wartość składnik aktywa finansowy lub grupa aktywa finansowy\n", + "=====================================================================\n", + "[('report', 100.0, 963), 50.0, array(['sprawozdawczość'], dtype=object)]\n", + "the group assess at each reporting date whether there be any objective evidence that a financial asset or a group of financial asset be impaired\n", + "the group assess at each reporting sprawozdawczość date whether there be any objective evidence that a financial asset or a group of financial asset be impaired\n", + "na każdy dzienie bilansowy grupa oceniać czy istnieć obiektywny przesłanka utrata wartość składnik aktywa finansowy lub grupa aktywa finansowy\n", + "=====================================================================\n", + "[('account', 100.0, 13), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "where the group be commit to a sale plan consist in a sale of its investment in a joint venture or an associate or a portion thereof such investment or a portion thereof intend for sale be classify as hold for sale after the above criterion have be fulfil and the group cease to apply the equity method to account for the part of the investment classify as hold for sale\n", + "where the group be commit to a konto sale plan consist in a sale of its investment in a joint venture or an associate or a portion thereof such investment or a portion thereof intend for sale be classify as hold for sale after the above criterion have be fulfil and the group cease to apply the equity method to account for the part of the investment classify as hold for sale\n", + "jeżeli grupa jest zobowiązany do realizacja plan sprzedaż polegającego na sprzedaż inwestycja w wspólny przedsięwzięcie lub jednostka stowarzyszony lub część takiej inwestycja inwestycja lub on część przeznaczoną do sprzedaż klasyfikować się jako przeznaczoną do sprzedaż po spełnienie w w kryterium a grupa zaprzestawać stosowania metoda prawo własność do rozliczania część inwestycja sklasyfikowanej jako przeznaczona do sprzedaż\n", + "=====================================================================\n", + "[('account', 100.0, 25), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "where the group be commit to a sale plan consist in a sale of its investment in a joint venture or an associate or a portion thereof such investment or a portion thereof intend for sale be classify as hold for sale after the above criterion have be fulfil and the group cease to apply the equity method to account for the part of the investment classify as hold for sale\n", + "where the group be commit to a konto sale plan consist in a sale of its investment in a joint venture or an associate or a portion thereof such investment or a portion thereof intend for sale be classify as hold for sale after the above criterion have be fulfil and the group cease to apply the equity method to account for the part of the investment classify as hold for sale\n", + "jeżeli grupa jest zobowiązany do realizacja plan sprzedaż polegającego na sprzedaż inwestycja w wspólny przedsięwzięcie lub jednostka stowarzyszony lub część takiej inwestycja inwestycja lub on część przeznaczoną do sprzedaż klasyfikować się jako przeznaczoną do sprzedaż po spełnienie w w kryterium a grupa zaprzestawać stosowania metoda prawo własność do rozliczania część inwestycja sklasyfikowanej jako przeznaczona do sprzedaż\n", + "=====================================================================\n", + "[('account', 100.0, 57), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "where the group be commit to a sale plan consist in a sale of its investment in a joint venture or an associate or a portion thereof such investment or a portion thereof intend for sale be classify as hold for sale after the above criterion have be fulfil and the group cease to apply the equity method to account for the part of the investment classify as hold for sale\n", + "where the group be commit to a konto sale plan consist in a sale of its investment in a joint venture or an associate or a portion thereof such investment or a portion thereof intend for sale be classify as hold for sale after the above criterion have be fulfil and the group cease to apply the equity method to account for the part of the investment classify as hold for sale\n", + "jeżeli grupa jest zobowiązany do realizacja plan sprzedaż polegającego na sprzedaż inwestycja w wspólny przedsięwzięcie lub jednostka stowarzyszony lub część takiej inwestycja inwestycja lub on część przeznaczoną do sprzedaż klasyfikować się jako przeznaczoną do sprzedaż po spełnienie w w kryterium a grupa zaprzestawać stosowania metoda prawo własność do rozliczania część inwestycja sklasyfikowanej jako przeznaczona do sprzedaż\n", + "=====================================================================\n", + "[('equity', 100.0, 460), 50.0, array(['kapitał własny'], dtype=object)]\n", + "where the group be commit to a sale plan consist in a sale of its investment in a joint venture or an associate or a portion thereof such investment or a portion thereof intend for sale be classify as hold for sale after the above criterion have be fulfil and the group cease to apply the equity method to account for the part of the investment classify as hold for sale\n", + "where the group be commit to a sale plan consist in a sale of its investment in a joint venture or an associate or a portion thereof such investment or a portion thereof intend for sale be classify as hold for sale after the above criterion have be fulfil and the group cease to apply the equity kapitał własny method to account for the part of the investment classify as hold for sale\n", + "jeżeli grupa jest zobowiązany do realizacja plan sprzedaż polegającego na sprzedaż inwestycja w wspólny przedsięwzięcie lub jednostka stowarzyszony lub część takiej inwestycja inwestycja lub on część przeznaczoną do sprzedaż klasyfikować się jako przeznaczoną do sprzedaż po spełnienie w w kryterium a grupa zaprzestawać stosowania metoda prawo własność do rozliczania część inwestycja sklasyfikowanej jako przeznaczona do sprzedaż\n", + "=====================================================================\n", + "[('equity method', 100.0, 461), 63.63636363636363, array(['metoda praw własności'], dtype=object)]\n", + "where the group be commit to a sale plan consist in a sale of its investment in a joint venture or an associate or a portion thereof such investment or a portion thereof intend for sale be classify as hold for sale after the above criterion have be fulfil and the group cease to apply the equity method to account for the part of the investment classify as hold for sale\n", + "where the group be commit to a sale plan consist in a sale of its investment in a joint venture or an associate or a portion thereof such investment or a portion thereof intend for sale be classify as hold for sale after the above criterion have be fulfil and the group cease to apply the equity method metoda praw własności to account for the part of the investment classify as hold for sale\n", + "jeżeli grupa jest zobowiązany do realizacja plan sprzedaż polegającego na sprzedaż inwestycja w wspólny przedsięwzięcie lub jednostka stowarzyszony lub część takiej inwestycja inwestycja lub on część przeznaczoną do sprzedaż klasyfikować się jako przeznaczoną do sprzedaż po spełnienie w w kryterium a grupa zaprzestawać stosowania metoda prawo własność do rozliczania część inwestycja sklasyfikowanej jako przeznaczona do sprzedaż\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the national supervisory committee shall implement recommendation and instruction concern a way of carry out the control issue by the audit oversight commission\n", + "the national supervisory committee shall implement recommendation and instruction concern a badanie sprawozdania finansowego way of carry out the control issue by the audit oversight commission\n", + "krajowy komisja nadzór wykonywać wydane przez komisja nadzór audytowy zalecenie i instrukcja dotyczące sposób przeprowadzania kontrola\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "the national supervisory committee shall implement recommendation and instruction concern a way of carry out the control issue by the audit oversight commission\n", + "the national supervisory committee prowizje shall implement recommendation and instruction concern a way of carry out the control issue by the audit oversight commission\n", + "krajowy komisja nadzór wykonywać wydane przez komisja nadzór audytowy zalecenie i instrukcja dotyczące sposób przeprowadzania kontrola\n", + "=====================================================================\n", + "[('control', 100.0, 289), 50.0, array(['kontrola '], dtype=object)]\n", + "the national supervisory committee shall implement recommendation and instruction concern a way of carry out the control issue by the audit oversight commission\n", + "the national supervisory committee shall implement recommendation and instruction concern a way of carry out the control kontrola issue by the audit oversight commission\n", + "krajowy komisja nadzór wykonywać wydane przez komisja nadzór audytowy zalecenie i instrukcja dotyczące sposób przeprowadzania kontrola\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 100.0, array(['nadzór'], dtype=object)]\n", + "the national supervisory committee shall implement recommendation and instruction concern a way of carry out the control issue by the audit oversight commission\n", + "the national supervisory committee shall implement recommendation and instruction concern a way of carry out the control issue by the audit oversight nadzór commission\n", + "krajowy komisja nadzór wykonywać wydane przez komisja nadzór audytowy zalecenie i instrukcja dotyczące sposób przeprowadzania kontrola\n", + "=====================================================================\n", + "[('go concern', 90.0, 580), 44.44444444444444, array(['kontynuacja działalności'], dtype=object)]\n", + "the national supervisory committee shall implement recommendation and instruction concern a way of carry out the control issue by the audit oversight commission\n", + "the national supervisory committee shall implement recommendation and instruction concern kontynuacja działalności a way of carry out the control issue by the audit oversight commission\n", + "krajowy komisja nadzór wykonywać wydane przez komisja nadzór audytowy zalecenie i instrukcja dotyczące sposób przeprowadzania kontrola\n", + "=====================================================================\n", + "[('continue operation', 100.0, 277), 56.0, array(['działalność kontynuowana'], dtype=object)]\n", + "dilute for profit for the year from continue operation attributable to equity holder of the parent\n", + "dilute for profit for the year from continue operation działalność kontynuowana attributable to equity holder of the parent\n", + "rozwodniony z zysk z działalność kontynuowanej za rok przypadającego akcjonariusz jednostka dominujący\n", + "=====================================================================\n", + "[('equity', 100.0, 460), 40.0, array(['kapitał własny'], dtype=object)]\n", + "dilute for profit for the year from continue operation attributable to equity holder of the parent\n", + "dilute for profit for the year from continue operation attributable to equity kapitał własny holder of the parent\n", + "rozwodniony z zysk z działalność kontynuowanej za rok przypadającego akcjonariusz jednostka dominujący\n", + "=====================================================================\n", + "[('profit', 100.0, 898), 66.66666666666666, array(['zysk'], dtype=object)]\n", + "dilute for profit for the year from continue operation attributable to equity holder of the parent\n", + "dilute for profit zysk for the year from continue operation attributable to equity holder of the parent\n", + "rozwodniony z zysk z działalność kontynuowanej za rok przypadającego akcjonariusz jednostka dominujący\n", + "=====================================================================\n", + "[('ema', 100.0, 410), 80.0, array(['rachunkowość zarządcza ochrony środowiska'], dtype=object)]\n", + "notification of take up and pursue the profession submit on the basis of article 3 passage 4 of the act repeal in article 301 shall remain valid\n", + "notification of take up and pursue the profession submit on the basis of article 3 passage 4 of the act repeal in article 301 shall remain rachunkowość zarządcza ochrony środowiska valid\n", + "zawiadomienie o podjęcie i forma wykonywania zawód złożony na podstawa art 3 ust 4 ustawa uchylać nej w art 301 zachowywać ważność\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 66.66666666666666, array(['jednostka'], dtype=object)]\n", + "none of the relation between group entity and joint operation be of strategic importance to the group entity odpowiednio zmienić jeśli jest inaczej\n", + "none of the relation between group entity jednostka and joint operation be of strategic importance to the group entity odpowiednio zmienić jeśli jest inaczej\n", + "żadne z powiązanie spółka grupa z wspólny działanie nie mieć charakter strategiczny dla jednostka grupa odpowiednio zmienić jeśli być inaczej\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "none of the relation between group entity and joint operation be of strategic importance to the group entity odpowiednio zmienić jeśli jest inaczej\n", + "none of the relation between group grupa kapitałowa entity and joint operation be of strategic importance to the group entity odpowiednio zmienić jeśli jest inaczej\n", + "żadne z powiązanie spółka grupa z wspólny działanie nie mieć charakter strategiczny dla jednostka grupa odpowiednio zmienić jeśli być inaczej\n", + "=====================================================================\n", + "[('c a', 100.0, 176), 66.66666666666666, array(['dyplomowany biegły rewident'], dtype=object)]\n", + "it company whose thinking be holistic and complete be become more and more valuable as business partner\n", + "it company whose thinking be holistic and dyplomowany biegły rewident complete be become more and more valuable as business partner\n", + "firma it stawać się coraz bardzo wartościowy partner biznesowy myślący kompleksowo i kompletnie\n", + "=====================================================================\n", + "[('company', 100.0, 245), 60.0, array(['spółka kapitałowa'], dtype=object)]\n", + "it company whose thinking be holistic and complete be become more and more valuable as business partner\n", + "it company spółka kapitałowa whose thinking be holistic and complete be become more and more valuable as business partner\n", + "firma it stawać się coraz bardzo wartościowy partner biznesowy myślący kompleksowo i kompletnie\n", + "=====================================================================\n", + "[('earning', 100.0, 419), 57.142857142857146, array(['zysk'], dtype=object)]\n", + "profit attributable to ordinary equity holder use to calculate diluted earning per share\n", + "profit attributable to ordinary equity holder use to calculate diluted earning zysk per share\n", + "zysk netto przypadający na zwykły akcjonariusz zastosowany do obliczenie rozwodnionego zysk na jeden akcja\n", + "=====================================================================\n", + "[('earning per share', 100.0, 426), 43.75, array(['zysk na jedną akcję'], dtype=object)]\n", + "profit attributable to ordinary equity holder use to calculate diluted earning per share\n", + "profit attributable to ordinary equity holder use to calculate diluted earning per zysk na jedną akcję share\n", + "zysk netto przypadający na zwykły akcjonariusz zastosowany do obliczenie rozwodnionego zysk na jeden akcja\n", + "=====================================================================\n", + "[('equity', 100.0, 460), 40.0, array(['kapitał własny'], dtype=object)]\n", + "profit attributable to ordinary equity holder use to calculate diluted earning per share\n", + "profit attributable to ordinary equity kapitał własny holder use to calculate diluted earning per share\n", + "zysk netto przypadający na zwykły akcjonariusz zastosowany do obliczenie rozwodnionego zysk na jeden akcja\n", + "=====================================================================\n", + "[('profit', 100.0, 898), 50.0, array(['zysk'], dtype=object)]\n", + "profit attributable to ordinary equity holder use to calculate diluted earning per share\n", + "profit zysk attributable to ordinary equity holder use to calculate diluted earning per share\n", + "zysk netto przypadający na zwykły akcjonariusz zastosowany do obliczenie rozwodnionego zysk na jeden akcja\n", + "=====================================================================\n", + "[('account', 100.0, 13), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "during 2017 the group have perform a detailed impact assessment of implementation of ifrs 9 on the accounting principle policy apllie by the group with respect to the group s operation or its financial result\n", + "during 2017 the group have perform a konto detailed impact assessment of implementation of ifrs 9 on the accounting principle policy apllie by the group with respect to the group s operation or its financial result\n", + "w 2017 rok grupa przeprowadzić szczegółowy ocena wpływ wprowadzenie mssf 9 na stosowany przez grupa zasada polityka rachunkowość w odniesienie do działalność grupa lub on wynik finansowy\n", + "=====================================================================\n", + "[('account', 100.0, 25), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "during 2017 the group have perform a detailed impact assessment of implementation of ifrs 9 on the accounting principle policy apllie by the group with respect to the group s operation or its financial result\n", + "during 2017 the group have perform a konto detailed impact assessment of implementation of ifrs 9 on the accounting principle policy apllie by the group with respect to the group s operation or its financial result\n", + "w 2017 rok grupa przeprowadzić szczegółowy ocena wpływ wprowadzenie mssf 9 na stosowany przez grupa zasada polityka rachunkowość w odniesienie do działalność grupa lub on wynik finansowy\n", + "=====================================================================\n", + "[('account', 100.0, 57), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "during 2017 the group have perform a detailed impact assessment of implementation of ifrs 9 on the accounting principle policy apllie by the group with respect to the group s operation or its financial result\n", + "during 2017 the group have perform a konto detailed impact assessment of implementation of ifrs 9 on the accounting principle policy apllie by the group with respect to the group s operation or its financial result\n", + "w 2017 rok grupa przeprowadzić szczegółowy ocena wpływ wprowadzenie mssf 9 na stosowany przez grupa zasada polityka rachunkowość w odniesienie do działalność grupa lub on wynik finansowy\n", + "=====================================================================\n", + "[('financial result', 100.0, 521), 50.0, array(['wyniki finansowe'], dtype=object)]\n", + "during 2017 the group have perform a detailed impact assessment of implementation of ifrs 9 on the accounting principle policy apllie by the group with respect to the group s operation or its financial result\n", + "during 2017 the group have perform a detailed impact assessment of implementation of ifrs 9 on the accounting principle policy apllie by the group with respect to the group s operation or its financial wyniki finansowe result\n", + "w 2017 rok grupa przeprowadzić szczegółowy ocena wpływ wprowadzenie mssf 9 na stosowany przez grupa zasada polityka rachunkowość w odniesienie do działalność grupa lub on wynik finansowy\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "during 2017 the group have perform a detailed impact assessment of implementation of ifrs 9 on the accounting principle policy apllie by the group with respect to the group s operation or its financial result\n", + "during 2017 the group grupa kapitałowa have perform a detailed impact assessment of implementation of ifrs 9 on the accounting principle policy apllie by the group with respect to the group s operation or its financial result\n", + "w 2017 rok grupa przeprowadzić szczegółowy ocena wpływ wprowadzenie mssf 9 na stosowany przez grupa zasada polityka rachunkowość w odniesienie do działalność grupa lub on wynik finansowy\n", + "=====================================================================\n", + "[('account', 100.0, 13), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "certain group entity keep or the group keep odpowiednio wybrać book of account in accordance with accounting policy specify in the accounting act date 29 september 1994 the accounting act with subsequent amendment and the regulation issue base on that act polish accounting standards\n", + "certain group entity keep or the group keep odpowiednio wybrać book of account konto in accordance with accounting policy specify in the accounting act date 29 september 1994 the accounting act with subsequent amendment and the regulation issue base on that act polish accounting standards\n", + "niektóre jednostka grupa prowadzić lub grupa prowadzić odpowiednio wybrać swoje księga rachunkowy zgodnie z polityka zasada rachunkowość określony przez ustawa z dzień 29 wrzesień 1994 rok o rachunkowość ustawa z późny zmiana i wydanymi na on podstawa przepis polski standard rachunkowość\n", + "=====================================================================\n", + "[('account', 100.0, 25), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "certain group entity keep or the group keep odpowiednio wybrać book of account in accordance with accounting policy specify in the accounting act date 29 september 1994 the accounting act with subsequent amendment and the regulation issue base on that act polish accounting standards\n", + "certain group entity keep or the group keep odpowiednio wybrać book of account konto in accordance with accounting policy specify in the accounting act date 29 september 1994 the accounting act with subsequent amendment and the regulation issue base on that act polish accounting standards\n", + "niektóre jednostka grupa prowadzić lub grupa prowadzić odpowiednio wybrać swoje księga rachunkowy zgodnie z polityka zasada rachunkowość określony przez ustawa z dzień 29 wrzesień 1994 rok o rachunkowość ustawa z późny zmiana i wydanymi na on podstawa przepis polski standard rachunkowość\n", + "=====================================================================\n", + "[('accounting policy', 100.0, 45), 70.58823529411765, array(['zasady rachunkowości'], dtype=object)]\n", + "certain group entity keep or the group keep odpowiednio wybrać book of account in accordance with accounting policy specify in the accounting act date 29 september 1994 the accounting act with subsequent amendment and the regulation issue base on that act polish accounting standards\n", + "certain group entity keep or the group keep odpowiednio wybrać book of account in accordance with accounting policy zasady rachunkowości specify in the accounting act date 29 september 1994 the accounting act with subsequent amendment and the regulation issue base on that act polish accounting standards\n", + "niektóre jednostka grupa prowadzić lub grupa prowadzić odpowiednio wybrać swoje księga rachunkowy zgodnie z polityka zasada rachunkowość określony przez ustawa z dzień 29 wrzesień 1994 rok o rachunkowość ustawa z późny zmiana i wydanymi na on podstawa przepis polski standard rachunkowość\n", + "=====================================================================\n", + "[('accounting standard', 100.0, 54), 75.0, array(['standardy rachunkowości'], dtype=object)]\n", + "certain group entity keep or the group keep odpowiednio wybrać book of account in accordance with accounting policy specify in the accounting act date 29 september 1994 the accounting act with subsequent amendment and the regulation issue base on that act polish accounting standards\n", + "certain group entity keep or the group keep odpowiednio wybrać book of account in standardy rachunkowości accordance with accounting policy specify in the accounting act date 29 september 1994 the accounting act with subsequent amendment and the regulation issue base on that act polish accounting standards\n", + "niektóre jednostka grupa prowadzić lub grupa prowadzić odpowiednio wybrać swoje księga rachunkowy zgodnie z polityka zasada rachunkowość określony przez ustawa z dzień 29 wrzesień 1994 rok o rachunkowość ustawa z późny zmiana i wydanymi na on podstawa przepis polski standard rachunkowość\n", + "=====================================================================\n", + "[('account', 100.0, 57), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "certain group entity keep or the group keep odpowiednio wybrać book of account in accordance with accounting policy specify in the accounting act date 29 september 1994 the accounting act with subsequent amendment and the regulation issue base on that act polish accounting standards\n", + "certain group entity keep or the group keep odpowiednio wybrać book of account konto in accordance with accounting policy specify in the accounting act date 29 september 1994 the accounting act with subsequent amendment and the regulation issue base on that act polish accounting standards\n", + "niektóre jednostka grupa prowadzić lub grupa prowadzić odpowiednio wybrać swoje księga rachunkowy zgodnie z polityka zasada rachunkowość określony przez ustawa z dzień 29 wrzesień 1994 rok o rachunkowość ustawa z późny zmiana i wydanymi na on podstawa przepis polski standard rachunkowość\n", + "=====================================================================\n", + "[('assurance service', 100.0, 111), 50.0, array(['usługi atestacyjne'], dtype=object)]\n", + "the profession of statutory auditor consist in 1 performance of audit activity 2 provision of the assurance service other than financial audit activity not reserve to be perform by the statutory auditor 3 provision of the relate service\n", + "the profession of statutory auditor consist in 1 performance of audit activity 2 provision of the assurance service usługi atestacyjne other than financial audit activity not reserve to be perform by the statutory auditor 3 provision of the relate service\n", + "zawoda biegły rewident polegać na 1 wykonywaniu czynność rewizja finansowy 2 świadczenie usługi atestacyjny inny niż czynność rewizja finansowy niezastrzeżonych do wykonywania przez biegły rewident 3 świadczenie usługi pokrewny\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 66.66666666666666, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the profession of statutory auditor consist in 1 performance of audit activity 2 provision of the assurance service other than financial audit activity not reserve to be perform by the statutory auditor 3 provision of the relate service\n", + "the profession of statutory auditor badanie sprawozdania finansowego consist in 1 performance of audit activity 2 provision of the assurance service other than financial audit activity not reserve to be perform by the statutory auditor 3 provision of the relate service\n", + "zawoda biegły rewident polegać na 1 wykonywaniu czynność rewizja finansowy 2 świadczenie usługi atestacyjny inny niż czynność rewizja finansowy niezastrzeżonych do wykonywania przez biegły rewident 3 świadczenie usługi pokrewny\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 66.66666666666666, array(['biegły rewident'], dtype=object)]\n", + "the profession of statutory auditor consist in 1 performance of audit activity 2 provision of the assurance service other than financial audit activity not reserve to be perform by the statutory auditor 3 provision of the relate service\n", + "the profession of statutory auditor biegły rewident consist in 1 performance of audit activity 2 provision of the assurance service other than financial audit activity not reserve to be perform by the statutory auditor 3 provision of the relate service\n", + "zawoda biegły rewident polegać na 1 wykonywaniu czynność rewizja finansowy 2 świadczenie usługi atestacyjny inny niż czynność rewizja finansowy niezastrzeżonych do wykonywania przez biegły rewident 3 świadczenie usługi pokrewny\n", + "=====================================================================\n", + "[('provision', 100.0, 909), 66.66666666666666, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "the profession of statutory auditor consist in 1 performance of audit activity 2 provision of the assurance service other than financial audit activity not reserve to be perform by the statutory auditor 3 provision of the relate service\n", + "the profession of statutory auditor consist in 1 performance of audit activity 2 provision rezerwa of the assurance service other than financial audit activity not reserve to be perform by the statutory auditor 3 provision of the relate service\n", + "zawoda biegły rewident polegać na 1 wykonywaniu czynność rewizja finansowy 2 świadczenie usługi atestacyjny inny niż czynność rewizja finansowy niezastrzeżonych do wykonywania przez biegły rewident 3 świadczenie usługi pokrewny\n", + "=====================================================================\n", + "[('provision', 100.0, 911), 66.66666666666666, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "the profession of statutory auditor consist in 1 performance of audit activity 2 provision of the assurance service other than financial audit activity not reserve to be perform by the statutory auditor 3 provision of the relate service\n", + "the profession of statutory auditor consist in 1 performance of audit activity 2 provision rezerwa of the assurance service other than financial audit activity not reserve to be perform by the statutory auditor 3 provision of the relate service\n", + "zawoda biegły rewident polegać na 1 wykonywaniu czynność rewizja finansowy 2 świadczenie usługi atestacyjny inny niż czynność rewizja finansowy niezastrzeżonych do wykonywania przez biegły rewident 3 świadczenie usługi pokrewny\n", + "=====================================================================\n", + "[('account', 100.0, 13), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "when determine the amount of percentage rate of the fee refer to in article 56 passage 1 and 2 the national council of statutory auditors shall take into account shortage and surplus of the fee for oversight for year after 2017\n", + "when determine the amount of percentage rate of the fee refer to in article 56 passage 1 and 2 the national council of statutory auditors shall take into account konto shortage and surplus of the fee for oversight for year after 2017\n", + "krajowy rado biegły rewident określać wysokość stawka procentowy opłata o których mowa w art 56 ust 1 i 2 uwzględniać niedobór i nadwyżka opłata z tytuł nadzór powstały po 2017 r\n", + "=====================================================================\n", + "[('account', 100.0, 25), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "when determine the amount of percentage rate of the fee refer to in article 56 passage 1 and 2 the national council of statutory auditors shall take into account shortage and surplus of the fee for oversight for year after 2017\n", + "when determine the amount of percentage rate of the fee refer to in article 56 passage 1 and 2 the national council of statutory auditors shall take into account konto shortage and surplus of the fee for oversight for year after 2017\n", + "krajowy rado biegły rewident określać wysokość stawka procentowy opłata o których mowa w art 56 ust 1 i 2 uwzględniać niedobór i nadwyżka opłata z tytuł nadzór powstały po 2017 r\n", + "=====================================================================\n", + "[('account', 100.0, 57), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "when determine the amount of percentage rate of the fee refer to in article 56 passage 1 and 2 the national council of statutory auditors shall take into account shortage and surplus of the fee for oversight for year after 2017\n", + "when determine the amount of percentage rate of the fee refer to in article 56 passage 1 and 2 the national council of statutory auditors shall take into account konto shortage and surplus of the fee for oversight for year after 2017\n", + "krajowy rado biegły rewident określać wysokość stawka procentowy opłata o których mowa w art 56 ust 1 i 2 uwzględniać niedobór i nadwyżka opłata z tytuł nadzór powstały po 2017 r\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "when determine the amount of percentage rate of the fee refer to in article 56 passage 1 and 2 the national council of statutory auditors shall take into account shortage and surplus of the fee for oversight for year after 2017\n", + "when determine the amount of percentage rate of the fee refer to in article 56 passage 1 and 2 the national council of statutory auditors badanie sprawozdania finansowego shall take into account shortage and surplus of the fee for oversight for year after 2017\n", + "krajowy rado biegły rewident określać wysokość stawka procentowy opłata o których mowa w art 56 ust 1 i 2 uwzględniać niedobór i nadwyżka opłata z tytuł nadzór powstały po 2017 r\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "when determine the amount of percentage rate of the fee refer to in article 56 passage 1 and 2 the national council of statutory auditors shall take into account shortage and surplus of the fee for oversight for year after 2017\n", + "when determine the amount of percentage rate of the fee refer to biegły rewident in article 56 passage 1 and 2 the national council of statutory auditors shall take into account shortage and surplus of the fee for oversight for year after 2017\n", + "krajowy rado biegły rewident określać wysokość stawka procentowy opłata o których mowa w art 56 ust 1 i 2 uwzględniać niedobór i nadwyżka opłata z tytuł nadzór powstały po 2017 r\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the director shall prepare and after obtain a positive opinion of the council present for the minister s approval the annual financial statement of the centre along with the audit report prepare by the audit firm refer to in article 42 until 31 march each year\n", + "the director shall prepare and after obtain a badanie sprawozdania finansowego positive opinion of the council present for the minister s approval the annual financial statement of the centre along with the audit report prepare by the audit firm refer to in article 42 until 31 march each year\n", + "dyrektor przygotowywać i po uzyskaniu pozytywny opinia rada przedstawiać ministrowi do zatwierdzenie roczny sprawozdanie finansowy centrum wraz z sprawozdanie z badanie sporządzonym przez firma audytorski o której mowa w art 42 w termin do dzień 31 marzec każdego rok 2 art 42 otrzymywać brzmienie art\n", + "=====================================================================\n", + "[('financial statement', 100.0, 526), 60.0, array(['sprawozdanie finansowe'], dtype=object)]\n", + "the director shall prepare and after obtain a positive opinion of the council present for the minister s approval the annual financial statement of the centre along with the audit report prepare by the audit firm refer to in article 42 until 31 march each year\n", + "the director shall prepare and after obtain a positive opinion of the council present for the minister s approval the annual financial statement sprawozdanie finansowe of the centre along with the audit report prepare by the audit firm refer to in article 42 until 31 march each year\n", + "dyrektor przygotowywać i po uzyskaniu pozytywny opinia rada przedstawiać ministrowi do zatwierdzenie roczny sprawozdanie finansowy centrum wraz z sprawozdanie z badanie sporządzonym przez firma audytorski o której mowa w art 42 w termin do dzień 31 marzec każdego rok 2 art 42 otrzymywać brzmienie art\n", + "=====================================================================\n", + "[('report', 100.0, 963), 100.0, array(['sprawozdawczość'], dtype=object)]\n", + "the director shall prepare and after obtain a positive opinion of the council present for the minister s approval the annual financial statement of the centre along with the audit report prepare by the audit firm refer to in article 42 until 31 march each year\n", + "the director shall prepare and after obtain a positive opinion of the council present for the minister s approval the annual financial statement of the centre along with the audit report sprawozdawczość prepare by the audit firm refer to in article 42 until 31 march each year\n", + "dyrektor przygotowywać i po uzyskaniu pozytywny opinia rada przedstawiać ministrowi do zatwierdzenie roczny sprawozdanie finansowy centrum wraz z sprawozdanie z badanie sporządzonym przez firma audytorski o której mowa w art 42 w termin do dzień 31 marzec każdego rok 2 art 42 otrzymywać brzmienie art\n", + "=====================================================================\n", + "[('amortisation', 100.0, 90), 100.0, array(['amortyzacja'], dtype=object)]\n", + "after a reversal of an impairment loss be recognise the depreciation amortisation charge for the asset be adjust in future period to allocate the asset s carrying amount less its residual value if any on a systematic basis over its remain useful life\n", + "after a amortyzacja reversal of an impairment loss be recognise the depreciation amortisation charge for the asset be adjust in future period to allocate the asset s carrying amount less its residual value if any on a systematic basis over its remain useful life\n", + "po odwrócenie odpis aktualizującego w kolejny okres odpis amortyzacyjny dotyczący dany składnik jest korygowany w sposób który pozwalać w ciąg pozostały okres użytkowanie tego składnik aktywa dokonywać systematyczny odpisania on zweryfikowanej wartość bilansowy pomniejszonej o wartość końcowy\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 66.66666666666666, array(['aktywa'], dtype=object)]\n", + "after a reversal of an impairment loss be recognise the depreciation amortisation charge for the asset be adjust in future period to allocate the asset s carrying amount less its residual value if any on a systematic basis over its remain useful life\n", + "after a aktywa reversal of an impairment loss be recognise the depreciation amortisation charge for the asset be adjust in future period to allocate the asset s carrying amount less its residual value if any on a systematic basis over its remain useful life\n", + "po odwrócenie odpis aktualizującego w kolejny okres odpis amortyzacyjny dotyczący dany składnik jest korygowany w sposób który pozwalać w ciąg pozostały okres użytkowanie tego składnik aktywa dokonywać systematyczny odpisania on zweryfikowanej wartość bilansowy pomniejszonej o wartość końcowy\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 100.0, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "after a reversal of an impairment loss be recognise the depreciation amortisation charge for the asset be adjust in future period to allocate the asset s carrying amount less its residual value if any on a systematic basis over its remain useful life\n", + "after a reversal of an impairment loss be recognise koszty sprzedanych produktów, towarów i materiałów the depreciation amortisation charge for the asset be adjust in future period to allocate the asset s carrying amount less its residual value if any on a systematic basis over its remain useful life\n", + "po odwrócenie odpis aktualizującego w kolejny okres odpis amortyzacyjny dotyczący dany składnik jest korygowany w sposób który pozwalać w ciąg pozostały okres użytkowanie tego składnik aktywa dokonywać systematyczny odpisania on zweryfikowanej wartość bilansowy pomniejszonej o wartość końcowy\n", + "=====================================================================\n", + "[('depreciation', 100.0, 373), 100.0, array(['amortyzacja'], dtype=object)]\n", + "after a reversal of an impairment loss be recognise the depreciation amortisation charge for the asset be adjust in future period to allocate the asset s carrying amount less its residual value if any on a systematic basis over its remain useful life\n", + "after a amortyzacja reversal of an impairment loss be recognise the depreciation amortisation charge for the asset be adjust in future period to allocate the asset s carrying amount less its residual value if any on a systematic basis over its remain useful life\n", + "po odwrócenie odpis aktualizującego w kolejny okres odpis amortyzacyjny dotyczący dany składnik jest korygowany w sposób który pozwalać w ciąg pozostały okres użytkowanie tego składnik aktywa dokonywać systematyczny odpisania on zweryfikowanej wartość bilansowy pomniejszonej o wartość końcowy\n", + "=====================================================================\n", + "[('ema', 100.0, 410), 100.0, array(['rachunkowość zarządcza ochrony środowiska'], dtype=object)]\n", + "after a reversal of an impairment loss be recognise the depreciation amortisation charge for the asset be adjust in future period to allocate the asset s carrying amount less its residual value if any on a systematic basis over its remain useful life\n", + "after a rachunkowość zarządcza ochrony środowiska reversal of an impairment loss be recognise the depreciation amortisation charge for the asset be adjust in future period to allocate the asset s carrying amount less its residual value if any on a systematic basis over its remain useful life\n", + "po odwrócenie odpis aktualizującego w kolejny okres odpis amortyzacyjny dotyczący dany składnik jest korygowany w sposób który pozwalać w ciąg pozostały okres użytkowanie tego składnik aktywa dokonywać systematyczny odpisania on zweryfikowanej wartość bilansowy pomniejszonej o wartość końcowy\n", + "=====================================================================\n", + "[('creditor', 100.0, 328), 100.0, array(['kredytodawca', 'wierzyciel'], dtype=object)]\n", + "there shall be the right to appeal against decision and the creditor s position concern the enforcement proceeding\n", + "there shall be the right to kredytodawca appeal against decision and the creditor s position concern the enforcement proceeding\n", + "na postanowienie w sprawa rozstrzygnięcie i stanowisko wierzyciel dotyczących postępowanie egzekucyjny zażalenie nie przysługiwać\n", + "=====================================================================\n", + "[('creditor', 100.0, 329), 100.0, array(['kredytodawca', 'wierzyciel'], dtype=object)]\n", + "there shall be the right to appeal against decision and the creditor s position concern the enforcement proceeding\n", + "there shall be the right to kredytodawca appeal against decision and the creditor s position concern the enforcement proceeding\n", + "na postanowienie w sprawa rozstrzygnięcie i stanowisko wierzyciel dotyczących postępowanie egzekucyjny zażalenie nie przysługiwać\n", + "=====================================================================\n", + "[('ppe', 100.0, 844), 50.0, array(['środki trwałe'], dtype=object)]\n", + "there shall be the right to appeal against decision and the creditor s position concern the enforcement proceeding\n", + "there shall be the right to appeal środki trwałe against decision and the creditor s position concern the enforcement proceeding\n", + "na postanowienie w sprawa rozstrzygnięcie i stanowisko wierzyciel dotyczących postępowanie egzekucyjny zażalenie nie przysługiwać\n", + "=====================================================================\n", + "[('go concern', 90.0, 580), 47.05882352941177, array(['kontynuacja działalności'], dtype=object)]\n", + "there shall be the right to appeal against decision and the creditor s position concern the enforcement proceeding\n", + "there shall be the right to appeal against decision and the creditor s position concern kontynuacja działalności the enforcement proceeding\n", + "na postanowienie w sprawa rozstrzygnięcie i stanowisko wierzyciel dotyczących postępowanie egzekucyjny zażalenie nie przysługiwać\n", + "=====================================================================\n", + "[('company', 100.0, 245), 50.0, array(['spółka kapitałowa'], dtype=object)]\n", + "the main purpose of these financial instrument be to raise finance for the company s operation\n", + "the main purpose of these financial instrument be to raise finance for the company spółka kapitałowa s operation\n", + "główny cel tych instrument finansowy jest pozyskanie środki finansowy na działalność spółka\n", + "=====================================================================\n", + "[('financial instrument', 100.0, 516), 84.61538461538461, array(['instrumenty finansowe'], dtype=object)]\n", + "the main purpose of these financial instrument be to raise finance for the company s operation\n", + "the main purpose of these financial instrument instrumenty finansowe be to raise finance for the company s operation\n", + "główny cel tych instrument finansowy jest pozyskanie środki finansowy na działalność spółka\n", + "=====================================================================\n", + "[('contract', 100.0, 282), 50.0, array(['kontrakt', 'umowa'], dtype=object)]\n", + "the issuance of this document do not make the person or organisation to whom it be issue an additional assured nor do it modify or extend in any manner the contract of insurance between the assured and the insurer\n", + "the issuance of this document do not make the person or organisation to whom it be issue an additional assured nor do it modify or extend in any manner the contract kontrakt of insurance between the assured and the insurer\n", + "wydanie niniejszy dokument nie czynić osoba lub organizacja której dokument wydać dodatkowy ubezpieczony ani też nie zmieniać i nie rozszerza w żaden sposób umowa ubezpieczenie zawartej pomiędzy ubezpieczony i ubezpieczycielem\n", + "=====================================================================\n", + "[('contract', 100.0, 283), 50.0, array(['kontrakt', 'umowa'], dtype=object)]\n", + "the issuance of this document do not make the person or organisation to whom it be issue an additional assured nor do it modify or extend in any manner the contract of insurance between the assured and the insurer\n", + "the issuance of this document do not make the person or organisation to whom it be issue an additional assured nor do it modify or extend in any manner the contract kontrakt of insurance between the assured and the insurer\n", + "wydanie niniejszy dokument nie czynić osoba lub organizacja której dokument wydać dodatkowy ubezpieczony ani też nie zmieniać i nie rozszerza w żaden sposób umowa ubezpieczenie zawartej pomiędzy ubezpieczony i ubezpieczycielem\n", + "=====================================================================\n", + "[('isa', 100.0, 628), 100.0, array(['międzynarodowe standardy rewizji finansowej'], dtype=object)]\n", + "the issuance of this document do not make the person or organisation to whom it be issue an additional assured nor do it modify or extend in any manner the contract of insurance between the assured and the insurer\n", + "the issuance of this document do not make the person or organisation międzynarodowe standardy rewizji finansowej to whom it be issue an additional assured nor do it modify or extend in any manner the contract of insurance between the assured and the insurer\n", + "wydanie niniejszy dokument nie czynić osoba lub organizacja której dokument wydać dodatkowy ubezpieczony ani też nie zmieniać i nie rozszerza w żaden sposób umowa ubezpieczenie zawartej pomiędzy ubezpieczony i ubezpieczycielem\n", + "=====================================================================\n", + "[('e o insurance', 92.3076923076923, 404), 50.0, array(['ubezpieczenie od błędów i przeoczeń'], dtype=object)]\n", + "the issuance of this document do not make the person or organisation to whom it be issue an additional assured nor do it modify or extend in any manner the contract of insurance between the assured and the insurer\n", + "the issuance of this document do not make the person or organisation to whom it be issue an additional assured nor do it modify or extend in any manner the contract of insurance ubezpieczenie od błędów i przeoczeń between the assured and the insurer\n", + "wydanie niniejszy dokument nie czynić osoba lub organizacja której dokument wydać dodatkowy ubezpieczony ani też nie zmieniać i nie rozszerza w żaden sposób umowa ubezpieczenie zawartej pomiędzy ubezpieczony i ubezpieczycielem\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 50.0, array(['aktywa'], dtype=object)]\n", + "cost also comprise the cost of replacement of fix asset component when incur if the recognition criterion be meet\n", + "cost also comprise the cost of replacement of fix asset aktywa component when incur if the recognition criterion be meet\n", + "w skład koszt wchodzić również koszt wymiana część składowy maszyna i urządzenie w moment poniesienia jeśli spełnione są kryterium rozpoznanie\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 66.66666666666666, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "cost also comprise the cost of replacement of fix asset component when incur if the recognition criterion be meet\n", + "cost also comprise the cost of replacement of fix asset component when incur if the recognition koszty sprzedanych produktów, towarów i materiałów criterion be meet\n", + "w skład koszt wchodzić również koszt wymiana część składowy maszyna i urządzenie w moment poniesienia jeśli spełnione są kryterium rozpoznanie\n", + "=====================================================================\n", + "[('cost', 100.0, 303), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "cost also comprise the cost of replacement of fix asset component when incur if the recognition criterion be meet\n", + "cost koszt also comprise the cost of replacement of fix asset component when incur if the recognition criterion be meet\n", + "w skład koszt wchodzić również koszt wymiana część składowy maszyna i urządzenie w moment poniesienia jeśli spełnione są kryterium rozpoznanie\n", + "=====================================================================\n", + "[('cost', 100.0, 324), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "cost also comprise the cost of replacement of fix asset component when incur if the recognition criterion be meet\n", + "cost koszt also comprise the cost of replacement of fix asset component when incur if the recognition criterion be meet\n", + "w skład koszt wchodzić również koszt wymiana część składowy maszyna i urządzenie w moment poniesienia jeśli spełnione są kryterium rozpoznanie\n", + "=====================================================================\n", + "[('fix asset', 100.0, 529), 44.44444444444444, array(['aktywa trwałe'], dtype=object)]\n", + "cost also comprise the cost of replacement of fix asset component when incur if the recognition criterion be meet\n", + "cost also comprise the cost of replacement of fix asset aktywa trwałe component when incur if the recognition criterion be meet\n", + "w skład koszt wchodzić również koszt wymiana część składowy maszyna i urządzenie w moment poniesienia jeśli spełnione są kryterium rozpoznanie\n", + "=====================================================================\n", + "[('cost', 100.0, 303), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "to manage this mix in a cost efficient manner the group enter into interest rate swap irs in which the group agree to exchange at specify time interval the difference between fix and variable interest amount calculate by reference to an agree upon notional principal amount\n", + "to manage this mix in a cost koszt efficient manner the group enter into interest rate swap irs in which the group agree to exchange at specify time interval the difference between fix and variable interest amount calculate by reference to an agree upon notional principal amount\n", + "aby przyjęty przez grupa rozwiązanie było skuteczny z ekonomiczny punkt widzenie zawierać on kontrakt na zamiana stopa procentowy swap procentowy w ramy których zgadzać się na wymiana w określony odstęp czas różnica między kwota odsetka naliczonych według stały i zmienny oprocentowanie od uzgodnionej kwota główny\n", + "=====================================================================\n", + "[('cost', 100.0, 324), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "to manage this mix in a cost efficient manner the group enter into interest rate swap irs in which the group agree to exchange at specify time interval the difference between fix and variable interest amount calculate by reference to an agree upon notional principal amount\n", + "to manage this mix in a cost koszt efficient manner the group enter into interest rate swap irs in which the group agree to exchange at specify time interval the difference between fix and variable interest amount calculate by reference to an agree upon notional principal amount\n", + "aby przyjęty przez grupa rozwiązanie było skuteczny z ekonomiczny punkt widzenie zawierać on kontrakt na zamiana stopa procentowy swap procentowy w ramy których zgadzać się na wymiana w określony odstęp czas różnica między kwota odsetka naliczonych według stały i zmienny oprocentowanie od uzgodnionej kwota główny\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "to manage this mix in a cost efficient manner the group enter into interest rate swap irs in which the group agree to exchange at specify time interval the difference between fix and variable interest amount calculate by reference to an agree upon notional principal amount\n", + "to manage this mix in a cost efficient manner the group grupa kapitałowa enter into interest rate swap irs in which the group agree to exchange at specify time interval the difference between fix and variable interest amount calculate by reference to an agree upon notional principal amount\n", + "aby przyjęty przez grupa rozwiązanie było skuteczny z ekonomiczny punkt widzenie zawierać on kontrakt na zamiana stopa procentowy swap procentowy w ramy których zgadzać się na wymiana w określony odstęp czas różnica między kwota odsetka naliczonych według stały i zmienny oprocentowanie od uzgodnionej kwota główny\n", + "=====================================================================\n", + "[('irs', 100.0, 627), 100.0, array(['amerykański urząd skarbowy'], dtype=object)]\n", + "to manage this mix in a cost efficient manner the group enter into interest rate swap irs in which the group agree to exchange at specify time interval the difference between fix and variable interest amount calculate by reference to an agree upon notional principal amount\n", + "to manage this mix in a cost efficient manner the group enter into interest rate swap irs amerykański urząd skarbowy in which the group agree to exchange at specify time interval the difference between fix and variable interest amount calculate by reference to an agree upon notional principal amount\n", + "aby przyjęty przez grupa rozwiązanie było skuteczny z ekonomiczny punkt widzenie zawierać on kontrakt na zamiana stopa procentowy swap procentowy w ramy których zgadzać się na wymiana w określony odstęp czas różnica między kwota odsetka naliczonych według stały i zmienny oprocentowanie od uzgodnionej kwota główny\n", + "=====================================================================\n", + "[('interest', 100.0, 664), 100.0, array(['odsetki'], dtype=object)]\n", + "to manage this mix in a cost efficient manner the group enter into interest rate swap irs in which the group agree to exchange at specify time interval the difference between fix and variable interest amount calculate by reference to an agree upon notional principal amount\n", + "to manage this mix in odsetki a cost efficient manner the group enter into interest rate swap irs in which the group agree to exchange at specify time interval the difference between fix and variable interest amount calculate by reference to an agree upon notional principal amount\n", + "aby przyjęty przez grupa rozwiązanie było skuteczny z ekonomiczny punkt widzenie zawierać on kontrakt na zamiana stopa procentowy swap procentowy w ramy których zgadzać się na wymiana w określony odstęp czas różnica między kwota odsetka naliczonych według stały i zmienny oprocentowanie od uzgodnionej kwota główny\n", + "=====================================================================\n", + "[('account', 100.0, 13), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "give a true and fair view of the financial position of the group as at 31 december 20 and its financial performance for the year from 1 january 20 to 31 december 20 in accordance with international accounting standards international financial reporting standards and relate interpretation announce in the form of regulation of the european commission and other applicable law and the adopt accounting policy\n", + "give a konto true and fair view of the financial position of the group as at 31 december 20 and its financial performance for the year from 1 january 20 to 31 december 20 in accordance with international accounting standards international financial reporting standards and relate interpretation announce in the form of regulation of the european commission and other applicable law and the adopt accounting policy\n", + "przedstawiać rzetelny i jasny obraza sytuacja majątkowy i finansowy grupa kapitałowy na dzienie 31 grudzień 20 rok oraz on wynik finansowy za rok obrotowy od dzień 1 styczeń 20 rok do dzień 31 grudzień 20 rok zgodnie z międzynarodowy standard rachunkowości międzynarodowy standard sprawozdawczość finansowy oraz związanymi z on interpretacja ogłoszonymi w forma rozporządzenie komisja europejski i przyjęty zasada polityka rachunkowość\n", + "=====================================================================\n", + "[('account', 100.0, 25), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "give a true and fair view of the financial position of the group as at 31 december 20 and its financial performance for the year from 1 january 20 to 31 december 20 in accordance with international accounting standards international financial reporting standards and relate interpretation announce in the form of regulation of the european commission and other applicable law and the adopt accounting policy\n", + "give a konto true and fair view of the financial position of the group as at 31 december 20 and its financial performance for the year from 1 january 20 to 31 december 20 in accordance with international accounting standards international financial reporting standards and relate interpretation announce in the form of regulation of the european commission and other applicable law and the adopt accounting policy\n", + "przedstawiać rzetelny i jasny obraza sytuacja majątkowy i finansowy grupa kapitałowy na dzienie 31 grudzień 20 rok oraz on wynik finansowy za rok obrotowy od dzień 1 styczeń 20 rok do dzień 31 grudzień 20 rok zgodnie z międzynarodowy standard rachunkowości międzynarodowy standard sprawozdawczość finansowy oraz związanymi z on interpretacja ogłoszonymi w forma rozporządzenie komisja europejski i przyjęty zasada polityka rachunkowość\n", + "=====================================================================\n", + "[('accounting policy', 100.0, 45), 54.54545454545455, array(['zasady rachunkowości'], dtype=object)]\n", + "give a true and fair view of the financial position of the group as at 31 december 20 and its financial performance for the year from 1 january 20 to 31 december 20 in accordance with international accounting standards international financial reporting standards and relate interpretation announce in the form of regulation of the european commission and other applicable law and the adopt accounting policy\n", + "give a true and fair view of the financial position of the group as at 31 december 20 and its financial performance for the year from 1 january 20 to 31 december 20 in accordance with international accounting standards zasady rachunkowości international financial reporting standards and relate interpretation announce in the form of regulation of the european commission and other applicable law and the adopt accounting policy\n", + "przedstawiać rzetelny i jasny obraza sytuacja majątkowy i finansowy grupa kapitałowy na dzienie 31 grudzień 20 rok oraz on wynik finansowy za rok obrotowy od dzień 1 styczeń 20 rok do dzień 31 grudzień 20 rok zgodnie z międzynarodowy standard rachunkowości międzynarodowy standard sprawozdawczość finansowy oraz związanymi z on interpretacja ogłoszonymi w forma rozporządzenie komisja europejski i przyjęty zasada polityka rachunkowość\n", + "=====================================================================\n", + "[('accounting standard', 100.0, 54), 64.51612903225806, array(['standardy rachunkowości'], dtype=object)]\n", + "give a true and fair view of the financial position of the group as at 31 december 20 and its financial performance for the year from 1 january 20 to 31 december 20 in accordance with international accounting standards international financial reporting standards and relate interpretation announce in the form of regulation of the european commission and other applicable law and the adopt accounting policy\n", + "give a true and fair view of the financial position of the group as at 31 december 20 and its financial performance for the year from 1 january 20 to 31 december 20 in accordance with international accounting standards standardy rachunkowości international financial reporting standards and relate interpretation announce in the form of regulation of the european commission and other applicable law and the adopt accounting policy\n", + "przedstawiać rzetelny i jasny obraza sytuacja majątkowy i finansowy grupa kapitałowy na dzienie 31 grudzień 20 rok oraz on wynik finansowy za rok obrotowy od dzień 1 styczeń 20 rok do dzień 31 grudzień 20 rok zgodnie z międzynarodowy standard rachunkowości międzynarodowy standard sprawozdawczość finansowy oraz związanymi z on interpretacja ogłoszonymi w forma rozporządzenie komisja europejski i przyjęty zasada polityka rachunkowość\n", + "=====================================================================\n", + "[('account', 100.0, 57), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "give a true and fair view of the financial position of the group as at 31 december 20 and its financial performance for the year from 1 january 20 to 31 december 20 in accordance with international accounting standards international financial reporting standards and relate interpretation announce in the form of regulation of the european commission and other applicable law and the adopt accounting policy\n", + "give a konto true and fair view of the financial position of the group as at 31 december 20 and its financial performance for the year from 1 january 20 to 31 december 20 in accordance with international accounting standards international financial reporting standards and relate interpretation announce in the form of regulation of the european commission and other applicable law and the adopt accounting policy\n", + "przedstawiać rzetelny i jasny obraza sytuacja majątkowy i finansowy grupa kapitałowy na dzienie 31 grudzień 20 rok oraz on wynik finansowy za rok obrotowy od dzień 1 styczeń 20 rok do dzień 31 grudzień 20 rok zgodnie z międzynarodowy standard rachunkowości międzynarodowy standard sprawozdawczość finansowy oraz związanymi z on interpretacja ogłoszonymi w forma rozporządzenie komisja europejski i przyjęty zasada polityka rachunkowość\n", + "=====================================================================\n", + "[('cash', 100.0, 203), 40.0, array(['środki pieniężne'], dtype=object)]\n", + "where goodwill represent part of a cash generate unit and part of the operation within that unit be dispose of the goodwill associate with the operation dispose of be include in the carrying amount of the operation when determine gain or loss on disposal of the operation\n", + "where goodwill represent part of a środki pieniężne cash generate unit and part of the operation within that unit be dispose of the goodwill associate with the operation dispose of be include in the carrying amount of the operation when determine gain or loss on disposal of the operation\n", + "w przypadek gdy wartość firma stanowić część ośrodek wypracowującego środek pieniężny i dokonany zostanie sprzedaż część działalność w ramy tego ośrodek przy ustalaniu zysk lub strata z sprzedaż takiej działalność wartość firma związana z sprzedaną działalność zostaje włączona do on wartość bilansowy\n", + "=====================================================================\n", + "[('goodwill', 100.0, 584), 100.0, array(['wartość firmy'], dtype=object)]\n", + "where goodwill represent part of a cash generate unit and part of the operation within that unit be dispose of the goodwill associate with the operation dispose of be include in the carrying amount of the operation when determine gain or loss on disposal of the operation\n", + "where goodwill wartość firmy represent part of a cash generate unit and part of the operation within that unit be dispose of the goodwill associate with the operation dispose of be include in the carrying amount of the operation when determine gain or loss on disposal of the operation\n", + "w przypadek gdy wartość firma stanowić część ośrodek wypracowującego środek pieniężny i dokonany zostanie sprzedaż część działalność w ramy tego ośrodek przy ustalaniu zysk lub strata z sprzedaż takiej działalność wartość firma związana z sprzedaną działalność zostaje włączona do on wartość bilansowy\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 57.142857142857146, array(['strata'], dtype=object)]\n", + "where goodwill represent part of a cash generate unit and part of the operation within that unit be dispose of the goodwill associate with the operation dispose of be include in the carrying amount of the operation when determine gain or loss on disposal of the operation\n", + "where goodwill represent part of a cash generate unit and part of the operation within that unit be dispose of the goodwill associate with the operation dispose of be include in the carrying amount of the operation when determine gain or loss strata on disposal of the operation\n", + "w przypadek gdy wartość firma stanowić część ośrodek wypracowującego środek pieniężny i dokonany zostanie sprzedaż część działalność w ramy tego ośrodek przy ustalaniu zysk lub strata z sprzedaż takiej działalność wartość firma związana z sprzedaną działalność zostaje włączona do on wartość bilansowy\n", + "=====================================================================\n", + "[('ppe', 100.0, 844), 66.66666666666666, array(['środki trwałe'], dtype=object)]\n", + "the appeal shall be examine by the court of appeal have territorial jurisdiction over the place of residence of the accuse\n", + "the appeal środki trwałe shall be examine by the court of appeal have territorial jurisdiction over the place of residence of the accuse\n", + "odwołanie podlegać rozpoznanie przez sąd apelacyjny właściwy z wzgląd na miejsce zamieszkanie obwiniony\n", + "=====================================================================\n", + "[('ema', 100.0, 410), 66.66666666666666, array(['rachunkowość zarządcza ochrony środowiska'], dtype=object)]\n", + "demand for office in the city continue to be on a sound upward trend\n", + "demand rachunkowość zarządcza ochrony środowiska for office in the city continue to be on a sound upward trend\n", + "mieć to swoje odbicie w rosnący zapotrzebowanie na powierzchnia biurowy\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the obligation refer to in passage 2 shall also apply to the statutory auditor and person authorise to represent the audit firm or person currently employ by this firm to the extent concern activity undertake by these person or the firm in connection with audit financial statement of the national depository or with provide for its benefit other service list in article 47 passage 2 of the act of 11 may 2017 on statutory auditors audit firms and public oversight\n", + "the obligation refer to in passage 2 shall also apply to the statutory auditor badanie sprawozdania finansowego and person authorise to represent the audit firm or person currently employ by this firm to the extent concern activity undertake by these person or the firm in connection with audit financial statement of the national depository or with provide for its benefit other service list in article 47 passage 2 of the act of 11 may 2017 on statutory auditors audit firms and public oversight\n", + "obowiązek o którym mowa w ust 2 spoczywać również na biegły rewident oraz osoba uprawniony do reprezentowania firma audytorski lub pozostających z tą firma w stosunek praca w zakres dotyczącym czyn ności podejmowanych przez te osoba lub firma w związek z badanie sprawozdanie finansowy krajowy depozy tu lub świadczenie na on rzecz inny usługi wymienionych w art 47 ust 2 ustawa z dzień 11 maj 2017 r o biegły rewident firma audytorski oraz nadzór publiczny\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "the obligation refer to in passage 2 shall also apply to the statutory auditor and person authorise to represent the audit firm or person currently employ by this firm to the extent concern activity undertake by these person or the firm in connection with audit financial statement of the national depository or with provide for its benefit other service list in article 47 passage 2 of the act of 11 may 2017 on statutory auditors audit firms and public oversight\n", + "the obligation refer to biegły rewident in passage 2 shall also apply to the statutory auditor and person authorise to represent the audit firm or person currently employ by this firm to the extent concern activity undertake by these person or the firm in connection with audit financial statement of the national depository or with provide for its benefit other service list in article 47 passage 2 of the act of 11 may 2017 on statutory auditors audit firms and public oversight\n", + "obowiązek o którym mowa w ust 2 spoczywać również na biegły rewident oraz osoba uprawniony do reprezentowania firma audytorski lub pozostających z tą firma w stosunek praca w zakres dotyczącym czyn ności podejmowanych przez te osoba lub firma w związek z badanie sprawozdanie finansowy krajowy depozy tu lub świadczenie na on rzecz inny usługi wymienionych w art 47 ust 2 ustawa z dzień 11 maj 2017 r o biegły rewident firma audytorski oraz nadzór publiczny\n", + "=====================================================================\n", + "[('epos', 100.0, 411), 100.0, array(['elektroniczny punkt sprzedaży'], dtype=object)]\n", + "the obligation refer to in passage 2 shall also apply to the statutory auditor and person authorise to represent the audit firm or person currently employ by this firm to the extent concern activity undertake by these person or the firm in connection with audit financial statement of the national depository or with provide for its benefit other service list in article 47 passage 2 of the act of 11 may 2017 on statutory auditors audit firms and public oversight\n", + "the obligation refer to in passage 2 shall also apply to the statutory auditor and person authorise to represent the audit firm or person currently employ by this firm to the extent concern activity undertake by these person or the firm in connection with audit financial statement of the national depository elektroniczny punkt sprzedaży or with provide for its benefit other service list in article 47 passage 2 of the act of 11 may 2017 on statutory auditors audit firms and public oversight\n", + "obowiązek o którym mowa w ust 2 spoczywać również na biegły rewident oraz osoba uprawniony do reprezentowania firma audytorski lub pozostających z tą firma w stosunek praca w zakres dotyczącym czyn ności podejmowanych przez te osoba lub firma w związek z badanie sprawozdanie finansowy krajowy depozy tu lub świadczenie na on rzecz inny usługi wymienionych w art 47 ust 2 ustawa z dzień 11 maj 2017 r o biegły rewident firma audytorski oraz nadzór publiczny\n", + "=====================================================================\n", + "[('financial statement', 100.0, 526), 60.0, array(['sprawozdanie finansowe'], dtype=object)]\n", + "the obligation refer to in passage 2 shall also apply to the statutory auditor and person authorise to represent the audit firm or person currently employ by this firm to the extent concern activity undertake by these person or the firm in connection with audit financial statement of the national depository or with provide for its benefit other service list in article 47 passage 2 of the act of 11 may 2017 on statutory auditors audit firms and public oversight\n", + "the obligation refer to in passage 2 shall also apply to the statutory auditor and person authorise to represent the audit firm or person currently employ by this firm to the extent concern activity undertake by these person or the firm in connection with audit financial statement sprawozdanie finansowe of the national depository or with provide for its benefit other service list in article 47 passage 2 of the act of 11 may 2017 on statutory auditors audit firms and public oversight\n", + "obowiązek o którym mowa w ust 2 spoczywać również na biegły rewident oraz osoba uprawniony do reprezentowania firma audytorski lub pozostających z tą firma w stosunek praca w zakres dotyczącym czyn ności podejmowanych przez te osoba lub firma w związek z badanie sprawozdanie finansowy krajowy depozy tu lub świadczenie na on rzecz inny usługi wymienionych w art 47 ust 2 ustawa z dzień 11 maj 2017 r o biegły rewident firma audytorski oraz nadzór publiczny\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 100.0, array(['nadzór'], dtype=object)]\n", + "the obligation refer to in passage 2 shall also apply to the statutory auditor and person authorise to represent the audit firm or person currently employ by this firm to the extent concern activity undertake by these person or the firm in connection with audit financial statement of the national depository or with provide for its benefit other service list in article 47 passage 2 of the act of 11 may 2017 on statutory auditors audit firms and public oversight\n", + "the obligation refer to nadzór in passage 2 shall also apply to the statutory auditor and person authorise to represent the audit firm or person currently employ by this firm to the extent concern activity undertake by these person or the firm in connection with audit financial statement of the national depository or with provide for its benefit other service list in article 47 passage 2 of the act of 11 may 2017 on statutory auditors audit firms and public oversight\n", + "obowiązek o którym mowa w ust 2 spoczywać również na biegły rewident oraz osoba uprawniony do reprezentowania firma audytorski lub pozostających z tą firma w stosunek praca w zakres dotyczącym czyn ności podejmowanych przez te osoba lub firma w związek z badanie sprawozdanie finansowy krajowy depozy tu lub świadczenie na on rzecz inny usługi wymienionych w art 47 ust 2 ustawa z dzień 11 maj 2017 r o biegły rewident firma audytorski oraz nadzór publiczny\n", + "=====================================================================\n", + "[('account', 100.0, 13), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "this mean that foreign investor account for 81 of the job in the sector manage the vast majority 69 of the business service center\n", + "this mean that foreign investor account konto for 81 of the job in the sector manage the vast majority 69 of the business service center\n", + "oznaczać to że inwestor zagraniczny odpowiadać za 81 zatrudnienie w sektor zarzą dzając zdecydowany większość centrum usługi 69\n", + "=====================================================================\n", + "[('account', 100.0, 25), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "this mean that foreign investor account for 81 of the job in the sector manage the vast majority 69 of the business service center\n", + "this mean that foreign investor account konto for 81 of the job in the sector manage the vast majority 69 of the business service center\n", + "oznaczać to że inwestor zagraniczny odpowiadać za 81 zatrudnienie w sektor zarzą dzając zdecydowany większość centrum usługi 69\n", + "=====================================================================\n", + "[('account', 100.0, 57), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "this mean that foreign investor account for 81 of the job in the sector manage the vast majority 69 of the business service center\n", + "this mean that foreign investor account konto for 81 of the job in the sector manage the vast majority 69 of the business service center\n", + "oznaczać to że inwestor zagraniczny odpowiadać za 81 zatrudnienie w sektor zarzą dzając zdecydowany większość centrum usługi 69\n", + "=====================================================================\n", + "[('vas', 100.0, 1155), 50.0, array(['vas'], dtype=object)]\n", + "this mean that foreign investor account for 81 of the job in the sector manage the vast majority 69 of the business service center\n", + "this mean that foreign investor account for 81 of the job in the sector manage the vast vas majority 69 of the business service center\n", + "oznaczać to że inwestor zagraniczny odpowiadać za 81 zatrudnienie w sektor zarzą dzając zdecydowany większość centrum usługi 69\n", + "=====================================================================\n", + "[('ema', 100.0, 410), 66.66666666666666, array(['rachunkowość zarządcza ochrony środowiska'], dtype=object)]\n", + "convertible redeemable preference share\n", + "convertible redeemable rachunkowość zarządcza ochrony środowiska preference share\n", + "umarzalny akcja uprzywilejowany zamienny na akcja zwykły\n", + "=====================================================================\n", + "[('interest', 100.0, 664), 100.0, array(['odsetki'], dtype=object)]\n", + "trade payable be non interest bearing and be normally settle within day\n", + "trade payable be non interest odsetki bearing and be normally settle within day\n", + "zobowiązanie z tytuł dostawa i usługi są nieoprocentowane i zazwyczaj rozliczane w termin dniowych\n", + "=====================================================================\n", + "[('payable', 100.0, 853), 42.857142857142854, array(['zobowiązania z tytułu dostaw i usług'], dtype=object)]\n", + "trade payable be non interest bearing and be normally settle within day\n", + "trade payable zobowiązania z tytułu dostaw i usług be non interest bearing and be normally settle within day\n", + "zobowiązanie z tytuł dostawa i usługi są nieoprocentowane i zazwyczaj rozliczane w termin dniowych\n", + "=====================================================================\n", + "[('debit', 88.88888888888889, 349), 50.0, array(['debet'], dtype=object)]\n", + "debt security\n", + "debt debet security\n", + "nabyte instrument dłużny\n", + "=====================================================================\n", + "[('balance', 100.0, 136), 66.66666666666666, array(['saldo'], dtype=object)]\n", + "as a result the net balance as at 31 december 2017 be pln thousand as at 31 december 2016 pln thousand\n", + "as a saldo result the net balance as at 31 december 2017 be pln thousand as at 31 december 2016 pln thousand\n", + "w związek z powyższe saldo netto na dzienie 31 grudzień 2017 rok wynosić tysiąc pln na dzienie 31 grudzień 2016 rok tysiąc pln\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 50.0, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "thank to that as management believe there be no additional credit risk that would exceed the doubtful debt allowance recognise for trade receivable of the group\n", + "thank to that as management believe there be no additional credit risk that would exceed the doubtful debt allowance recognise koszty sprzedanych produktów, towarów i materiałów for trade receivable of the group\n", + "dzięki temu zdanie kierownictwo nie istnieć dodatkowy ryzyka kredytowy ponad poziom określony odpis aktualizującym ściągalny należność właściwy dla należność handlowy grupa\n", + "=====================================================================\n", + "[('group', 100.0, 593), 50.0, array(['grupa kapitałowa'], dtype=object)]\n", + "thank to that as management believe there be no additional credit risk that would exceed the doubtful debt allowance recognise for trade receivable of the group\n", + "thank to grupa kapitałowa that as management believe there be no additional credit risk that would exceed the doubtful debt allowance recognise for trade receivable of the group\n", + "dzięki temu zdanie kierownictwo nie istnieć dodatkowy ryzyka kredytowy ponad poziom określony odpis aktualizującym ściągalny należność właściwy dla należność handlowy grupa\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 50.0, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "give the above the company do not recognise a provision for the obligation to collect historical or new weee\n", + "give the above the company do not recognise koszty sprzedanych produktów, towarów i materiałów a provision for the obligation to collect historical or new weee\n", + "w konsekwencja spółka nie utworzyć rezerwa ani z tytuł zobowiązanie do zbieranie historyczny zsee ani też nowy zsee\n", + "=====================================================================\n", + "[('company', 100.0, 245), 66.66666666666666, array(['spółka kapitałowa'], dtype=object)]\n", + "give the above the company do not recognise a provision for the obligation to collect historical or new weee\n", + "give the above the company spółka kapitałowa do not recognise a provision for the obligation to collect historical or new weee\n", + "w konsekwencja spółka nie utworzyć rezerwa ani z tytuł zobowiązanie do zbieranie historyczny zsee ani też nowy zsee\n", + "=====================================================================\n", + "[('provision', 100.0, 909), 50.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "give the above the company do not recognise a provision for the obligation to collect historical or new weee\n", + "give the above the company do not recognise a provision rezerwa for the obligation to collect historical or new weee\n", + "w konsekwencja spółka nie utworzyć rezerwa ani z tytuł zobowiązanie do zbieranie historyczny zsee ani też nowy zsee\n", + "=====================================================================\n", + "[('provision', 100.0, 911), 50.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "give the above the company do not recognise a provision for the obligation to collect historical or new weee\n", + "give the above the company do not recognise a provision rezerwa for the obligation to collect historical or new weee\n", + "w konsekwencja spółka nie utworzyć rezerwa ani z tytuł zobowiązanie do zbieranie historyczny zsee ani też nowy zsee\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 66.66666666666666, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "term such as rpa machine learning artificial intelligence and cognitive computing be use today in shared service centers not just in university\n", + "term such as rpa machine learning artificial intelligence and cognitive koszty sprzedanych produktów, towarów i materiałów computing be use today in shared service centers not just in university\n", + "pojęcie takie jak robotyzacja proces rpa uczenie maszynowy sztuczny inteligencja ai czy kognitywny przetwarzanie dane mieć obecnie zastosowanie w centrum usługi a nie tylko na wysoki uczelnia\n", + "=====================================================================\n", + "[('earning', 100.0, 419), 100.0, array(['zysk'], dtype=object)]\n", + "term such as rpa machine learning artificial intelligence and cognitive computing be use today in shared service centers not just in university\n", + "term such as rpa machine learning zysk artificial intelligence and cognitive computing be use today in shared service centers not just in university\n", + "pojęcie takie jak robotyzacja proces rpa uczenie maszynowy sztuczny inteligencja ai czy kognitywny przetwarzanie dane mieć obecnie zastosowanie w centrum usługi a nie tylko na wysoki uczelnia\n", + "=====================================================================\n", + "[('cap', 100.0, 178), 66.66666666666666, array(['dyplomowany księgowy'], dtype=object)]\n", + "tax effect of the cost of increase in issue capital\n", + "tax effect of the cost dyplomowany księgowy of increase in issue capital\n", + "efekt podatkowy koszt podniesienie kapitał akcyjny\n", + "=====================================================================\n", + "[('cost', 100.0, 303), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "tax effect of the cost of increase in issue capital\n", + "tax effect of the cost koszt of increase in issue capital\n", + "efekt podatkowy koszt podniesienie kapitał akcyjny\n", + "=====================================================================\n", + "[('cost', 100.0, 324), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "tax effect of the cost of increase in issue capital\n", + "tax effect of the cost koszt of increase in issue capital\n", + "efekt podatkowy koszt podniesienie kapitał akcyjny\n", + "=====================================================================\n", + "[('contract', 100.0, 282), 53.333333333333336, array(['kontrakt', 'umowa'], dtype=object)]\n", + "stage of service completion be measure by reference to labour hour incur to date as a percentage of total estimate labour hour need to complete the contract\n", + "stage of service completion be measure by reference to labour hour incur to date as a kontrakt percentage of total estimate labour hour need to complete the contract\n", + "procentowy stan zaawansowanie realizacja usługa ustalany jest jako stosunek ilość wykonanych roboczogodzina do szacowanej liczba roboczogodzina zbędny do zrealizowanie zlecenie\n", + "=====================================================================\n", + "[('contract', 100.0, 283), 53.333333333333336, array(['kontrakt', 'umowa'], dtype=object)]\n", + "stage of service completion be measure by reference to labour hour incur to date as a percentage of total estimate labour hour need to complete the contract\n", + "stage of service completion be measure by reference to labour hour incur to date as a kontrakt percentage of total estimate labour hour need to complete the contract\n", + "procentowy stan zaawansowanie realizacja usługa ustalany jest jako stosunek ilość wykonanych roboczogodzina do szacowanej liczba roboczogodzina zbędny do zrealizowanie zlecenie\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the resolution of the audit oversight commission shall be sign on behalf of the audit oversight commission by its chairperson and in the case of his her absence by the deputy chairperson\n", + "the resolution of the audit badanie sprawozdania finansowego oversight commission shall be sign on behalf of the audit oversight commission by its chairperson and in the case of his her absence by the deputy chairperson\n", + "uchwała komisja nadzór audytowy podpisywać w imię komisja nadzór audytowy on przewodniczący a w przypadek on nieobecność zastępca przewodniczący\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "the resolution of the audit oversight commission shall be sign on behalf of the audit oversight commission by its chairperson and in the case of his her absence by the deputy chairperson\n", + "the resolution of the audit oversight commission prowizje shall be sign on behalf of the audit oversight commission by its chairperson and in the case of his her absence by the deputy chairperson\n", + "uchwała komisja nadzór audytowy podpisywać w imię komisja nadzór audytowy on przewodniczący a w przypadek on nieobecność zastępca przewodniczący\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 66.66666666666666, array(['nadzór'], dtype=object)]\n", + "the resolution of the audit oversight commission shall be sign on behalf of the audit oversight commission by its chairperson and in the case of his her absence by the deputy chairperson\n", + "the resolution of the audit oversight nadzór commission shall be sign on behalf of the audit oversight commission by its chairperson and in the case of his her absence by the deputy chairperson\n", + "uchwała komisja nadzór audytowy podpisywać w imię komisja nadzór audytowy on przewodniczący a w przypadek on nieobecność zastępca przewodniczący\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "in the case refer to in passage 1 in particular in connection with the control refer to in article 39 and articles 124 passage 1 relate to the conduct of the statutory audit the audit oversight commission or the financial supervision authority may provide information and transmit document include those cover by the obligation of secrecy 3\n", + "in the case refer to in passage 1 in particular in connection with the control refer to in article 39 and articles 124 passage 1 relate to the conduct of the statutory audit badanie sprawozdania finansowego the audit oversight commission or the financial supervision authority may provide information and transmit document include those cover by the obligation of secrecy 3\n", + "w przypadek o którym mowa w ust 1 w szczególność w związek z kontrola o których mowa w art 39 oraz art 124 ust 1 dotyczącymi przeprowadzania badanie ustawowy komisja nadzór audytowy lub komisja nadzór finansowy móc udzielać informacja i przekazywać dokument w tym objęte obowiązek zachowanie tajemnica 3\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "in the case refer to in passage 1 in particular in connection with the control refer to in article 39 and articles 124 passage 1 relate to the conduct of the statutory audit the audit oversight commission or the financial supervision authority may provide information and transmit document include those cover by the obligation of secrecy 3\n", + "in the case refer to in passage 1 in particular in connection with the control refer to in article 39 and articles 124 passage 1 relate to the conduct of the statutory audit the audit oversight commission prowizje or the financial supervision authority may provide information and transmit document include those cover by the obligation of secrecy 3\n", + "w przypadek o którym mowa w ust 1 w szczególność w związek z kontrola o których mowa w art 39 oraz art 124 ust 1 dotyczącymi przeprowadzania badanie ustawowy komisja nadzór audytowy lub komisja nadzór finansowy móc udzielać informacja i przekazywać dokument w tym objęte obowiązek zachowanie tajemnica 3\n", + "=====================================================================\n", + "[('control', 100.0, 289), 100.0, array(['kontrola '], dtype=object)]\n", + "in the case refer to in passage 1 in particular in connection with the control refer to in article 39 and articles 124 passage 1 relate to the conduct of the statutory audit the audit oversight commission or the financial supervision authority may provide information and transmit document include those cover by the obligation of secrecy 3\n", + "in the case refer to in passage 1 in particular in connection with the control kontrola refer to in article 39 and articles 124 passage 1 relate to the conduct of the statutory audit the audit oversight commission or the financial supervision authority may provide information and transmit document include those cover by the obligation of secrecy 3\n", + "w przypadek o którym mowa w ust 1 w szczególność w związek z kontrola o których mowa w art 39 oraz art 124 ust 1 dotyczącymi przeprowadzania badanie ustawowy komisja nadzór audytowy lub komisja nadzór finansowy móc udzielać informacja i przekazywać dokument w tym objęte obowiązek zachowanie tajemnica 3\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 100.0, array(['nadzór'], dtype=object)]\n", + "in the case refer to in passage 1 in particular in connection with the control refer to in article 39 and articles 124 passage 1 relate to the conduct of the statutory audit the audit oversight commission or the financial supervision authority may provide information and transmit document include those cover by the obligation of secrecy 3\n", + "in the case refer to in passage 1 in particular in connection with the control refer to in article 39 and articles 124 passage 1 relate to the conduct of the statutory audit the audit oversight nadzór commission or the financial supervision authority may provide information and transmit document include those cover by the obligation of secrecy 3\n", + "w przypadek o którym mowa w ust 1 w szczególność w związek z kontrola o których mowa w art 39 oraz art 124 ust 1 dotyczącymi przeprowadzania badanie ustawowy komisja nadzór audytowy lub komisja nadzór finansowy móc udzielać informacja i przekazywać dokument w tym objęte obowiązek zachowanie tajemnica 3\n", + "=====================================================================\n", + "[('provision', 88.88888888888889, 909), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "in the case refer to in passage 1 in particular in connection with the control refer to in article 39 and articles 124 passage 1 relate to the conduct of the statutory audit the audit oversight commission or the financial supervision authority may provide information and transmit document include those cover by the obligation of secrecy 3\n", + "in the case refer to in passage 1 in particular in connection with the control refer to in article 39 and articles 124 passage 1 relate to the conduct of the statutory audit the audit oversight commission or the financial supervision rezerwa authority may provide information and transmit document include those cover by the obligation of secrecy 3\n", + "w przypadek o którym mowa w ust 1 w szczególność w związek z kontrola o których mowa w art 39 oraz art 124 ust 1 dotyczącymi przeprowadzania badanie ustawowy komisja nadzór audytowy lub komisja nadzór finansowy móc udzielać informacja i przekazywać dokument w tym objęte obowiązek zachowanie tajemnica 3\n", + "=====================================================================\n", + "[('continue operation', 100.0, 277), 51.42857142857143, array(['działalność kontynuowana'], dtype=object)]\n", + "the weighted average number of ordinary share use to calculate basic earning per share eps or dilute earning per share diluted eps from discontinue operation be present in the table above\n", + "the weighted average number of ordinary share use to calculate basic earning per share eps or dilute earning per share diluted eps from discontinue operation działalność kontynuowana be present in the table above\n", + "średnia ważona liczba wyemitowanych akcja zwykły użyty w cel obliczenie podstawowy i rozwodnionego zysk na jeden akcja z działalność zaniechanej przedstawiona jest w tabela powyżej\n", + "=====================================================================\n", + "[('discontinue operation', 100.0, 389), 52.38095238095238, array(['działalność zaniechana', 'działalność zaniechiwana'], dtype=object)]\n", + "the weighted average number of ordinary share use to calculate basic earning per share eps or dilute earning per share diluted eps from discontinue operation be present in the table above\n", + "the weighted average number of ordinary share use to calculate basic earning per share eps or dilute earning per share diluted eps from discontinue operation działalność zaniechana be present in the table above\n", + "średnia ważona liczba wyemitowanych akcja zwykły użyty w cel obliczenie podstawowy i rozwodnionego zysk na jeden akcja z działalność zaniechanej przedstawiona jest w tabela powyżej\n", + "=====================================================================\n", + "[('discontinue operation', 100.0, 390), 52.38095238095238, array(['działalność zaniechana', 'działalność zaniechiwana'], dtype=object)]\n", + "the weighted average number of ordinary share use to calculate basic earning per share eps or dilute earning per share diluted eps from discontinue operation be present in the table above\n", + "the weighted average number of ordinary share use to calculate basic earning per share eps or dilute earning per share diluted eps from discontinue operation działalność zaniechana be present in the table above\n", + "średnia ważona liczba wyemitowanych akcja zwykły użyty w cel obliczenie podstawowy i rozwodnionego zysk na jeden akcja z działalność zaniechanej przedstawiona jest w tabela powyżej\n", + "=====================================================================\n", + "[('earning', 100.0, 419), 100.0, array(['zysk'], dtype=object)]\n", + "the weighted average number of ordinary share use to calculate basic earning per share eps or dilute earning per share diluted eps from discontinue operation be present in the table above\n", + "the weighted average number of ordinary share use to calculate basic earning zysk per share eps or dilute earning per share diluted eps from discontinue operation be present in the table above\n", + "średnia ważona liczba wyemitowanych akcja zwykły użyty w cel obliczenie podstawowy i rozwodnionego zysk na jeden akcja z działalność zaniechanej przedstawiona jest w tabela powyżej\n", + "=====================================================================\n", + "[('earning per share', 100.0, 426), 51.851851851851855, array(['zysk na jedną akcję'], dtype=object)]\n", + "the weighted average number of ordinary share use to calculate basic earning per share eps or dilute earning per share diluted eps from discontinue operation be present in the table above\n", + "the weighted average number of ordinary share use to calculate basic earning per share zysk na jedną akcję eps or dilute earning per share diluted eps from discontinue operation be present in the table above\n", + "średnia ważona liczba wyemitowanych akcja zwykły użyty w cel obliczenie podstawowy i rozwodnionego zysk na jeden akcja z działalność zaniechanej przedstawiona jest w tabela powyżej\n", + "=====================================================================\n", + "[('foreign operation', 100.0, 543), 41.666666666666664, array(['przedsięwzięcia zagraniczne'], dtype=object)]\n", + "currency difference on translation of foreign operation\n", + "currency difference on translation of foreign przedsięwzięcia zagraniczne operation\n", + "różnica kursowy z przeliczenie jednostka zagraniczny\n", + "=====================================================================\n", + "[('transaction', 90.9090909090909, 1125), 46.15384615384615, array(['transakcja'], dtype=object)]\n", + "currency difference on translation of foreign operation\n", + "currency difference on transakcja translation of foreign operation\n", + "różnica kursowy z przeliczenie jednostka zagraniczny\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 50.0, array(['strata'], dtype=object)]\n", + "profit loss from discontinued operation\n", + "profit loss strata from discontinued operation\n", + "zysk strata z działalność zaniechanej\n", + "=====================================================================\n", + "[('profit', 100.0, 898), 36.36363636363637, array(['zysk'], dtype=object)]\n", + "profit loss from discontinued operation\n", + "profit zysk loss from discontinued operation\n", + "zysk strata z działalność zaniechanej\n", + "=====================================================================\n", + "[('discontinue operation', 95.23809523809524, 389), 42.857142857142854, array(['działalność zaniechana', 'działalność zaniechiwana'], dtype=object)]\n", + "profit loss from discontinued operation\n", + "profit loss from discontinued działalność zaniechana operation\n", + "zysk strata z działalność zaniechanej\n", + "=====================================================================\n", + "[('discontinue operation', 95.23809523809524, 390), 42.857142857142854, array(['działalność zaniechana', 'działalność zaniechiwana'], dtype=object)]\n", + "profit loss from discontinued operation\n", + "profit loss from discontinued działalność zaniechana operation\n", + "zysk strata z działalność zaniechanej\n", + "=====================================================================\n", + "[('continue operation', 94.44444444444444, 277), 42.857142857142854, array(['działalność kontynuowana'], dtype=object)]\n", + "profit loss from discontinued operation\n", + "profit loss from discontinued działalność kontynuowana operation\n", + "zysk strata z działalność zaniechanej\n", + "=====================================================================\n", + "[('provision', 100.0, 909), 75.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "unless otherwise state by the relevant provision of law any application or disposal of the work include any use reproduction duplication modification adaptation or retransmission of this work in whole or in part in any manner without the prior write consent of absl be a violation of copyright law\n", + "unless otherwise state by the relevant provision rezerwa of law any application or disposal of the work include any use reproduction duplication modification adaptation or retransmission of this work in whole or in part in any manner without the prior write consent of absl be a violation of copyright law\n", + "z wyłączenie wyjątek przewidzianych prawo korzystanie lub rozporządzanie utwór w tym używanie udostępnianie odsprzedawanie przetwarzanie kopiowanie dokonywanie adaptacja modyfikowanie niniejszy utwór w część lub w całość dokonany w jakiejkolwiek forma bez uprzedni zgoda absl wyrażonej na pismo jest naruszenie prawo autorski\n", + "=====================================================================\n", + "[('provision', 100.0, 911), 75.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "unless otherwise state by the relevant provision of law any application or disposal of the work include any use reproduction duplication modification adaptation or retransmission of this work in whole or in part in any manner without the prior write consent of absl be a violation of copyright law\n", + "unless otherwise state by the relevant provision rezerwa of law any application or disposal of the work include any use reproduction duplication modification adaptation or retransmission of this work in whole or in part in any manner without the prior write consent of absl be a violation of copyright law\n", + "z wyłączenie wyjątek przewidzianych prawo korzystanie lub rozporządzanie utwór w tym używanie udostępnianie odsprzedawanie przetwarzanie kopiowanie dokonywanie adaptacja modyfikowanie niniejszy utwór w część lub w całość dokonany w jakiejkolwiek forma bez uprzedni zgoda absl wyrażonej na pismo jest naruszenie prawo autorski\n", + "=====================================================================\n", + "[('company', 100.0, 245), 66.66666666666666, array(['spółka kapitałowa'], dtype=object)]\n", + "employment structure in the sector by parent company industry 10 20 30 40 50 60 70 80 90 0 100 information technology commercial professional services bfsi banking financial services insurance consumer goods services telecommunication services industrial goods energy materials utilities other industry 30 30 14 10 2 share in employment structure 6 5 3 figure 11 employment structure of business services center by parent company industry source absl own study the 748 foreign center in poland employ 198 000 people q1 2017\n", + "employment structure in the sector by parent company spółka kapitałowa industry 10 20 30 40 50 60 70 80 90 0 100 information technology commercial professional services bfsi banking financial services insurance consumer goods services telecommunication services industrial goods energy materials utilities other industry 30 30 14 10 2 share in employment structure 6 5 3 figure 11 employment structure of business services center by parent company industry source absl own study the 748 foreign center in poland employ 198 000 people q1 2017\n", + "struktura zatrudnienie sektor w podział na branża on firma macierzysty 10 20 30 40 50 60 70 80 90 0 100 it usługa komercyjny i profesjonalny usługa finansowy bankowy ubezpieczeniowy inwestycyjny towar i usługa konsumpcyjny usługa telekomunikacyjny produkcja towar przemysłowy energia surowiec i półprodukt inny branża 30 30 14 10 2 udział w zatrudnienie 6 5 3 rycina 11 struktura zatrudnienie centrum usług w podział na branża on firma macierzysty źródło opracowanie własny absl w 748 centrum zagraniczny w polska pracować 198 tys osoba i kw 2017 r\n", + "=====================================================================\n", + "[('figure', 100.0, 503), 100.0, array(['liczby'], dtype=object)]\n", + "employment structure in the sector by parent company industry 10 20 30 40 50 60 70 80 90 0 100 information technology commercial professional services bfsi banking financial services insurance consumer goods services telecommunication services industrial goods energy materials utilities other industry 30 30 14 10 2 share in employment structure 6 5 3 figure 11 employment structure of business services center by parent company industry source absl own study the 748 foreign center in poland employ 198 000 people q1 2017\n", + "employment structure in the sector by parent company industry 10 20 30 40 50 60 70 80 90 0 100 information technology commercial professional services bfsi banking financial services insurance consumer goods services telecommunication services industrial goods energy materials utilities other industry 30 30 14 10 2 share in employment structure 6 5 3 figure liczby 11 employment structure of business services center by parent company industry source absl own study the 748 foreign center in poland employ 198 000 people q1 2017\n", + "struktura zatrudnienie sektor w podział na branża on firma macierzysty 10 20 30 40 50 60 70 80 90 0 100 it usługa komercyjny i profesjonalny usługa finansowy bankowy ubezpieczeniowy inwestycyjny towar i usługa konsumpcyjny usługa telekomunikacyjny produkcja towar przemysłowy energia surowiec i półprodukt inny branża 30 30 14 10 2 udział w zatrudnienie 6 5 3 rycina 11 struktura zatrudnienie centrum usług w podział na branża on firma macierzysty źródło opracowanie własny absl w 748 centrum zagraniczny w polska pracować 198 tys osoba i kw 2017 r\n", + "=====================================================================\n", + "[('cash', 100.0, 203), 66.66666666666666, array(['środki pieniężne'], dtype=object)]\n", + "profit loss on cash flow hedges2\n", + "profit loss on cash środki pieniężne flow hedges2\n", + "zysk strata netto dotycząca zabezpieczenie przepływ pieniężnych2\n", + "=====================================================================\n", + "[('hedge', 100.0, 600), 44.44444444444444, array(['transakcje zabezpieczające'], dtype=object)]\n", + "profit loss on cash flow hedges2\n", + "profit loss on cash transakcje zabezpieczające flow hedges2\n", + "zysk strata netto dotycząca zabezpieczenie przepływ pieniężnych2\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 40.0, array(['strata'], dtype=object)]\n", + "profit loss on cash flow hedges2\n", + "profit loss strata on cash flow hedges2\n", + "zysk strata netto dotycząca zabezpieczenie przepływ pieniężnych2\n", + "=====================================================================\n", + "[('profit', 100.0, 898), 50.0, array(['zysk'], dtype=object)]\n", + "profit loss on cash flow hedges2\n", + "profit zysk loss on cash flow hedges2\n", + "zysk strata netto dotycząca zabezpieczenie przepływ pieniężnych2\n", + "=====================================================================\n", + "[('control', 100.0, 289), 85.71428571428571, array(['kontrola '], dtype=object)]\n", + "accumulated value of non controlling interest 31 december 2017 31 december 2016 2017 31 december 2017\n", + "accumulated value of non controlling kontrola interest 31 december 2017 31 december 2016 2017 31 december 2017\n", + "skumulowana wartość niekontrolujących udział 31 grudzień 2017 31 grudzień 2016 2017 31 grudzień 2017\n", + "=====================================================================\n", + "[('interest', 100.0, 664), 50.0, array(['odsetki'], dtype=object)]\n", + "accumulated value of non controlling interest 31 december 2017 31 december 2016 2017 31 december 2017\n", + "accumulated value of non controlling interest odsetki 31 december 2017 31 december 2016 2017 31 december 2017\n", + "skumulowana wartość niekontrolujących udział 31 grudzień 2017 31 grudzień 2016 2017 31 grudzień 2017\n", + "=====================================================================\n", + "[('company', 100.0, 245), 100.0, array(['spółka kapitałowa'], dtype=object)]\n", + "interestingly company whose center in poland employ more than 1 000 people have a slightly high level of satisfaction 7 4 than small company 7 1\n", + "interestingly company spółka kapitałowa whose center in poland employ more than 1 000 people have a slightly high level of satisfaction 7 4 than small company 7 1\n", + "co interesujący firma zatrudniające w swoich centrum w polska ponad 1 tys osoba charakteryzować się nieco wysoki poziom satysfakcja 7 4 w porównanie do mały podmiot 7 1\n", + "=====================================================================\n", + "[('interest', 100.0, 664), 93.33333333333333, array(['odsetki'], dtype=object)]\n", + "interestingly company whose center in poland employ more than 1 000 people have a slightly high level of satisfaction 7 4 than small company 7 1\n", + "interestingly odsetki company whose center in poland employ more than 1 000 people have a slightly high level of satisfaction 7 4 than small company 7 1\n", + "co interesujący firma zatrudniające w swoich centrum w polska ponad 1 tys osoba charakteryzować się nieco wysoki poziom satysfakcja 7 4 w porównanie do mały podmiot 7 1\n", + "=====================================================================\n", + "[('depreciation', 100.0, 373), 100.0, array(['amortyzacja'], dtype=object)]\n", + "accumulated depreciation and impairment as at 1 january 2016\n", + "accumulated depreciation amortyzacja and impairment as at 1 january 2016\n", + "umorzenie i odpis aktualizujące na dzienie 1 styczeń 2016 rok\n", + "=====================================================================\n", + "[('impairment', 100.0, 632), 100.0, array(['utrata wartości aktywów'], dtype=object)]\n", + "accumulated depreciation and impairment as at 1 january 2016\n", + "accumulated depreciation and impairment utrata wartości aktywów as at 1 january 2016\n", + "umorzenie i odpis aktualizujące na dzienie 1 styczeń 2016 rok\n", + "=====================================================================\n", + "[('accumulate depreciation', 95.65217391304348, 64), 50.0, array(['umorzenie'], dtype=object)]\n", + "accumulated depreciation and impairment as at 1 january 2016\n", + "accumulated depreciation umorzenie and impairment as at 1 january 2016\n", + "umorzenie i odpis aktualizujące na dzienie 1 styczeń 2016 rok\n", + "=====================================================================\n", + "[('consolidation', 100.0, 267), 100.0, array(['konsolidacja'], dtype=object)]\n", + "if consolidation be prepare manually furthermore the consolidation process be very manual in nature due to high reliance on excel spreadsheet\n", + "if consolidation konsolidacja be prepare manually furthermore the consolidation process be very manual in nature due to high reliance on excel spreadsheet\n", + "jeżeli konsolidacja jest przygotowywana ręcznie co dużo proces konsolidacja jest bardzo manualny z powód wysoki zależność od arkusz kalkulacyjny excel\n", + "=====================================================================\n", + "[('spreadsheet', 100.0, 1040), 66.66666666666666, array(['arkusze kalkulacyjne'], dtype=object)]\n", + "if consolidation be prepare manually furthermore the consolidation process be very manual in nature due to high reliance on excel spreadsheet\n", + "if consolidation be prepare arkusze kalkulacyjne manually furthermore the consolidation process be very manual in nature due to high reliance on excel spreadsheet\n", + "jeżeli konsolidacja jest przygotowywana ręcznie co dużo proces konsolidacja jest bardzo manualny z powód wysoki zależność od arkusz kalkulacyjny excel\n", + "=====================================================================\n", + "[('c a', 100.0, 176), 66.66666666666666, array(['dyplomowany biegły rewident'], dtype=object)]\n", + "e to report to pwc any security incident relate to confidential information immediately not later than within 48 hour\n", + "e to report to pwc any dyplomowany biegły rewident security incident relate to confidential information immediately not later than within 48 hour\n", + "e niezwłocznie zgłaszać pwc wszelkie zdarzenie bezpieczeństwo związane z informacja poufny nie późno niż w ciąg 48 godzina\n", + "=====================================================================\n", + "[('report', 100.0, 963), 100.0, array(['sprawozdawczość'], dtype=object)]\n", + "e to report to pwc any security incident relate to confidential information immediately not later than within 48 hour\n", + "e sprawozdawczość to report to pwc any security incident relate to confidential information immediately not later than within 48 hour\n", + "e niezwłocznie zgłaszać pwc wszelkie zdarzenie bezpieczeństwo związane z informacja poufny nie późno niż w ciąg 48 godzina\n", + "=====================================================================\n", + "[('guarantee', 100.0, 594), 66.66666666666666, array(['udzielić gwarancji'], dtype=object)]\n", + "however there be no guarantee of immediate result 2\n", + "however there be no guarantee udzielić gwarancji of immediate result 2\n", + "nie przynieść to jednak natychmiastowy efekt 2\n", + "=====================================================================\n", + "[('aca', 100.0, 1), 66.66666666666666, array(['członek stowarzyszenia dyplomowanych biegłych rewidentów'],\n", + " dtype=object)]\n", + "in 2017 vacancy will still remain on a decrease curve due to the sound demand along with the sound net absorption level\n", + "in 2017 vacancy członek stowarzyszenia dyplomowanych biegłych rewidentów will still remain on a decrease curve due to the sound demand along with the sound net absorption level\n", + "z wzgląd na silny popyt i wysoki poziom absorpcja netto trend spadkowy współczynnik pustostan utrzymać się również w 2017 r\n", + "=====================================================================\n", + "[('ema', 100.0, 410), 66.66666666666666, array(['rachunkowość zarządcza ochrony środowiska'], dtype=object)]\n", + "in 2017 vacancy will still remain on a decrease curve due to the sound demand along with the sound net absorption level\n", + "in 2017 vacancy will still remain rachunkowość zarządcza ochrony środowiska on a decrease curve due to the sound demand along with the sound net absorption level\n", + "z wzgląd na silny popyt i wysoki poziom absorpcja netto trend spadkowy współczynnik pustostan utrzymać się również w 2017 r\n", + "=====================================================================\n", + "[('provision', 100.0, 909), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "the provision of passage 6 and 7 apply accordingly 9\n", + "the provision rezerwa of passage 6 and 7 apply accordingly 9\n", + "przepis ust 6 i 7 stosować się odpowiednio 9\n", + "=====================================================================\n", + "[('provision', 100.0, 911), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "the provision of passage 6 and 7 apply accordingly 9\n", + "the provision rezerwa of passage 6 and 7 apply accordingly 9\n", + "przepis ust 6 i 7 stosować się odpowiednio 9\n", + "=====================================================================\n", + "[('control', 100.0, 289), 100.0, array(['kontrola '], dtype=object)]\n", + "the scope of the thematic control may include the select issue refer to in article 112 passage 1 5\n", + "the scope of the thematic control kontrola may include the select issue refer to in article 112 passage 1 5\n", + "zakres kontrola tematyczny móc obejmować wybrany zagadnienie o których mowa w art 112 ust 1 5\n", + "=====================================================================\n", + "[('ema', 100.0, 410), 100.0, array(['rachunkowość zarządcza ochrony środowiska'], dtype=object)]\n", + "the scope of the thematic control may include the select issue refer to in article 112 passage 1 5\n", + "the scope of the thematic rachunkowość zarządcza ochrony środowiska control may include the select issue refer to in article 112 passage 1 5\n", + "zakres kontrola tematyczny móc obejmować wybrany zagadnienie o których mowa w art 112 ust 1 5\n", + "=====================================================================\n", + "[('account', 100.0, 13), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "and also a low job share in financial and accounting service and research and development by 2 p p\n", + "and also a konto low job share in financial and accounting service and research and development by 2 p p\n", + "a także niski udział zatrudnienie w usługi finansowy księgowy i działalność badawczy rozwo jowej o 2 p p\n", + "=====================================================================\n", + "[('account', 100.0, 25), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "and also a low job share in financial and accounting service and research and development by 2 p p\n", + "and also a konto low job share in financial and accounting service and research and development by 2 p p\n", + "a także niski udział zatrudnienie w usługi finansowy księgowy i działalność badawczy rozwo jowej o 2 p p\n", + "=====================================================================\n", + "[('account', 100.0, 57), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "and also a low job share in financial and accounting service and research and development by 2 p p\n", + "and also a konto low job share in financial and accounting service and research and development by 2 p p\n", + "a także niski udział zatrudnienie w usługi finansowy księgowy i działalność badawczy rozwo jowej o 2 p p\n", + "=====================================================================\n", + "[('account', 100.0, 13), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "in third place in term of its share in the employment structure be bfsi banking financial services insurance which combine account for 15 of the job in the sector\n", + "in third place in term of its share in the employment structure be bfsi banking financial services insurance which combine account konto for 15 of the job in the sector\n", + "na trzeci miejsce pod wzgląd udział w struktura zatrudnienie znajdywać się usługa bankowy finansowy i inwestycyjny bfsi odpowiadające łącznie za 15 miejsce praca w sektor\n", + "=====================================================================\n", + "[('account', 100.0, 25), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "in third place in term of its share in the employment structure be bfsi banking financial services insurance which combine account for 15 of the job in the sector\n", + "in third place in term of its share in the employment structure be bfsi banking financial services insurance which combine account konto for 15 of the job in the sector\n", + "na trzeci miejsce pod wzgląd udział w struktura zatrudnienie znajdywać się usługa bankowy finansowy i inwestycyjny bfsi odpowiadające łącznie za 15 miejsce praca w sektor\n", + "=====================================================================\n", + "[('account', 100.0, 57), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "in third place in term of its share in the employment structure be bfsi banking financial services insurance which combine account for 15 of the job in the sector\n", + "in third place in term of its share in the employment structure be bfsi banking financial services insurance which combine account konto for 15 of the job in the sector\n", + "na trzeci miejsce pod wzgląd udział w struktura zatrudnienie znajdywać się usługa bankowy finansowy i inwestycyjny bfsi odpowiadające łącznie za 15 miejsce praca w sektor\n", + "=====================================================================\n", + "[('company', 100.0, 245), 85.71428571428571, array(['spółka kapitałowa'], dtype=object)]\n", + "after join a give company about 78 of millennial state that they be not sure about what direction they want to take their career\n", + "after join a spółka kapitałowa give company about 78 of millennial state that they be not sure about what direction they want to take their career\n", + "około 78 osoba z pokolenie millenialsów po podjęcie praca w dany firma twierdzić iż nie mieć pewność w jakim kierunek chcieć rozwijać swoją kariera zawo dową\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the commission shall immediately notify the feeder fund of any irregularity in the operation of the open investment fund be the master fund or any irregularity in the operation of the manage investment fund company or the manage company the depository for this fund or the audit firm audit its financial statement consist in breach of the provision of this chapter as well as on sanction or supervisory measure specify in the act apply in connection with such irregularity\n", + "the commission shall immediately notify the feeder fund of any irregularity in the operation of the open investment fund be the master fund or any irregularity in the operation of the manage investment fund company or the manage company the depository for this fund or the audit badanie sprawozdania finansowego firm audit its financial statement consist in breach of the provision of this chapter as well as on sanction or supervisory measure specify in the act apply in connection with such irregularity\n", + "komisja niezwłocznie informować fundusz powiązany o każdym przypadek wykrycie nieprawidłowość w działanie fundusz inwestycyjny otwarty będącego fundusz podstawowy albo w działanie zarządzający on towarzystwo lub spółka zarządzający depozytariusza tego fundusz lub firma audytorski badający on spra wozdania finansowy polegających na naruszenie przepis niniejszy rozdział oraz o zastosowanych w związek z takimi nieprawidłowość sankcja lub środki nadzorczy określony w ustawa 9 w art 222d ust\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "the commission shall immediately notify the feeder fund of any irregularity in the operation of the open investment fund be the master fund or any irregularity in the operation of the manage investment fund company or the manage company the depository for this fund or the audit firm audit its financial statement consist in breach of the provision of this chapter as well as on sanction or supervisory measure specify in the act apply in connection with such irregularity\n", + "the commission prowizje shall immediately notify the feeder fund of any irregularity in the operation of the open investment fund be the master fund or any irregularity in the operation of the manage investment fund company or the manage company the depository for this fund or the audit firm audit its financial statement consist in breach of the provision of this chapter as well as on sanction or supervisory measure specify in the act apply in connection with such irregularity\n", + "komisja niezwłocznie informować fundusz powiązany o każdym przypadek wykrycie nieprawidłowość w działanie fundusz inwestycyjny otwarty będącego fundusz podstawowy albo w działanie zarządzający on towarzystwo lub spółka zarządzający depozytariusza tego fundusz lub firma audytorski badający on spra wozdania finansowy polegających na naruszenie przepis niniejszy rozdział oraz o zastosowanych w związek z takimi nieprawidłowość sankcja lub środki nadzorczy określony w ustawa 9 w art 222d ust\n", + "=====================================================================\n", + "[('company', 100.0, 245), 100.0, array(['spółka kapitałowa'], dtype=object)]\n", + "the commission shall immediately notify the feeder fund of any irregularity in the operation of the open investment fund be the master fund or any irregularity in the operation of the manage investment fund company or the manage company the depository for this fund or the audit firm audit its financial statement consist in breach of the provision of this chapter as well as on sanction or supervisory measure specify in the act apply in connection with such irregularity\n", + "the commission shall immediately notify the feeder fund of any spółka kapitałowa irregularity in the operation of the open investment fund be the master fund or any irregularity in the operation of the manage investment fund company or the manage company the depository for this fund or the audit firm audit its financial statement consist in breach of the provision of this chapter as well as on sanction or supervisory measure specify in the act apply in connection with such irregularity\n", + "komisja niezwłocznie informować fundusz powiązany o każdym przypadek wykrycie nieprawidłowość w działanie fundusz inwestycyjny otwarty będącego fundusz podstawowy albo w działanie zarządzający on towarzystwo lub spółka zarządzający depozytariusza tego fundusz lub firma audytorski badający on spra wozdania finansowy polegających na naruszenie przepis niniejszy rozdział oraz o zastosowanych w związek z takimi nieprawidłowość sankcja lub środki nadzorczy określony w ustawa 9 w art 222d ust\n", + "=====================================================================\n", + "[('epos', 100.0, 411), 100.0, array(['elektroniczny punkt sprzedaży'], dtype=object)]\n", + "the commission shall immediately notify the feeder fund of any irregularity in the operation of the open investment fund be the master fund or any irregularity in the operation of the manage investment fund company or the manage company the depository for this fund or the audit firm audit its financial statement consist in breach of the provision of this chapter as well as on sanction or supervisory measure specify in the act apply in connection with such irregularity\n", + "the commission shall immediately notify the feeder fund of any irregularity in the operation of the open investment fund be the master fund or any irregularity in the operation of the manage investment fund company or the manage company the depository elektroniczny punkt sprzedaży for this fund or the audit firm audit its financial statement consist in breach of the provision of this chapter as well as on sanction or supervisory measure specify in the act apply in connection with such irregularity\n", + "komisja niezwłocznie informować fundusz powiązany o każdym przypadek wykrycie nieprawidłowość w działanie fundusz inwestycyjny otwarty będącego fundusz podstawowy albo w działanie zarządzający on towarzystwo lub spółka zarządzający depozytariusza tego fundusz lub firma audytorski badający on spra wozdania finansowy polegających na naruszenie przepis niniejszy rozdział oraz o zastosowanych w związek z takimi nieprawidłowość sankcja lub środki nadzorczy określony w ustawa 9 w art 222d ust\n", + "=====================================================================\n", + "[('financial statement', 100.0, 526), 60.0, array(['sprawozdanie finansowe'], dtype=object)]\n", + "the commission shall immediately notify the feeder fund of any irregularity in the operation of the open investment fund be the master fund or any irregularity in the operation of the manage investment fund company or the manage company the depository for this fund or the audit firm audit its financial statement consist in breach of the provision of this chapter as well as on sanction or supervisory measure specify in the act apply in connection with such irregularity\n", + "the commission shall immediately notify the feeder fund of any irregularity in the operation of the open investment fund be the master fund or any irregularity in the operation of the manage investment fund company or the manage company the depository for this fund or the audit firm audit its financial statement sprawozdanie finansowe consist in breach of the provision of this chapter as well as on sanction or supervisory measure specify in the act apply in connection with such irregularity\n", + "komisja niezwłocznie informować fundusz powiązany o każdym przypadek wykrycie nieprawidłowość w działanie fundusz inwestycyjny otwarty będącego fundusz podstawowy albo w działanie zarządzający on towarzystwo lub spółka zarządzający depozytariusza tego fundusz lub firma audytorski badający on spra wozdania finansowy polegających na naruszenie przepis niniejszy rozdział oraz o zastosowanych w związek z takimi nieprawidłowość sankcja lub środki nadzorczy określony w ustawa 9 w art 222d ust\n", + "=====================================================================\n", + "[('company', 100.0, 245), 60.0, array(['spółka kapitałowa'], dtype=object)]\n", + "if the company ascertain that it be not probable that the tax authority will accept an uncertain tax treatment or a group of uncertain tax treatment the company reflect the impact of this uncertainty in determine taxable income tax loss unused tax loss unused tax credit or tax rate\n", + "if the company spółka kapitałowa ascertain that it be not probable that the tax authority will accept an uncertain tax treatment or a group of uncertain tax treatment the company reflect the impact of this uncertainty in determine taxable income tax loss unused tax loss unused tax credit or tax rate\n", + "jeżeli spółka stwierdzić że nie jest prawdopodobny że organ podatkowy zaakceptować podejście spółka do kwestia podatkowy lub grupa kwestia podatkowy wówczas spółka odzwierciedlać wpływ niepewność przy ustalaniu dochód do opodatkowanie strata podatkowy niewykorzystanych strata podatkowy niewykorzystanych ulg podatkowy lub stawka podatkowy\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "if the company ascertain that it be not probable that the tax authority will accept an uncertain tax treatment or a group of uncertain tax treatment the company reflect the impact of this uncertainty in determine taxable income tax loss unused tax loss unused tax credit or tax rate\n", + "if the company ascertain that it be not probable that the tax authority will accept an uncertain tax treatment or a group grupa kapitałowa of uncertain tax treatment the company reflect the impact of this uncertainty in determine taxable income tax loss unused tax loss unused tax credit or tax rate\n", + "jeżeli spółka stwierdzić że nie jest prawdopodobny że organ podatkowy zaakceptować podejście spółka do kwestia podatkowy lub grupa kwestia podatkowy wówczas spółka odzwierciedlać wpływ niepewność przy ustalaniu dochód do opodatkowanie strata podatkowy niewykorzystanych strata podatkowy niewykorzystanych ulg podatkowy lub stawka podatkowy\n", + "=====================================================================\n", + "[('income', 100.0, 638), 66.66666666666666, array(['zysk'], dtype=object)]\n", + "if the company ascertain that it be not probable that the tax authority will accept an uncertain tax treatment or a group of uncertain tax treatment the company reflect the impact of this uncertainty in determine taxable income tax loss unused tax loss unused tax credit or tax rate\n", + "if the company ascertain that it be not probable that the tax authority will accept an uncertain tax treatment or a group of uncertain tax treatment the company reflect the impact of this uncertainty in zysk determine taxable income tax loss unused tax loss unused tax credit or tax rate\n", + "jeżeli spółka stwierdzić że nie jest prawdopodobny że organ podatkowy zaakceptować podejście spółka do kwestia podatkowy lub grupa kwestia podatkowy wówczas spółka odzwierciedlać wpływ niepewność przy ustalaniu dochód do opodatkowanie strata podatkowy niewykorzystanych strata podatkowy niewykorzystanych ulg podatkowy lub stawka podatkowy\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 50.0, array(['strata'], dtype=object)]\n", + "if the company ascertain that it be not probable that the tax authority will accept an uncertain tax treatment or a group of uncertain tax treatment the company reflect the impact of this uncertainty in determine taxable income tax loss unused tax loss unused tax credit or tax rate\n", + "if the company ascertain that it be not probable that the tax authority will accept an uncertain tax treatment or a group of uncertain tax treatment the company reflect the impact of this uncertainty in determine taxable income tax loss strata unused tax loss unused tax credit or tax rate\n", + "jeżeli spółka stwierdzić że nie jest prawdopodobny że organ podatkowy zaakceptować podejście spółka do kwestia podatkowy lub grupa kwestia podatkowy wówczas spółka odzwierciedlać wpływ niepewność przy ustalaniu dochód do opodatkowanie strata podatkowy niewykorzystanych strata podatkowy niewykorzystanych ulg podatkowy lub stawka podatkowy\n", + "=====================================================================\n", + "[('tax credit', 100.0, 1090), 50.0, array(['ulga podatkowa'], dtype=object)]\n", + "if the company ascertain that it be not probable that the tax authority will accept an uncertain tax treatment or a group of uncertain tax treatment the company reflect the impact of this uncertainty in determine taxable income tax loss unused tax loss unused tax credit or tax rate\n", + "if the company ascertain that it be not probable that the tax authority will accept an uncertain tax treatment or a group of uncertain tax treatment the company reflect the impact of this uncertainty in determine taxable income tax loss unused tax loss unused tax credit ulga podatkowa or tax rate\n", + "jeżeli spółka stwierdzić że nie jest prawdopodobny że organ podatkowy zaakceptować podejście spółka do kwestia podatkowy lub grupa kwestia podatkowy wówczas spółka odzwierciedlać wpływ niepewność przy ustalaniu dochód do opodatkowanie strata podatkowy niewykorzystanych strata podatkowy niewykorzystanych ulg podatkowy lub stawka podatkowy\n", + "=====================================================================\n", + "[('contract', 100.0, 282), 50.0, array(['kontrakt', 'umowa'], dtype=object)]\n", + "stage of completion be measure as percentage of the cost incur to date in relation to the total estimate cost necessary to complete the contract\n", + "stage of completion be measure as percentage of the cost kontrakt incur to date in relation to the total estimate cost necessary to complete the contract\n", + "procentowy stan zaawansowanie realizacja usługa ustalany jest jako stosunek koszt poniesionych do szacowanych koszt zbędny do zrealizowanie zlecenie\n", + "=====================================================================\n", + "[('contract', 100.0, 283), 50.0, array(['kontrakt', 'umowa'], dtype=object)]\n", + "stage of completion be measure as percentage of the cost incur to date in relation to the total estimate cost necessary to complete the contract\n", + "stage of completion be measure as percentage of the cost kontrakt incur to date in relation to the total estimate cost necessary to complete the contract\n", + "procentowy stan zaawansowanie realizacja usługa ustalany jest jako stosunek koszt poniesionych do szacowanych koszt zbędny do zrealizowanie zlecenie\n", + "=====================================================================\n", + "[('cost', 100.0, 303), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "stage of completion be measure as percentage of the cost incur to date in relation to the total estimate cost necessary to complete the contract\n", + "stage of completion be measure as percentage of the cost koszt incur to date in relation to the total estimate cost necessary to complete the contract\n", + "procentowy stan zaawansowanie realizacja usługa ustalany jest jako stosunek koszt poniesionych do szacowanych koszt zbędny do zrealizowanie zlecenie\n", + "=====================================================================\n", + "[('cost', 100.0, 324), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "stage of completion be measure as percentage of the cost incur to date in relation to the total estimate cost necessary to complete the contract\n", + "stage of completion be measure as percentage of the cost koszt incur to date in relation to the total estimate cost necessary to complete the contract\n", + "procentowy stan zaawansowanie realizacja usługa ustalany jest jako stosunek koszt poniesionych do szacowanych koszt zbędny do zrealizowanie zlecenie\n", + "=====================================================================\n", + "[('fair value', 100.0, 497), 46.15384615384615, array(['wartość godziwa'], dtype=object)]\n", + "loss on re measurement of investment property to fair value usunąć jeżeli w polityce rachunkowości jest zapis że nieruchomości inwestycyjne są wyceniane wg kosztu\n", + "loss on re measurement of investment property to fair value wartość godziwa usunąć jeżeli w polityce rachunkowości jest zapis że nieruchomości inwestycyjne są wyceniane wg kosztu\n", + "strata z tytuł przeszacowania nieruchomość inwestycyjny do wartość godziwy usunąć jeżeli w polityka rachunkowość jest zapis że nieruchomość inwestycyjny są wyceniane wg koszt\n", + "=====================================================================\n", + "[('investment property', 100.0, 693), 55.172413793103445, array(['nieruchomości inwestycyjne'], dtype=object)]\n", + "loss on re measurement of investment property to fair value usunąć jeżeli w polityce rachunkowości jest zapis że nieruchomości inwestycyjne są wyceniane wg kosztu\n", + "loss on re measurement of investment property nieruchomości inwestycyjne to fair value usunąć jeżeli w polityce rachunkowości jest zapis że nieruchomości inwestycyjne są wyceniane wg kosztu\n", + "strata z tytuł przeszacowania nieruchomość inwestycyjny do wartość godziwy usunąć jeżeli w polityka rachunkowość jest zapis że nieruchomość inwestycyjny są wyceniane wg koszt\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 66.66666666666666, array(['strata'], dtype=object)]\n", + "loss on re measurement of investment property to fair value usunąć jeżeli w polityce rachunkowości jest zapis że nieruchomości inwestycyjne są wyceniane wg kosztu\n", + "loss strata on re measurement of investment property to fair value usunąć jeżeli w polityce rachunkowości jest zapis że nieruchomości inwestycyjne są wyceniane wg kosztu\n", + "strata z tytuł przeszacowania nieruchomość inwestycyjny do wartość godziwy usunąć jeżeli w polityka rachunkowość jest zapis że nieruchomość inwestycyjny są wyceniane wg koszt\n", + "=====================================================================\n", + "[('par value', 88.88888888888889, 850), 46.15384615384615, array(['wartość nominalna'], dtype=object)]\n", + "loss on re measurement of investment property to fair value usunąć jeżeli w polityce rachunkowości jest zapis że nieruchomości inwestycyjne są wyceniane wg kosztu\n", + "loss on re measurement of investment property to fair value wartość nominalna usunąć jeżeli w polityce rachunkowości jest zapis że nieruchomości inwestycyjne są wyceniane wg kosztu\n", + "strata z tytuł przeszacowania nieruchomość inwestycyjny do wartość godziwy usunąć jeżeli w polityka rachunkowość jest zapis że nieruchomość inwestycyjny są wyceniane wg koszt\n", + "=====================================================================\n", + "[('provision', 100.0, 909), 66.66666666666666, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "the provision of article 190 shall apply 6\n", + "the provision rezerwa of article 190 shall apply 6\n", + "przepis art 190 stosować się 6\n", + "=====================================================================\n", + "[('provision', 100.0, 911), 66.66666666666666, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "the provision of article 190 shall apply 6\n", + "the provision rezerwa of article 190 shall apply 6\n", + "przepis art 190 stosować się 6\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 40.0, array(['strata'], dtype=object)]\n", + "profit loss for the year\n", + "profit loss strata for the year\n", + "zysk strata netto za rok obrotowy\n", + "=====================================================================\n", + "[('profit', 100.0, 898), 66.66666666666666, array(['zysk'], dtype=object)]\n", + "profit loss for the year\n", + "profit zysk loss for the year\n", + "zysk strata netto za rok obrotowy\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "we also recommend to discuss those reason with the auditor before its publication\n", + "we also recommend to discuss those reason with the auditor badanie sprawozdania finansowego before its publication\n", + "rekomendować również przedyskutowanie tego uzasadnienie z audytor przed on opublikowaniem\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 85.71428571428571, array(['biegły rewident'], dtype=object)]\n", + "we also recommend to discuss those reason with the auditor before its publication\n", + "we also recommend to biegły rewident discuss those reason with the auditor before its publication\n", + "rekomendować również przedyskutowanie tego uzasadnienie z audytor przed on opublikowaniem\n", + "=====================================================================\n", + "[('company', 100.0, 245), 66.66666666666666, array(['spółka kapitałowa'], dtype=object)]\n", + "in order to estimate the amount of a provision for the obligation to collect historical nor new weee the company would have to have the follow datum quantity in term of kilogram of old weee and the remain quantity of new weee to be collect by the company\n", + "in order to estimate the amount of a spółka kapitałowa provision for the obligation to collect historical nor new weee the company would have to have the follow datum quantity in term of kilogram of old weee and the remain quantity of new weee to be collect by the company\n", + "w cel oszacowania rezerwa spółka musić posiadać następujący dana liczba kilogram historyczny zużyty sprzęt elektryczny i elektroniczny która mieć zostać zebrana przez spółka oraz pozostać do zebranie przez spółka liczba kilogram nowy sprzęt elektryczny i elektroniczny\n", + "=====================================================================\n", + "[('ema', 100.0, 410), 50.0, array(['rachunkowość zarządcza ochrony środowiska'], dtype=object)]\n", + "in order to estimate the amount of a provision for the obligation to collect historical nor new weee the company would have to have the follow datum quantity in term of kilogram of old weee and the remain quantity of new weee to be collect by the company\n", + "in order to estimate the amount of a rachunkowość zarządcza ochrony środowiska provision for the obligation to collect historical nor new weee the company would have to have the follow datum quantity in term of kilogram of old weee and the remain quantity of new weee to be collect by the company\n", + "w cel oszacowania rezerwa spółka musić posiadać następujący dana liczba kilogram historyczny zużyty sprzęt elektryczny i elektroniczny która mieć zostać zebrana przez spółka oraz pozostać do zebranie przez spółka liczba kilogram nowy sprzęt elektryczny i elektroniczny\n", + "=====================================================================\n", + "[('provision', 100.0, 909), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "in order to estimate the amount of a provision for the obligation to collect historical nor new weee the company would have to have the follow datum quantity in term of kilogram of old weee and the remain quantity of new weee to be collect by the company\n", + "in order to estimate the amount of a provision rezerwa for the obligation to collect historical nor new weee the company would have to have the follow datum quantity in term of kilogram of old weee and the remain quantity of new weee to be collect by the company\n", + "w cel oszacowania rezerwa spółka musić posiadać następujący dana liczba kilogram historyczny zużyty sprzęt elektryczny i elektroniczny która mieć zostać zebrana przez spółka oraz pozostać do zebranie przez spółka liczba kilogram nowy sprzęt elektryczny i elektroniczny\n", + "=====================================================================\n", + "[('provision', 100.0, 911), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "in order to estimate the amount of a provision for the obligation to collect historical nor new weee the company would have to have the follow datum quantity in term of kilogram of old weee and the remain quantity of new weee to be collect by the company\n", + "in order to estimate the amount of a provision rezerwa for the obligation to collect historical nor new weee the company would have to have the follow datum quantity in term of kilogram of old weee and the remain quantity of new weee to be collect by the company\n", + "w cel oszacowania rezerwa spółka musić posiadać następujący dana liczba kilogram historyczny zużyty sprzęt elektryczny i elektroniczny która mieć zostać zebrana przez spółka oraz pozostać do zebranie przez spółka liczba kilogram nowy sprzęt elektryczny i elektroniczny\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 50.0, array(['aktywa'], dtype=object)]\n", + "available for sale financial asset\n", + "available for sale aktywa financial asset\n", + "aktywa finansowy dostępny do sprzedaż\n", + "=====================================================================\n", + "[('financial asset', 100.0, 514), 57.142857142857146, array(['aktywa finansowe'], dtype=object)]\n", + "available for sale financial asset\n", + "available for sale financial aktywa finansowe asset\n", + "aktywa finansowy dostępny do sprzedaż\n", + "=====================================================================\n", + "[('sale', 100.0, 1000), 40.0, array(['sprzedaż'], dtype=object)]\n", + "available for sale financial asset\n", + "available for sale sprzedaż financial asset\n", + "aktywa finansowy dostępny do sprzedaż\n", + "=====================================================================\n", + "[('available for sale asset', 88.37209302325581, 130), 35.55555555555556, array(['aktywa dostępne do sprzedaży'], dtype=object)]\n", + "available for sale financial asset\n", + "available for sale financial aktywa dostępne do sprzedaży asset\n", + "aktywa finansowy dostępny do sprzedaż\n", + "=====================================================================\n", + "[('company', 100.0, 245), 60.0, array(['spółka kapitałowa'], dtype=object)]\n", + "the company s exposure to the risk of change in market interest rate relate primarily to the company s long term debt obligation\n", + "the company spółka kapitałowa s exposure to the risk of change in market interest rate relate primarily to the company s long term debt obligation\n", + "narażenie spółka na ryzyka wywołane zmiana stopa procentowy dotyczyć przed wszystkim długoterminowy zobowiązanie finansowy\n", + "=====================================================================\n", + "[('interest', 100.0, 664), 57.142857142857146, array(['odsetki'], dtype=object)]\n", + "the company s exposure to the risk of change in market interest rate relate primarily to the company s long term debt obligation\n", + "the company s odsetki exposure to the risk of change in market interest rate relate primarily to the company s long term debt obligation\n", + "narażenie spółka na ryzyka wywołane zmiana stopa procentowy dotyczyć przed wszystkim długoterminowy zobowiązanie finansowy\n", + "=====================================================================\n", + "[('long term debt', 100.0, 726), 50.0, array(['zadłużenie długoterminowe'], dtype=object)]\n", + "the company s exposure to the risk of change in market interest rate relate primarily to the company s long term debt obligation\n", + "the company s exposure to the risk of change in market interest rate relate primarily to the company s long term debt zadłużenie długoterminowe obligation\n", + "narażenie spółka na ryzyka wywołane zmiana stopa procentowy dotyczyć przed wszystkim długoterminowy zobowiązanie finansowy\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 66.66666666666666, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "in connection with the conducted audit of the consolidated financial statement our responsibility in accordance with the act on statutory auditors be to issue an opinion on whether the issuer oblige to present a representation on application of corporate governance constitute a separate part of the director s report include in the representation information require by applicable law and whether the related information be in accordance with applicable regulation and with the information include in the accompany consolidated financial statement\n", + "in connection with the conducted audit badanie sprawozdania finansowego of the consolidated financial statement our responsibility in accordance with the act on statutory auditors be to issue an opinion on whether the issuer oblige to present a representation on application of corporate governance constitute a separate part of the director s report include in the representation information require by applicable law and whether the related information be in accordance with applicable regulation and with the information include in the accompany consolidated financial statement\n", + "w związek z przeprowadzonym badanie skonsolidowanego sprawozdanie finansowy naszym obowiązek zgodnie z wymóg ustawa o biegły rewident było wydanie opinia czy emitent obowiązany do złożenie oświadczenie o stosowaniu ład korporacyjny stanowiącego wyodrębnioną część sprawozdanie z działalność grupa kapitałowy zawrzeć w tym oświadczenie informacja wymagane przepis prawo oraz w odniesienie do określony informacja wskazany w tych przepis lub regulamin stwierdzenie czy są on zgodny z mającymi zastosowanie przepis oraz informacja zawartymi w załączonym skonsolidowanym sprawozdanie finansowy\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "in connection with the conducted audit of the consolidated financial statement our responsibility in accordance with the act on statutory auditors be to issue an opinion on whether the issuer oblige to present a representation on application of corporate governance constitute a separate part of the director s report include in the representation information require by applicable law and whether the related information be in accordance with applicable regulation and with the information include in the accompany consolidated financial statement\n", + "in connection with the conducted audit biegły rewident of the consolidated financial statement our responsibility in accordance with the act on statutory auditors be to issue an opinion on whether the issuer oblige to present a representation on application of corporate governance constitute a separate part of the director s report include in the representation information require by applicable law and whether the related information be in accordance with applicable regulation and with the information include in the accompany consolidated financial statement\n", + "w związek z przeprowadzonym badanie skonsolidowanego sprawozdanie finansowy naszym obowiązek zgodnie z wymóg ustawa o biegły rewident było wydanie opinia czy emitent obowiązany do złożenie oświadczenie o stosowaniu ład korporacyjny stanowiącego wyodrębnioną część sprawozdanie z działalność grupa kapitałowy zawrzeć w tym oświadczenie informacja wymagane przepis prawo oraz w odniesienie do określony informacja wskazany w tych przepis lub regulamin stwierdzenie czy są on zgodny z mającymi zastosowanie przepis oraz informacja zawartymi w załączonym skonsolidowanym sprawozdanie finansowy\n", + "=====================================================================\n", + "[('company', 100.0, 245), 100.0, array(['spółka kapitałowa'], dtype=object)]\n", + "in connection with the conducted audit of the consolidated financial statement our responsibility in accordance with the act on statutory auditors be to issue an opinion on whether the issuer oblige to present a representation on application of corporate governance constitute a separate part of the director s report include in the representation information require by applicable law and whether the related information be in accordance with applicable regulation and with the information include in the accompany consolidated financial statement\n", + "in connection with the conducted audit of the consolidated financial statement our responsibility in accordance with the act on statutory auditors be to issue an spółka kapitałowa opinion on whether the issuer oblige to present a representation on application of corporate governance constitute a separate part of the director s report include in the representation information require by applicable law and whether the related information be in accordance with applicable regulation and with the information include in the accompany consolidated financial statement\n", + "w związek z przeprowadzonym badanie skonsolidowanego sprawozdanie finansowy naszym obowiązek zgodnie z wymóg ustawa o biegły rewident było wydanie opinia czy emitent obowiązany do złożenie oświadczenie o stosowaniu ład korporacyjny stanowiącego wyodrębnioną część sprawozdanie z działalność grupa kapitałowy zawrzeć w tym oświadczenie informacja wymagane przepis prawo oraz w odniesienie do określony informacja wskazany w tych przepis lub regulamin stwierdzenie czy są on zgodny z mającymi zastosowanie przepis oraz informacja zawartymi w załączonym skonsolidowanym sprawozdanie finansowy\n", + "=====================================================================\n", + "[('financial statement', 100.0, 526), 62.5, array(['sprawozdanie finansowe'], dtype=object)]\n", + "in connection with the conducted audit of the consolidated financial statement our responsibility in accordance with the act on statutory auditors be to issue an opinion on whether the issuer oblige to present a representation on application of corporate governance constitute a separate part of the director s report include in the representation information require by applicable law and whether the related information be in accordance with applicable regulation and with the information include in the accompany consolidated financial statement\n", + "in connection with the conducted audit of the consolidated financial statement sprawozdanie finansowe our responsibility in accordance with the act on statutory auditors be to issue an opinion on whether the issuer oblige to present a representation on application of corporate governance constitute a separate part of the director s report include in the representation information require by applicable law and whether the related information be in accordance with applicable regulation and with the information include in the accompany consolidated financial statement\n", + "w związek z przeprowadzonym badanie skonsolidowanego sprawozdanie finansowy naszym obowiązek zgodnie z wymóg ustawa o biegły rewident było wydanie opinia czy emitent obowiązany do złożenie oświadczenie o stosowaniu ład korporacyjny stanowiącego wyodrębnioną część sprawozdanie z działalność grupa kapitałowy zawrzeć w tym oświadczenie informacja wymagane przepis prawo oraz w odniesienie do określony informacja wskazany w tych przepis lub regulamin stwierdzenie czy są on zgodny z mającymi zastosowanie przepis oraz informacja zawartymi w załączonym skonsolidowanym sprawozdanie finansowy\n", + "=====================================================================\n", + "[('report', 100.0, 963), 100.0, array(['sprawozdawczość'], dtype=object)]\n", + "in connection with the conducted audit of the consolidated financial statement our responsibility in accordance with the act on statutory auditors be to issue an opinion on whether the issuer oblige to present a representation on application of corporate governance constitute a separate part of the director s report include in the representation information require by applicable law and whether the related information be in accordance with applicable regulation and with the information include in the accompany consolidated financial statement\n", + "in connection with the conducted audit of the consolidated financial statement our responsibility in accordance with the act on statutory auditors be to issue an opinion on whether the issuer oblige to present a representation on application of corporate governance constitute a separate part of the director s report sprawozdawczość include in the representation information require by applicable law and whether the related information be in accordance with applicable regulation and with the information include in the accompany consolidated financial statement\n", + "w związek z przeprowadzonym badanie skonsolidowanego sprawozdanie finansowy naszym obowiązek zgodnie z wymóg ustawa o biegły rewident było wydanie opinia czy emitent obowiązany do złożenie oświadczenie o stosowaniu ład korporacyjny stanowiącego wyodrębnioną część sprawozdanie z działalność grupa kapitałowy zawrzeć w tym oświadczenie informacja wymagane przepis prawo oraz w odniesienie do określony informacja wskazany w tych przepis lub regulamin stwierdzenie czy są on zgodny z mającymi zastosowanie przepis oraz informacja zawartymi w załączonym skonsolidowanym sprawozdanie finansowy\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 0, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "unrecognised tax loss\n", + "unrecognised koszty sprzedanych produktów, towarów i materiałów tax loss\n", + "nieujęty strata podatkowy\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 40.0, array(['strata'], dtype=object)]\n", + "unrecognised tax loss\n", + "unrecognised strata tax loss\n", + "nieujęty strata podatkowy\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "no disciplinary proceeding shall be initiate and initiate proceeding shall be discontinue in the case of an act for which the administrative fine refer to in article 183 passage 1 may be impose on the statutory auditor enter in the list of refer to in article 46 item 1 2\n", + "no disciplinary proceeding shall be initiate and initiate proceeding shall be discontinue in the case of an act for which the administrative fine refer to in article 183 passage 1 may be impose on the statutory auditor badanie sprawozdania finansowego enter in the list of refer to in article 46 item 1 2\n", + "nie wszczynać się postępowanie dyscyplinarny a wszczęte umarza w sprawa czyn za który na bieg łego rewident wpisanego na lista o którym mowa w art 46 pkt 1 móc zostać nałożona karo administracyjny o której mowa w art 183 ust 1 2\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "no disciplinary proceeding shall be initiate and initiate proceeding shall be discontinue in the case of an act for which the administrative fine refer to in article 183 passage 1 may be impose on the statutory auditor enter in the list of refer to in article 46 item 1 2\n", + "no disciplinary proceeding shall be initiate and initiate proceeding shall be discontinue in the case of an act for which the administrative fine refer to biegły rewident in article 183 passage 1 may be impose on the statutory auditor enter in the list of refer to in article 46 item 1 2\n", + "nie wszczynać się postępowanie dyscyplinarny a wszczęte umarza w sprawa czyn za który na bieg łego rewident wpisanego na lista o którym mowa w art 46 pkt 1 móc zostać nałożona karo administracyjny o której mowa w art 183 ust 1 2\n", + "=====================================================================\n", + "[('cap', 100.0, 178), 80.0, array(['dyplomowany księgowy'], dtype=object)]\n", + "market datum confirm that these day it be not enough to only offer appropriate benefit they must also be perceive as well than those offer by compete employer below be the market datum for two particularly popular benefit popularity above 80 in medium and large business in poland as well as one that will be offer you all company in 2018 namely retirement benefit and the government idea for the compulsory employee capital program pracownicze plany kapitałowe ppk\n", + "market datum confirm that these day it be not enough to only offer appropriate benefit they must also be perceive as well than those offer by compete employer below be the market datum for two particularly popular benefit popularity above 80 in medium and large business in poland as well as one that will be offer you all company in 2018 namely retirement benefit and the government idea for the compulsory employee capital dyplomowany księgowy program pracownicze plany kapitałowe ppk\n", + "dana rynkowy potwierdzać że dzisiaj nie wystarczyć już tylko oferować odpowiedni świadczenie ale musić on być postrzegana jako dobry niż u konkurencyjny pracodawca w grupa trzy wskazany poniżej kategoria świadczenie centrum ssc w porównanie do branża farmaceutyczny fmcg oraz high tech charaktery zują się ponadprzeciętny udział oferowanych świadczenie absolutny lider w tych porównanie być zawsze sektor farmaceutyczny natomiast o drugi miejsce konkurować fmcg oraz centrum ssc\n", + "=====================================================================\n", + "[('company', 100.0, 245), 100.0, array(['spółka kapitałowa'], dtype=object)]\n", + "market datum confirm that these day it be not enough to only offer appropriate benefit they must also be perceive as well than those offer by compete employer below be the market datum for two particularly popular benefit popularity above 80 in medium and large business in poland as well as one that will be offer you all company in 2018 namely retirement benefit and the government idea for the compulsory employee capital program pracownicze plany kapitałowe ppk\n", + "market datum confirm that these day it be not enough to only offer appropriate benefit they must also be perceive as well than those offer by compete employer below be the market datum for two particularly popular benefit popularity above 80 in medium and large business in poland as well as one that will be offer you all company spółka kapitałowa in 2018 namely retirement benefit and the government idea for the compulsory employee capital program pracownicze plany kapitałowe ppk\n", + "dana rynkowy potwierdzać że dzisiaj nie wystarczyć już tylko oferować odpowiedni świadczenie ale musić on być postrzegana jako dobry niż u konkurencyjny pracodawca w grupa trzy wskazany poniżej kategoria świadczenie centrum ssc w porównanie do branża farmaceutyczny fmcg oraz high tech charaktery zują się ponadprzeciętny udział oferowanych świadczenie absolutny lider w tych porównanie być zawsze sektor farmaceutyczny natomiast o drugi miejsce konkurować fmcg oraz centrum ssc\n", + "=====================================================================\n", + "[('loan a', 90.9090909090909, 722), 72.72727272727272, array(['kredyt (udzielony)'], dtype=object)]\n", + "loan collateralise to the amount of pln thousand\n", + "loan collateralise kredyt (udzielony) to the amount of pln thousand\n", + "pożyczka zabezpieczona do wysokość oprocentowana wg stopa\n", + "=====================================================================\n", + "[('company', 100.0, 245), 100.0, array(['spółka kapitałowa'], dtype=object)]\n", + "the follow table demonstrate sensitivity of the company s profit loss before tax to a reasonably possible change in interest rate with all other variable hold constant in connection with float rate borrowing\n", + "the follow table demonstrate sensitivity of the company spółka kapitałowa s profit loss before tax to a reasonably possible change in interest rate with all other variable hold constant in connection with float rate borrowing\n", + "poniższy tabela przedstawiać wrażliwość zysk strata brutto na racjonalnie możliwy zmiana stopa procentowy przy założenie niezmienność inny czynnik w związek z zobowiązanie o zmienny stopa procentowy\n", + "=====================================================================\n", + "[('interest', 100.0, 664), 66.66666666666666, array(['odsetki'], dtype=object)]\n", + "the follow table demonstrate sensitivity of the company s profit loss before tax to a reasonably possible change in interest rate with all other variable hold constant in connection with float rate borrowing\n", + "the follow table demonstrate sensitivity of the company s odsetki profit loss before tax to a reasonably possible change in interest rate with all other variable hold constant in connection with float rate borrowing\n", + "poniższy tabela przedstawiać wrażliwość zysk strata brutto na racjonalnie możliwy zmiana stopa procentowy przy założenie niezmienność inny czynnik w związek z zobowiązanie o zmienny stopa procentowy\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 100.0, array(['strata'], dtype=object)]\n", + "the follow table demonstrate sensitivity of the company s profit loss before tax to a reasonably possible change in interest rate with all other variable hold constant in connection with float rate borrowing\n", + "the follow table demonstrate sensitivity of the company s strata profit loss before tax to a reasonably possible change in interest rate with all other variable hold constant in connection with float rate borrowing\n", + "poniższy tabela przedstawiać wrażliwość zysk strata brutto na racjonalnie możliwy zmiana stopa procentowy przy założenie niezmienność inny czynnik w związek z zobowiązanie o zmienny stopa procentowy\n", + "=====================================================================\n", + "[('profit', 100.0, 898), 100.0, array(['zysk'], dtype=object)]\n", + "the follow table demonstrate sensitivity of the company s profit loss before tax to a reasonably possible change in interest rate with all other variable hold constant in connection with float rate borrowing\n", + "the follow table demonstrate sensitivity of zysk the company s profit loss before tax to a reasonably possible change in interest rate with all other variable hold constant in connection with float rate borrowing\n", + "poniższy tabela przedstawiać wrażliwość zysk strata brutto na racjonalnie możliwy zmiana stopa procentowy przy założenie niezmienność inny czynnik w związek z zobowiązanie o zmienny stopa procentowy\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 50.0, array(['aktywa'], dtype=object)]\n", + "non monetary foreign currency asset and liability recognise at fair value be translate into polish zloty use the rate of exchange bind as at the date of re measurement to fair value\n", + "non monetary foreign currency asset aktywa and liability recognise at fair value be translate into polish zloty use the rate of exchange bind as at the date of re measurement to fair value\n", + "aktywa i zobowiązanie pieniężny ujmowane według wartość godziwy wyrażonej w waluta obcy są przeliczane po kurs z dzień dokonanie wycena do wartość godziwy\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 50.0, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "non monetary foreign currency asset and liability recognise at fair value be translate into polish zloty use the rate of exchange bind as at the date of re measurement to fair value\n", + "non monetary foreign currency asset and liability recognise koszty sprzedanych produktów, towarów i materiałów at fair value be translate into polish zloty use the rate of exchange bind as at the date of re measurement to fair value\n", + "aktywa i zobowiązanie pieniężny ujmowane według wartość godziwy wyrażonej w waluta obcy są przeliczane po kurs z dzień dokonanie wycena do wartość godziwy\n", + "=====================================================================\n", + "[('fair value', 100.0, 497), 57.142857142857146, array(['wartość godziwa'], dtype=object)]\n", + "non monetary foreign currency asset and liability recognise at fair value be translate into polish zloty use the rate of exchange bind as at the date of re measurement to fair value\n", + "non monetary foreign currency asset and liability recognise at fair value wartość godziwa be translate into polish zloty use the rate of exchange bind as at the date of re measurement to fair value\n", + "aktywa i zobowiązanie pieniężny ujmowane według wartość godziwy wyrażonej w waluta obcy są przeliczane po kurs z dzień dokonanie wycena do wartość godziwy\n", + "=====================================================================\n", + "[('liability', 100.0, 716), 100.0, array(['zobowiązania'], dtype=object)]\n", + "non monetary foreign currency asset and liability recognise at fair value be translate into polish zloty use the rate of exchange bind as at the date of re measurement to fair value\n", + "non monetary foreign currency asset and liability zobowiązania recognise at fair value be translate into polish zloty use the rate of exchange bind as at the date of re measurement to fair value\n", + "aktywa i zobowiązanie pieniężny ujmowane według wartość godziwy wyrażonej w waluta obcy są przeliczane po kurs z dzień dokonanie wycena do wartość godziwy\n", + "=====================================================================\n", + "[('par value', 88.88888888888889, 850), 57.142857142857146, array(['wartość nominalna'], dtype=object)]\n", + "non monetary foreign currency asset and liability recognise at fair value be translate into polish zloty use the rate of exchange bind as at the date of re measurement to fair value\n", + "non monetary foreign currency asset and liability recognise at fair value wartość nominalna be translate into polish zloty use the rate of exchange bind as at the date of re measurement to fair value\n", + "aktywa i zobowiązanie pieniężny ujmowane według wartość godziwy wyrażonej w waluta obcy są przeliczane po kurs z dzień dokonanie wycena do wartość godziwy\n", + "=====================================================================\n", + "[('income', 100.0, 638), 20.0, array(['zysk'], dtype=object)]\n", + "interest income\n", + "interest zysk income\n", + "przychód z tytuł odsetka\n", + "=====================================================================\n", + "[('interest', 100.0, 664), 33.33333333333333, array(['odsetki'], dtype=object)]\n", + "interest income\n", + "interest odsetki income\n", + "przychód z tytuł odsetka\n", + "=====================================================================\n", + "[('bribe', 100.0, 165), 100.0, array(['łapówki'], dtype=object)]\n", + "competence the directive introduce the obligation to report by large pie the information regard the follow environmental social and employee matter respect of the human right anti corruption and anti bribery measure\n", + "competence the directive introduce the obligation to report by large pie the information regard the follow environmental social and employee matter respect of the human right anti corruption and anti bribery łapówki measure\n", + "kompetencja dyrektywa wprowadzać obowiązek raportowania przez duży jzp informacja środowiskowy społeczny i pracowniczy dotyczących poszanowanie prawo człowiek o przeciwdziałanie korupcja i łapownictwo\n", + "=====================================================================\n", + "[('report', 100.0, 963), 100.0, array(['sprawozdawczość'], dtype=object)]\n", + "competence the directive introduce the obligation to report by large pie the information regard the follow environmental social and employee matter respect of the human right anti corruption and anti bribery measure\n", + "competence the directive introduce the obligation to report sprawozdawczość by large pie the information regard the follow environmental social and employee matter respect of the human right anti corruption and anti bribery measure\n", + "kompetencja dyrektywa wprowadzać obowiązek raportowania przez duży jzp informacja środowiskowy społeczny i pracowniczy dotyczących poszanowanie prawo człowiek o przeciwdziałanie korupcja i łapownictwo\n", + "=====================================================================\n", + "[('company', 100.0, 245), 57.142857142857146, array(['spółka kapitałowa'], dtype=object)]\n", + "operating lease receivable company as lessor\n", + "operating lease receivable company spółka kapitałowa as lessor\n", + "należność z tytuł leasing operacyjny spółka jako leasingodawca\n", + "=====================================================================\n", + "[('lease receivable', 100.0, 708), 48.275862068965516, array(['należności z tytułu leasingu'], dtype=object)]\n", + "operating lease receivable company as lessor\n", + "operating lease receivable należności z tytułu leasingu company as lessor\n", + "należność z tytuł leasing operacyjny spółka jako leasingodawca\n", + "=====================================================================\n", + "[('lease', 100.0, 709), 88.88888888888889, array(['leasing'], dtype=object)]\n", + "operating lease receivable company as lessor\n", + "operating lease leasing receivable company as lessor\n", + "należność z tytuł leasing operacyjny spółka jako leasingodawca\n", + "=====================================================================\n", + "[('operating loss', 88.0, 811), 61.53846153846154, array(['strata operacyjna'], dtype=object)]\n", + "operating lease receivable company as lessor\n", + "operating lease strata operacyjna receivable company as lessor\n", + "należność z tytuł leasing operacyjny spółka jako leasingodawca\n", + "=====================================================================\n", + "[('account', 100.0, 13), 61.53846153846154, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "change in account policy error adjustment\n", + "change in account konto policy error adjustment\n", + "zmiana polityka zasada rachunkowości korekta błąd\n", + "=====================================================================\n", + "[('account', 100.0, 25), 61.53846153846154, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "change in account policy error adjustment\n", + "change in account konto policy error adjustment\n", + "zmiana polityka zasada rachunkowości korekta błąd\n", + "=====================================================================\n", + "[('account', 100.0, 57), 61.53846153846154, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "change in account policy error adjustment\n", + "change in account konto policy error adjustment\n", + "zmiana polityka zasada rachunkowości korekta błąd\n", + "=====================================================================\n", + "[('error adjustment', 100.0, 463), 36.36363636363637, array(['korekty błędów księgowych'], dtype=object)]\n", + "change in account policy error adjustment\n", + "change in account policy error korekty błędów księgowych adjustment\n", + "zmiana polityka zasada rachunkowości korekta błąd\n", + "=====================================================================\n", + "[('account', 100.0, 13), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "accounting policies and explanatory note\n", + "accounting konto policies and explanatory note\n", + "zasada polityka rachunkowość oraz dodatkowy nota objaśniający\n", + "=====================================================================\n", + "[('account', 100.0, 25), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "accounting policies and explanatory note\n", + "accounting konto policies and explanatory note\n", + "zasada polityka rachunkowość oraz dodatkowy nota objaśniający\n", + "=====================================================================\n", + "[('account', 100.0, 57), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "accounting policies and explanatory note\n", + "accounting konto policies and explanatory note\n", + "zasada polityka rachunkowość oraz dodatkowy nota objaśniający\n", + "=====================================================================\n", + "[('note', 100.0, 791), 85.71428571428571, array(['informacja dodatkowa'], dtype=object)]\n", + "accounting policies and explanatory note\n", + "accounting informacja dodatkowa policies and explanatory note\n", + "zasada polityka rachunkowość oraz dodatkowy nota objaśniający\n", + "=====================================================================\n", + "[('accounting policy', 96.96969696969697, 45), 54.54545454545455, array(['zasady rachunkowości'], dtype=object)]\n", + "accounting policies and explanatory note\n", + "accounting policies zasady rachunkowości and explanatory note\n", + "zasada polityka rachunkowość oraz dodatkowy nota objaśniający\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "u of 2016 item 759 in article 19 passage 11 item 1 shall be replace by the following 1 the financial statement of the agency along with the audit report\n", + "u badanie sprawozdania finansowego of 2016 item 759 in article 19 passage 11 item 1 shall be replace by the following 1 the financial statement of the agency along with the audit report\n", + "u z 2016 r poz 759 w art 19 w ust 11 pkt 1 otrzymywać brzmienie 1 sprawozdanie finansowy agencja wraz z sprawozdanie z badanie\n", + "=====================================================================\n", + "[('financial statement', 100.0, 526), 60.0, array(['sprawozdanie finansowe'], dtype=object)]\n", + "u of 2016 item 759 in article 19 passage 11 item 1 shall be replace by the following 1 the financial statement of the agency along with the audit report\n", + "u of 2016 item 759 in article 19 passage 11 item 1 shall be replace by the following 1 the financial statement sprawozdanie finansowe of the agency along with the audit report\n", + "u z 2016 r poz 759 w art 19 w ust 11 pkt 1 otrzymywać brzmienie 1 sprawozdanie finansowy agencja wraz z sprawozdanie z badanie\n", + "=====================================================================\n", + "[('report', 100.0, 963), 100.0, array(['sprawozdawczość'], dtype=object)]\n", + "u of 2016 item 759 in article 19 passage 11 item 1 shall be replace by the following 1 the financial statement of the agency along with the audit report\n", + "u of 2016 item 759 in article 19 passage 11 item 1 shall be replace sprawozdawczość by the following 1 the financial statement of the agency along with the audit report\n", + "u z 2016 r poz 759 w art 19 w ust 11 pkt 1 otrzymywać brzmienie 1 sprawozdanie finansowy agencja wraz z sprawozdanie z badanie\n", + "=====================================================================\n", + "[('interest', 100.0, 664), 28.57142857142857, array(['odsetki'], dtype=object)]\n", + "interest in joint operation\n", + "interest odsetki in joint operation\n", + "udział w wspólny działanie\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "jeśli dotyczy the group operate share option scheme under which option to subscribe for the group s share have be grant to certain executive and senior employee note\n", + "jeśli dotyczy the group grupa kapitałowa operate share option scheme under which option to subscribe for the group s share have be grant to certain executive and senior employee note\n", + "jeśli dotyczyć grupa prowadzić program przyznawania opcja na akcja w ramy których niektórym członek kadra kierowniczy oraz pracownik wysoki szczebel przyznane zostały opcja na objęcie akcja w spółka nota\n", + "=====================================================================\n", + "[('note', 100.0, 791), 66.66666666666666, array(['informacja dodatkowa'], dtype=object)]\n", + "jeśli dotyczy the group operate share option scheme under which option to subscribe for the group s share have be grant to certain executive and senior employee note\n", + "jeśli dotyczy the informacja dodatkowa group operate share option scheme under which option to subscribe for the group s share have be grant to certain executive and senior employee note\n", + "jeśli dotyczyć grupa prowadzić program przyznawania opcja na akcja w ramy których niektórym członek kadra kierowniczy oraz pracownik wysoki szczebel przyznane zostały opcja na objęcie akcja w spółka nota\n", + "=====================================================================\n", + "[('ema', 100.0, 410), 66.66666666666666, array(['rachunkowość zarządcza ochrony środowiska'], dtype=object)]\n", + "another trend that s become increasingly noticeable in warsaw be demand for flexible office\n", + "another trend that s become increasingly noticeable in warsaw be demand rachunkowość zarządcza ochrony środowiska for flexible office\n", + "kolejny trend który jest coraz bardzo widoczny na stołeczny rynek jest zapotrze bowanie na elastyczny biuro\n", + "=====================================================================\n", + "[('cash', 100.0, 203), 50.0, array(['środki pieniężne'], dtype=object)]\n", + "this require an estimation of the value in use of the cash generate unit to which the item of property plant and equipment belong\n", + "this require an estimation of the value in use of the cash środki pieniężne generate unit to which the item of property plant and equipment belong\n", + "wymagać to oszacowania wartość użytkowy ośrodek wypracowującego środek pieniężny do którego należeć te środek trwały\n", + "=====================================================================\n", + "[('value in use', 100.0, 1161), 47.61904761904762, array(['wartość użytkowa'], dtype=object)]\n", + "this require an estimation of the value in use of the cash generate unit to which the item of property plant and equipment belong\n", + "this require an estimation of the value in use wartość użytkowa of the cash generate unit to which the item of property plant and equipment belong\n", + "wymagać to oszacowania wartość użytkowy ośrodek wypracowującego środek pieniężny do którego należeć te środek trwały\n", + "=====================================================================\n", + "[('property plant and equipment', 93.33333333333333, 906), 40.816326530612244, array(['środki trwałe'], dtype=object)]\n", + "this require an estimation of the value in use of the cash generate unit to which the item of property plant and equipment belong\n", + "this require an estimation of the value in use of the cash generate unit to which the item of property plant and equipment środki trwałe belong\n", + "wymagać to oszacowania wartość użytkowy ośrodek wypracowującego środek pieniężny do którego należeć te środek trwały\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 66.66666666666666, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "the fair value of the share that be grant in the year end 31 december 2017 be pln thousand and be recognise as an expense in the income statement statement of comprehensive income for the year end 31 december 20016 pln thousand\n", + "the fair value of the share that be grant in the year end 31 december 2017 be pln thousand and be recognise koszty sprzedanych produktów, towarów i materiałów as an expense in the income statement statement of comprehensive income for the year end 31 december 20016 pln thousand\n", + "wartość godziwy akcja przyznanych w okres do 31 grudzień 2017 rok wynosić tysiąc pln i jest ujęta jako koszt w rachunek zysk i strat sprawozdanie z całkowity dochód za ten okres za rok zakończony dzień 31 grudzień 2016 rok tysiąc pln\n", + "=====================================================================\n", + "[('comprehensive income', 100.0, 253), 50.0, array(['zysk całkowity'], dtype=object)]\n", + "the fair value of the share that be grant in the year end 31 december 2017 be pln thousand and be recognise as an expense in the income statement statement of comprehensive income for the year end 31 december 20016 pln thousand\n", + "the fair value of the share that be grant in the year end 31 december 2017 be pln thousand and be recognise as an expense in the income statement statement of comprehensive income zysk całkowity for the year end 31 december 20016 pln thousand\n", + "wartość godziwy akcja przyznanych w okres do 31 grudzień 2017 rok wynosić tysiąc pln i jest ujęta jako koszt w rachunek zysk i strat sprawozdanie z całkowity dochód za ten okres za rok zakończony dzień 31 grudzień 2016 rok tysiąc pln\n", + "=====================================================================\n", + "[('expense', 100.0, 479), 66.66666666666666, array(['koszt'], dtype=object)]\n", + "the fair value of the share that be grant in the year end 31 december 2017 be pln thousand and be recognise as an expense in the income statement statement of comprehensive income for the year end 31 december 20016 pln thousand\n", + "the fair value of the share that be grant in the year end 31 december 2017 be pln thousand and be recognise as an expense koszt in the income statement statement of comprehensive income for the year end 31 december 20016 pln thousand\n", + "wartość godziwy akcja przyznanych w okres do 31 grudzień 2017 rok wynosić tysiąc pln i jest ujęta jako koszt w rachunek zysk i strat sprawozdanie z całkowity dochód za ten okres za rok zakończony dzień 31 grudzień 2016 rok tysiąc pln\n", + "=====================================================================\n", + "[('fair value', 100.0, 497), 50.0, array(['wartość godziwa'], dtype=object)]\n", + "the fair value of the share that be grant in the year end 31 december 2017 be pln thousand and be recognise as an expense in the income statement statement of comprehensive income for the year end 31 december 20016 pln thousand\n", + "the fair value wartość godziwa of the share that be grant in the year end 31 december 2017 be pln thousand and be recognise as an expense in the income statement statement of comprehensive income for the year end 31 december 20016 pln thousand\n", + "wartość godziwy akcja przyznanych w okres do 31 grudzień 2017 rok wynosić tysiąc pln i jest ujęta jako koszt w rachunek zysk i strat sprawozdanie z całkowity dochód za ten okres za rok zakończony dzień 31 grudzień 2016 rok tysiąc pln\n", + "=====================================================================\n", + "[('income', 100.0, 638), 100.0, array(['zysk'], dtype=object)]\n", + "the fair value of the share that be grant in the year end 31 december 2017 be pln thousand and be recognise as an expense in the income statement statement of comprehensive income for the year end 31 december 20016 pln thousand\n", + "the fair value of the share that be grant in zysk the year end 31 december 2017 be pln thousand and be recognise as an expense in the income statement statement of comprehensive income for the year end 31 december 20016 pln thousand\n", + "wartość godziwy akcja przyznanych w okres do 31 grudzień 2017 rok wynosić tysiąc pln i jest ujęta jako koszt w rachunek zysk i strat sprawozdanie z całkowity dochód za ten okres za rok zakończony dzień 31 grudzień 2016 rok tysiąc pln\n", + "=====================================================================\n", + "[('erp', 100.0, 413), 50.0, array(['planowanie zasobów przedsiębiorstwa'], dtype=object)]\n", + "disciplinary proceeding shall not be open if 5 year have pass since the perpetration of a disciplinary offence\n", + "disciplinary proceeding shall not be open if 5 year have pass since the perpetration planowanie zasobów przedsiębiorstwa of a disciplinary offence\n", + "nie można wszcząć postępowanie dyscyplinarny jeżeli od chwila popełnienia przewinienie dyscypli narnego upłynąć 5 rok\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 66.66666666666666, array(['aktywa'], dtype=object)]\n", + "depreciation rule of property plant and equipment lease under finance lease agreement should be consistent with those apply to the company s own depreciable asset\n", + "depreciation rule of property plant and equipment lease under finance lease agreement should be consistent with those apply to the company s aktywa own depreciable asset\n", + "zasada amortyzacja środki trwały użytkowanych na moc leasing finansowy powinny być spójny z zasada stosowany przy amortyzacja własny aktywa jednostka podlegających amortyzacja\n", + "=====================================================================\n", + "[('company', 100.0, 245), 66.66666666666666, array(['spółka kapitałowa'], dtype=object)]\n", + "depreciation rule of property plant and equipment lease under finance lease agreement should be consistent with those apply to the company s own depreciable asset\n", + "depreciation rule of property plant and equipment lease under finance lease agreement should be consistent with those apply to the company spółka kapitałowa s own depreciable asset\n", + "zasada amortyzacja środki trwały użytkowanych na moc leasing finansowy powinny być spójny z zasada stosowany przy amortyzacja własny aktywa jednostka podlegających amortyzacja\n", + "=====================================================================\n", + "[('depreciation', 100.0, 373), 66.66666666666666, array(['amortyzacja'], dtype=object)]\n", + "depreciation rule of property plant and equipment lease under finance lease agreement should be consistent with those apply to the company s own depreciable asset\n", + "depreciation amortyzacja rule of property plant and equipment lease under finance lease agreement should be consistent with those apply to the company s own depreciable asset\n", + "zasada amortyzacja środki trwały użytkowanych na moc leasing finansowy powinny być spójny z zasada stosowany przy amortyzacja własny aktywa jednostka podlegających amortyzacja\n", + "=====================================================================\n", + "[('lease', 100.0, 709), 88.88888888888889, array(['leasing'], dtype=object)]\n", + "depreciation rule of property plant and equipment lease under finance lease agreement should be consistent with those apply to the company s own depreciable asset\n", + "depreciation rule of property plant and equipment lease leasing under finance lease agreement should be consistent with those apply to the company s own depreciable asset\n", + "zasada amortyzacja środki trwały użytkowanych na moc leasing finansowy powinny być spójny z zasada stosowany przy amortyzacja własny aktywa jednostka podlegających amortyzacja\n", + "=====================================================================\n", + "[('property plant and equipment', 93.33333333333333, 906), 45.833333333333336, array(['środki trwałe'], dtype=object)]\n", + "depreciation rule of property plant and equipment lease under finance lease agreement should be consistent with those apply to the company s own depreciable asset\n", + "depreciation rule of property plant and equipment środki trwałe lease under finance lease agreement should be consistent with those apply to the company s own depreciable asset\n", + "zasada amortyzacja środki trwały użytkowanych na moc leasing finansowy powinny być spójny z zasada stosowany przy amortyzacja własny aktywa jednostka podlegających amortyzacja\n", + "=====================================================================\n", + "[('income', 100.0, 638), 44.44444444444444, array(['zysk'], dtype=object)]\n", + "rental income operating lease\n", + "rental income zysk operating lease\n", + "przychód z tytuł wynajm leasing operacyjny\n", + "=====================================================================\n", + "[('lease', 100.0, 709), 88.88888888888889, array(['leasing'], dtype=object)]\n", + "rental income operating lease\n", + "rental leasing income operating lease\n", + "przychód z tytuł wynajm leasing operacyjny\n", + "=====================================================================\n", + "[('provision', 100.0, 909), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "the provision of passage 1 item 2 or 3 shall also apply in the case of non fulfilment of the recommendation refer to in passage 1 item 1\n", + "the provision rezerwa of passage 1 item 2 or 3 shall also apply in the case of non fulfilment of the recommendation refer to in passage 1 item 1\n", + "przepis ust 1 pkt 2 lub 3 stosować się również w przypadek niewykonania zalecenie o których mowa w ust 1 pkt 1\n", + "=====================================================================\n", + "[('provision', 100.0, 911), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "the provision of passage 1 item 2 or 3 shall also apply in the case of non fulfilment of the recommendation refer to in passage 1 item 1\n", + "the provision rezerwa of passage 1 item 2 or 3 shall also apply in the case of non fulfilment of the recommendation refer to in passage 1 item 1\n", + "przepis ust 1 pkt 2 lub 3 stosować się również w przypadek niewykonania zalecenie o których mowa w ust 1 pkt 1\n", + "=====================================================================\n", + "[('company', 100.0, 245), 66.66666666666666, array(['spółka kapitałowa'], dtype=object)]\n", + "in general the structure of employment at foreign center be much more even whereas polish company be dominate by commercial service provider outsourcing center 90 share\n", + "in general the structure of employment at foreign center be much more even whereas polish company spółka kapitałowa be dominate by commercial service provider outsourcing center 90 share\n", + "generalnie struktura zatrudnienie centrum zagranicz nych jest zdecydowanie bardzo wyrównany podczas gdy w przypadek firma polski dominować komercyjny dostawca usługi centrum outsourcing 90 udział\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 66.66666666666666, array(['aktywa'], dtype=object)]\n", + "any subsequent reversal of an impairment loss be recognise in profit or loss to the extent that the carrying amount of the asset do not exceed its amortise cost at the reversal date\n", + "any subsequent reversal of an impairment loss be recognise in profit or loss to the extent that the carrying amount of the asset aktywa do not exceed its amortise cost at the reversal date\n", + "późny odwrócenie odpis aktualizującego z tytuł utrata wartość ujmować się w zysk lub strata w zakres w jakim na dzienie odwrócenie wartość bilansowy składnik aktywa nie przewyższać on zamortyzowanego koszt\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 66.66666666666666, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "any subsequent reversal of an impairment loss be recognise in profit or loss to the extent that the carrying amount of the asset do not exceed its amortise cost at the reversal date\n", + "any subsequent reversal of an impairment loss be recognise koszty sprzedanych produktów, towarów i materiałów in profit or loss to the extent that the carrying amount of the asset do not exceed its amortise cost at the reversal date\n", + "późny odwrócenie odpis aktualizującego z tytuł utrata wartość ujmować się w zysk lub strata w zakres w jakim na dzienie odwrócenie wartość bilansowy składnik aktywa nie przewyższać on zamortyzowanego koszt\n", + "=====================================================================\n", + "[('cost', 100.0, 303), 66.66666666666666, array(['koszt', 'koszty'], dtype=object)]\n", + "any subsequent reversal of an impairment loss be recognise in profit or loss to the extent that the carrying amount of the asset do not exceed its amortise cost at the reversal date\n", + "any subsequent reversal of an impairment loss be recognise in profit or loss to the extent that the carrying amount of the asset do not exceed its amortise cost koszt at the reversal date\n", + "późny odwrócenie odpis aktualizującego z tytuł utrata wartość ujmować się w zysk lub strata w zakres w jakim na dzienie odwrócenie wartość bilansowy składnik aktywa nie przewyższać on zamortyzowanego koszt\n", + "=====================================================================\n", + "[('cost', 100.0, 324), 66.66666666666666, array(['koszt', 'koszty'], dtype=object)]\n", + "any subsequent reversal of an impairment loss be recognise in profit or loss to the extent that the carrying amount of the asset do not exceed its amortise cost at the reversal date\n", + "any subsequent reversal of an impairment loss be recognise in profit or loss to the extent that the carrying amount of the asset do not exceed its amortise cost koszt at the reversal date\n", + "późny odwrócenie odpis aktualizującego z tytuł utrata wartość ujmować się w zysk lub strata w zakres w jakim na dzienie odwrócenie wartość bilansowy składnik aktywa nie przewyższać on zamortyzowanego koszt\n", + "=====================================================================\n", + "[('impairment', 100.0, 632), 60.0, array(['utrata wartości aktywów'], dtype=object)]\n", + "any subsequent reversal of an impairment loss be recognise in profit or loss to the extent that the carrying amount of the asset do not exceed its amortise cost at the reversal date\n", + "any subsequent reversal of an impairment utrata wartości aktywów loss be recognise in profit or loss to the extent that the carrying amount of the asset do not exceed its amortise cost at the reversal date\n", + "późny odwrócenie odpis aktualizującego z tytuł utrata wartość ujmować się w zysk lub strata w zakres w jakim na dzienie odwrócenie wartość bilansowy składnik aktywa nie przewyższać on zamortyzowanego koszt\n", + "=====================================================================\n", + "[('taxation', 100.0, 1111), 57.142857142857146, array(['opodatkowanie'], dtype=object)]\n", + "however the tax authority would need to prove that the taxpayer s intention be indeed to avoid taxation and to demonstrate the tax benefit gain as a result\n", + "however the tax opodatkowanie authority would need to prove that the taxpayer s intention be indeed to avoid taxation and to demonstrate the tax benefit gain as a result\n", + "jednakże organ musić udowodnić że cel podatnik było uniknięcie opodatkowanie oraz wykazać uzyskaną korzyść podatkowy\n", + "=====================================================================\n", + "[('equity', 100.0, 460), 40.0, array(['kapitał własny'], dtype=object)]\n", + "share in equity\n", + "share in kapitał własny equity\n", + "udział w kapitała\n", + "=====================================================================\n", + "[('report', 100.0, 963), 83.33333333333333, array(['sprawozdawczość'], dtype=object)]\n", + "i would greatly appreciate any and all feedback on the content of the report which could help ensure that next year s report be an even well reflection of our reader expectation\n", + "i would greatly appreciate any and all feedback on the content of the report sprawozdawczość which could help ensure that next year s report be an even well reflection of our reader expectation\n", + "być wdzięczny za wszelkie komentarz dotyczące zawar tości raport które móc przyczynić się do tego aby w przy szłym rok publikacja w jeszcze wielki stopień spełniać oczekiwanie odbiorca\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 50.0, array(['strata'], dtype=object)]\n", + "profit loss for the year from discontinued operation\n", + "profit loss strata for the year from discontinued operation\n", + "zysk strata za rok obrotowy z działalność zaniechanej\n", + "=====================================================================\n", + "[('profit', 100.0, 898), 66.66666666666666, array(['zysk'], dtype=object)]\n", + "profit loss for the year from discontinued operation\n", + "profit zysk loss for the year from discontinued operation\n", + "zysk strata za rok obrotowy z działalność zaniechanej\n", + "=====================================================================\n", + "[('discontinue operation', 95.23809523809524, 389), 45.45454545454545, array(['działalność zaniechana', 'działalność zaniechiwana'], dtype=object)]\n", + "profit loss for the year from discontinued operation\n", + "profit loss for the year from discontinued działalność zaniechana operation\n", + "zysk strata za rok obrotowy z działalność zaniechanej\n", + "=====================================================================\n", + "[('discontinue operation', 95.23809523809524, 390), 45.45454545454545, array(['działalność zaniechana', 'działalność zaniechiwana'], dtype=object)]\n", + "profit loss for the year from discontinued operation\n", + "profit loss for the year from discontinued działalność zaniechana operation\n", + "zysk strata za rok obrotowy z działalność zaniechanej\n", + "=====================================================================\n", + "[('continue operation', 94.44444444444444, 277), 45.45454545454545, array(['działalność kontynuowana'], dtype=object)]\n", + "profit loss for the year from discontinued operation\n", + "profit loss for the year from discontinued działalność kontynuowana operation\n", + "zysk strata za rok obrotowy z działalność zaniechanej\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 66.66666666666666, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the provision of this act and the act amend in article 221 as set forth in the present act shall apply to audits of financial statement prepare for the financial year begin after 16 june 2016 2\n", + "the provision of this act and the act amend in article 221 as set forth in the present act shall apply to audits badanie sprawozdania finansowego of financial statement prepare for the financial year begin after 16 june 2016 2\n", + "przepis niniejszy ustawa oraz ustawa zmienianej w art 221 w brzmienie nadanym niniejszy ustawa stosować się do badanie sprawozdanie finansowy sporządzonych za rok obrotowy rozpoczynające się po dzień 16 czerwiec 2016 r 2\n", + "=====================================================================\n", + "[('financial statement', 100.0, 526), 60.0, array(['sprawozdanie finansowe'], dtype=object)]\n", + "the provision of this act and the act amend in article 221 as set forth in the present act shall apply to audits of financial statement prepare for the financial year begin after 16 june 2016 2\n", + "the provision of this act and the act amend in article 221 as set forth in the present act shall apply to audits of financial statement sprawozdanie finansowe prepare for the financial year begin after 16 june 2016 2\n", + "przepis niniejszy ustawa oraz ustawa zmienianej w art 221 w brzmienie nadanym niniejszy ustawa stosować się do badanie sprawozdanie finansowy sporządzonych za rok obrotowy rozpoczynające się po dzień 16 czerwiec 2016 r 2\n", + "=====================================================================\n", + "[('provision', 100.0, 909), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "the provision of this act and the act amend in article 221 as set forth in the present act shall apply to audits of financial statement prepare for the financial year begin after 16 june 2016 2\n", + "the provision rezerwa of this act and the act amend in article 221 as set forth in the present act shall apply to audits of financial statement prepare for the financial year begin after 16 june 2016 2\n", + "przepis niniejszy ustawa oraz ustawa zmienianej w art 221 w brzmienie nadanym niniejszy ustawa stosować się do badanie sprawozdanie finansowy sporządzonych za rok obrotowy rozpoczynające się po dzień 16 czerwiec 2016 r 2\n", + "=====================================================================\n", + "[('provision', 100.0, 911), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "the provision of this act and the act amend in article 221 as set forth in the present act shall apply to audits of financial statement prepare for the financial year begin after 16 june 2016 2\n", + "the provision rezerwa of this act and the act amend in article 221 as set forth in the present act shall apply to audits of financial statement prepare for the financial year begin after 16 june 2016 2\n", + "przepis niniejszy ustawa oraz ustawa zmienianej w art 221 w brzmienie nadanym niniejszy ustawa stosować się do badanie sprawozdanie finansowy sporządzonych za rok obrotowy rozpoczynające się po dzień 16 czerwiec 2016 r 2\n", + "=====================================================================\n", + "[('company', 100.0, 245), 50.0, array(['spółka kapitałowa'], dtype=object)]\n", + "831 number of investor company with business service center in poland include 601 foreign investor\n", + "831 number of investor company spółka kapitałowa with business service center in poland include 601 foreign investor\n", + "831 liczba firma inwestor posiadający swoje centrum usługi w polska w tym 601 inwestor zagraniczny\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 50.0, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "in the discount rate would cause recognition of additional impairment loss in the amount of\n", + "in the discount rate would cause recognition koszty sprzedanych produktów, towarów i materiałów of additional impairment loss in the amount of\n", + "spowodować rozpoznanie dodatkowy odpis z tytuł utrata wartość w wysokość\n", + "=====================================================================\n", + "[('discount', 100.0, 391), 75.0, array(['rabat'], dtype=object)]\n", + "in the discount rate would cause recognition of additional impairment loss in the amount of\n", + "in the discount rabat rate would cause recognition of additional impairment loss in the amount of\n", + "spowodować rozpoznanie dodatkowy odpis z tytuł utrata wartość w wysokość\n", + "=====================================================================\n", + "[('impairment', 100.0, 632), 44.44444444444444, array(['utrata wartości aktywów'], dtype=object)]\n", + "in the discount rate would cause recognition of additional impairment loss in the amount of\n", + "in the discount rate would cause recognition of additional impairment utrata wartości aktywów loss in the amount of\n", + "spowodować rozpoznanie dodatkowy odpis z tytuł utrata wartość w wysokość\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 40.0, array(['strata'], dtype=object)]\n", + "in the discount rate would cause recognition of additional impairment loss in the amount of\n", + "in the discount rate would cause recognition of additional impairment loss strata in the amount of\n", + "spowodować rozpoznanie dodatkowy odpis z tytuł utrata wartość w wysokość\n", + "=====================================================================\n", + "[('cash', 100.0, 203), 40.0, array(['środki pieniężne'], dtype=object)]\n", + "handle cash management and expense reimbursement\n", + "handle cash środki pieniężne management and expense reimbursement\n", + "zarządzanie wydawanie gotówka i zwrot wydatek\n", + "=====================================================================\n", + "[('expense', 100.0, 479), 40.0, array(['koszt'], dtype=object)]\n", + "handle cash management and expense reimbursement\n", + "handle cash management and expense koszt reimbursement\n", + "zarządzanie wydawanie gotówka i zwrot wydatek\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the prohibit service refer to in article 136 provide by the statutory auditor the audit firm or entity be part of the network for the benefit of the audit public interest entity its parent company or subsidiary on the basis of contract conclude before the effective date of this act may be provide no long than until 31 december 2017 article 286\n", + "the prohibit service refer to in article 136 provide by the statutory auditor badanie sprawozdania finansowego the audit firm or entity be part of the network for the benefit of the audit public interest entity its parent company or subsidiary on the basis of contract conclude before the effective date of this act may be provide no long than until 31 december 2017 article 286\n", + "usługa zabronione o których mowa w art 136 świadczone przez biegły rewident firma audytorski lub podmiot należący do sieć na rzecz badany jednostka zainteresowanie publiczny on jednostka dominujący lub jednos teka przez on kontrolowanych na podstawa umowa zawartych przed dzień wejście w żyto niniejszy ustawa móc być świadczone nie długo niż do dzień 31 grudzień 2017 r art 286\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "the prohibit service refer to in article 136 provide by the statutory auditor the audit firm or entity be part of the network for the benefit of the audit public interest entity its parent company or subsidiary on the basis of contract conclude before the effective date of this act may be provide no long than until 31 december 2017 article 286\n", + "the prohibit service refer to biegły rewident in article 136 provide by the statutory auditor the audit firm or entity be part of the network for the benefit of the audit public interest entity its parent company or subsidiary on the basis of contract conclude before the effective date of this act may be provide no long than until 31 december 2017 article 286\n", + "usługa zabronione o których mowa w art 136 świadczone przez biegły rewident firma audytorski lub podmiot należący do sieć na rzecz badany jednostka zainteresowanie publiczny on jednostka dominujący lub jednos teka przez on kontrolowanych na podstawa umowa zawartych przed dzień wejście w żyto niniejszy ustawa móc być świadczone nie długo niż do dzień 31 grudzień 2017 r art 286\n", + "=====================================================================\n", + "[('company', 100.0, 245), 100.0, array(['spółka kapitałowa'], dtype=object)]\n", + "the prohibit service refer to in article 136 provide by the statutory auditor the audit firm or entity be part of the network for the benefit of the audit public interest entity its parent company or subsidiary on the basis of contract conclude before the effective date of this act may be provide no long than until 31 december 2017 article 286\n", + "the prohibit service refer to in article 136 provide by the statutory auditor the audit firm or entity be part of the network for the benefit of the audit public interest entity its parent company spółka kapitałowa or subsidiary on the basis of contract conclude before the effective date of this act may be provide no long than until 31 december 2017 article 286\n", + "usługa zabronione o których mowa w art 136 świadczone przez biegły rewident firma audytorski lub podmiot należący do sieć na rzecz badany jednostka zainteresowanie publiczny on jednostka dominujący lub jednos teka przez on kontrolowanych na podstawa umowa zawartych przed dzień wejście w żyto niniejszy ustawa móc być świadczone nie długo niż do dzień 31 grudzień 2017 r art 286\n", + "=====================================================================\n", + "[('contract', 100.0, 282), 100.0, array(['kontrakt', 'umowa'], dtype=object)]\n", + "the prohibit service refer to in article 136 provide by the statutory auditor the audit firm or entity be part of the network for the benefit of the audit public interest entity its parent company or subsidiary on the basis of contract conclude before the effective date of this act may be provide no long than until 31 december 2017 article 286\n", + "the prohibit service refer to in article 136 provide by the statutory auditor the audit firm or entity be part of the network for the benefit of the audit public interest entity its parent company or subsidiary on kontrakt the basis of contract conclude before the effective date of this act may be provide no long than until 31 december 2017 article 286\n", + "usługa zabronione o których mowa w art 136 świadczone przez biegły rewident firma audytorski lub podmiot należący do sieć na rzecz badany jednostka zainteresowanie publiczny on jednostka dominujący lub jednos teka przez on kontrolowanych na podstawa umowa zawartych przed dzień wejście w żyto niniejszy ustawa móc być świadczone nie długo niż do dzień 31 grudzień 2017 r art 286\n", + "=====================================================================\n", + "[('contract', 100.0, 283), 100.0, array(['kontrakt', 'umowa'], dtype=object)]\n", + "the prohibit service refer to in article 136 provide by the statutory auditor the audit firm or entity be part of the network for the benefit of the audit public interest entity its parent company or subsidiary on the basis of contract conclude before the effective date of this act may be provide no long than until 31 december 2017 article 286\n", + "the prohibit service refer to in article 136 provide by the statutory auditor the audit firm or entity be part of the network for the benefit of the audit public interest entity its parent company or subsidiary on kontrakt the basis of contract conclude before the effective date of this act may be provide no long than until 31 december 2017 article 286\n", + "usługa zabronione o których mowa w art 136 świadczone przez biegły rewident firma audytorski lub podmiot należący do sieć na rzecz badany jednostka zainteresowanie publiczny on jednostka dominujący lub jednos teka przez on kontrolowanych na podstawa umowa zawartych przed dzień wejście w żyto niniejszy ustawa móc być świadczone nie długo niż do dzień 31 grudzień 2017 r art 286\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "for each audit the audit firm shall appoint at least one key statutory auditor bear in mind the need to ensure high quality of the audit and fulfil requirement regard independence and competence ensure proper conduct of the audit\n", + "for each audit badanie sprawozdania finansowego the audit firm shall appoint at least one key statutory auditor bear in mind the need to ensure high quality of the audit and fulfil requirement regard independence and competence ensure proper conduct of the audit\n", + "do każdego badanie firma audytorski wyznaczać przynajmniej jeden kluczowy biegły rewident kierować się konieczność zapewnienie wysoki jakość badanie oraz spełnienie wymóg w zakres niezależność i kompetencja umożliwiających właściwy przeprowadzenie badanie\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "for each audit the audit firm shall appoint at least one key statutory auditor bear in mind the need to ensure high quality of the audit and fulfil requirement regard independence and competence ensure proper conduct of the audit\n", + "for each audit biegły rewident the audit firm shall appoint at least one key statutory auditor bear in mind the need to ensure high quality of the audit and fulfil requirement regard independence and competence ensure proper conduct of the audit\n", + "do każdego badanie firma audytorski wyznaczać przynajmniej jeden kluczowy biegły rewident kierować się konieczność zapewnienie wysoki jakość badanie oraz spełnienie wymóg w zakres niezależność i kompetencja umożliwiających właściwy przeprowadzenie badanie\n", + "=====================================================================\n", + "[('independence', 100.0, 649), 100.0, array(['niezależność'], dtype=object)]\n", + "for each audit the audit firm shall appoint at least one key statutory auditor bear in mind the need to ensure high quality of the audit and fulfil requirement regard independence and competence ensure proper conduct of the audit\n", + "for each audit the audit firm shall appoint at least one key statutory auditor bear in niezależność mind the need to ensure high quality of the audit and fulfil requirement regard independence and competence ensure proper conduct of the audit\n", + "do każdego badanie firma audytorski wyznaczać przynajmniej jeden kluczowy biegły rewident kierować się konieczność zapewnienie wysoki jakość badanie oraz spełnienie wymóg w zakres niezależność i kompetencja umożliwiających właściwy przeprowadzenie badanie\n", + "=====================================================================\n", + "[('cost', 100.0, 303), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "research cost be expense in the profit or loss as incurred\n", + "research cost koszt be expense in the profit or loss as incurred\n", + "koszt prace badawczy są ujmowane w zysk lub strata w moment poniesienia\n", + "=====================================================================\n", + "[('cost', 100.0, 324), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "research cost be expense in the profit or loss as incurred\n", + "research cost koszt be expense in the profit or loss as incurred\n", + "koszt prace badawczy są ujmowane w zysk lub strata w moment poniesienia\n", + "=====================================================================\n", + "[('expense', 100.0, 479), 50.0, array(['koszt'], dtype=object)]\n", + "research cost be expense in the profit or loss as incurred\n", + "research cost be expense koszt in the profit or loss as incurred\n", + "koszt prace badawczy są ujmowane w zysk lub strata w moment poniesienia\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 66.66666666666666, array(['strata'], dtype=object)]\n", + "research cost be expense in the profit or loss as incurred\n", + "research cost be expense in the profit or loss strata as incurred\n", + "koszt prace badawczy są ujmowane w zysk lub strata w moment poniesienia\n", + "=====================================================================\n", + "[('profit', 100.0, 898), 57.142857142857146, array(['zysk'], dtype=object)]\n", + "research cost be expense in the profit or loss as incurred\n", + "research cost be expense in the profit zysk or loss as incurred\n", + "koszt prace badawczy są ujmowane w zysk lub strata w moment poniesienia\n", + "=====================================================================\n", + "[('cash', 100.0, 203), 50.0, array(['środki pieniężne'], dtype=object)]\n", + "derivative financial instrument designate as cash flow hedge\n", + "derivative financial instrument designate as środki pieniężne cash flow hedge\n", + "pochodny instrument finansowy wyznaczone w ramy powiązanie zabezpieczający zabezpieczenie przepływ pieniężny\n", + "=====================================================================\n", + "[('derivative', 100.0, 377), 50.0, array(['instrumenty pochodne'], dtype=object)]\n", + "derivative financial instrument designate as cash flow hedge\n", + "derivative instrumenty pochodne financial instrument designate as cash flow hedge\n", + "pochodny instrument finansowy wyznaczone w ramy powiązanie zabezpieczający zabezpieczenie przepływ pieniężny\n", + "=====================================================================\n", + "[('financial instrument', 100.0, 516), 73.33333333333333, array(['instrumenty finansowe'], dtype=object)]\n", + "derivative financial instrument designate as cash flow hedge\n", + "derivative financial instrument instrumenty finansowe designate as cash flow hedge\n", + "pochodny instrument finansowy wyznaczone w ramy powiązanie zabezpieczający zabezpieczenie przepływ pieniężny\n", + "=====================================================================\n", + "[('hedge', 100.0, 600), 44.44444444444444, array(['transakcje zabezpieczające'], dtype=object)]\n", + "derivative financial instrument designate as cash flow hedge\n", + "derivative transakcje zabezpieczające financial instrument designate as cash flow hedge\n", + "pochodny instrument finansowy wyznaczone w ramy powiązanie zabezpieczający zabezpieczenie przepływ pieniężny\n", + "=====================================================================\n", + "[('vat', 100.0, 1156), 50.0, array(['vat'], dtype=object)]\n", + "derivative financial instrument designate as cash flow hedge\n", + "derivative vat financial instrument designate as cash flow hedge\n", + "pochodny instrument finansowy wyznaczone w ramy powiązanie zabezpieczający zabezpieczenie przepływ pieniężny\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 0, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "recognise in profit or loss\n", + "recognise koszty sprzedanych produktów, towarów i materiałów in profit or loss\n", + "ujęte w zysk lub strata\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 50.0, array(['strata'], dtype=object)]\n", + "recognise in profit or loss\n", + "recognise in profit or strata loss\n", + "ujęte w zysk lub strata\n", + "=====================================================================\n", + "[('profit', 100.0, 898), 33.33333333333333, array(['zysk'], dtype=object)]\n", + "recognise in profit or loss\n", + "recognise in profit zysk or loss\n", + "ujęte w zysk lub strata\n", + "=====================================================================\n", + "[('cap', 100.0, 178), 66.66666666666666, array(['dyplomowany księgowy'], dtype=object)]\n", + "the group manage its capital structure and make adjustment to it in response to change in economic condition\n", + "the group manage its capital dyplomowany księgowy structure and make adjustment to it in response to change in economic condition\n", + "grupa zarządzać struktura kapitałowy i w wynik zmiana warunki ekonomiczny wprowadzać do on zmiana\n", + "=====================================================================\n", + "[('economic', 100.0, 433), 100.0, array(['ekonomia'], dtype=object)]\n", + "the group manage its capital structure and make adjustment to it in response to change in economic condition\n", + "the group manage its capital structure and make adjustment to it in response to change in economic ekonomia condition\n", + "grupa zarządzać struktura kapitałowy i w wynik zmiana warunki ekonomiczny wprowadzać do on zmiana\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "the group manage its capital structure and make adjustment to it in response to change in economic condition\n", + "the group grupa kapitałowa manage its capital structure and make adjustment to it in response to change in economic condition\n", + "grupa zarządzać struktura kapitałowy i w wynik zmiana warunki ekonomiczny wprowadzać do on zmiana\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 66.66666666666666, array(['aktywa'], dtype=object)]\n", + "a joint operation be a joint arrangement whereby the party that have joint control of the arrangement joint operator have right to the net asset and obligation for the liability relate to the arrangement\n", + "a aktywa joint operation be a joint arrangement whereby the party that have joint control of the arrangement joint operator have right to the net asset and obligation for the liability relate to the arrangement\n", + "wspólny działanie to rodzaj wspólny ustalenie umowny w którym strona sprawujące współkontrolę mieć prawo do aktywa netto oraz obowiązek wynikające z zobowiązanie tego ustalenie\n", + "=====================================================================\n", + "[('control', 100.0, 289), 85.71428571428571, array(['kontrola '], dtype=object)]\n", + "a joint operation be a joint arrangement whereby the party that have joint control of the arrangement joint operator have right to the net asset and obligation for the liability relate to the arrangement\n", + "a joint operation be a joint arrangement whereby the party that have joint control kontrola of the arrangement joint operator have right to the net asset and obligation for the liability relate to the arrangement\n", + "wspólny działanie to rodzaj wspólny ustalenie umowny w którym strona sprawujące współkontrolę mieć prawo do aktywa netto oraz obowiązek wynikające z zobowiązanie tego ustalenie\n", + "=====================================================================\n", + "[('liability', 100.0, 716), 50.0, array(['zobowiązania'], dtype=object)]\n", + "a joint operation be a joint arrangement whereby the party that have joint control of the arrangement joint operator have right to the net asset and obligation for the liability relate to the arrangement\n", + "a zobowiązania joint operation be a joint arrangement whereby the party that have joint control of the arrangement joint operator have right to the net asset and obligation for the liability relate to the arrangement\n", + "wspólny działanie to rodzaj wspólny ustalenie umowny w którym strona sprawujące współkontrolę mieć prawo do aktywa netto oraz obowiązek wynikające z zobowiązanie tego ustalenie\n", + "=====================================================================\n", + "[('reliability', 90.9090909090909, 959), 50.0, array(['wiarygodność'], dtype=object)]\n", + "a joint operation be a joint arrangement whereby the party that have joint control of the arrangement joint operator have right to the net asset and obligation for the liability relate to the arrangement\n", + "a wiarygodność joint operation be a joint arrangement whereby the party that have joint control of the arrangement joint operator have right to the net asset and obligation for the liability relate to the arrangement\n", + "wspólny działanie to rodzaj wspólny ustalenie umowny w którym strona sprawujące współkontrolę mieć prawo do aktywa netto oraz obowiązek wynikające z zobowiązanie tego ustalenie\n", + "=====================================================================\n", + "[('lap', 100.0, 705), 66.66666666666666, array(['manipulowanie wpływami kasowymi'], dtype=object)]\n", + "should more than 10 year elapse from the date of removal from the register the person refer to in passage 6 and 7 shall subject to renew entry in the register after pass the examination refer to in article 4 passage 2 item 6\n", + "should more than 10 year elapse manipulowanie wpływami kasowymi from the date of removal from the register the person refer to in passage 6 and 7 shall subject to renew entry in the register after pass the examination refer to in article 4 passage 2 item 6\n", + "jeżeli od dzień skreślenie z rejestr upłynąć więcej niż 10 rok osoba o których mowa w ust 6 i 7 móc być po nownie wpisane do rejestr po ponowny złożenie egzamin o których mowa w art 4 ust 2 pkt 6\n", + "=====================================================================\n", + "[('report', 100.0, 963), 66.66666666666666, array(['sprawozdawczość'], dtype=object)]\n", + "report datę for the documentation shall be the datę the termination become effective\n", + "report sprawozdawczość datę for the documentation shall be the datę the termination become effective\n", + "data sprawozdawcza dla takowy dokumentacja to dzienie wejście rozwiązanie w żyto\n", + "=====================================================================\n", + "[('company', 100.0, 245), 50.0, array(['spółka kapitałowa'], dtype=object)]\n", + "as at 31 december 2017 the management board of the company be compose of the follow person\n", + "as at 31 december 2017 the management board of the company spółka kapitałowa be compose of the follow person\n", + "w skład zarząd spółka na dzienie 31 grudzień 2017 rok wchodzić\n", + "=====================================================================\n", + "[('group', 100.0, 593), 100.0, array(['grupa kapitałowa'], dtype=object)]\n", + "the follow table demonstrate sensitivity of the group s profit loss before tax to a reasonably possible change in interest rate with all other variable hold constant in connection with float rate borrowing\n", + "the follow table demonstrate sensitivity of the group grupa kapitałowa s profit loss before tax to a reasonably possible change in interest rate with all other variable hold constant in connection with float rate borrowing\n", + "poniższy tabela przedstawiać wrażliwość zysk strata brutto na racjonalnie możliwy zmiana stopa procentowy przy założenie niezmienność inny czynnik w związek z zobowiązanie o zmienny stopa procentowy\n", + "=====================================================================\n", + "[('interest', 100.0, 664), 66.66666666666666, array(['odsetki'], dtype=object)]\n", + "the follow table demonstrate sensitivity of the group s profit loss before tax to a reasonably possible change in interest rate with all other variable hold constant in connection with float rate borrowing\n", + "the follow table demonstrate sensitivity of the group s odsetki profit loss before tax to a reasonably possible change in interest rate with all other variable hold constant in connection with float rate borrowing\n", + "poniższy tabela przedstawiać wrażliwość zysk strata brutto na racjonalnie możliwy zmiana stopa procentowy przy założenie niezmienność inny czynnik w związek z zobowiązanie o zmienny stopa procentowy\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 100.0, array(['strata'], dtype=object)]\n", + "the follow table demonstrate sensitivity of the group s profit loss before tax to a reasonably possible change in interest rate with all other variable hold constant in connection with float rate borrowing\n", + "the follow table demonstrate sensitivity of the group s strata profit loss before tax to a reasonably possible change in interest rate with all other variable hold constant in connection with float rate borrowing\n", + "poniższy tabela przedstawiać wrażliwość zysk strata brutto na racjonalnie możliwy zmiana stopa procentowy przy założenie niezmienność inny czynnik w związek z zobowiązanie o zmienny stopa procentowy\n", + "=====================================================================\n", + "[('profit', 100.0, 898), 100.0, array(['zysk'], dtype=object)]\n", + "the follow table demonstrate sensitivity of the group s profit loss before tax to a reasonably possible change in interest rate with all other variable hold constant in connection with float rate borrowing\n", + "the follow table demonstrate sensitivity of zysk the group s profit loss before tax to a reasonably possible change in interest rate with all other variable hold constant in connection with float rate borrowing\n", + "poniższy tabela przedstawiać wrażliwość zysk strata brutto na racjonalnie możliwy zmiana stopa procentowy przy założenie niezmienność inny czynnik w związek z zobowiązanie o zmienny stopa procentowy\n", + "=====================================================================\n", + "[('provision', 100.0, 909), 66.66666666666666, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "distribute denial of service ddos an external attack which aim disrupt the provision of electronic service\n", + "distribute denial of service ddos an external attack which aim disrupt the provision rezerwa of electronic service\n", + "atak typ odmowy usługa tzw distributed denial of service atak zewnętrzny który mieć na cel ograniczenie lub uniemożliwienie świadczenie usługi droga elektroniczny\n", + "=====================================================================\n", + "[('provision', 100.0, 911), 66.66666666666666, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "distribute denial of service ddos an external attack which aim disrupt the provision of electronic service\n", + "distribute denial of service ddos an external attack which aim disrupt the provision rezerwa of electronic service\n", + "atak typ odmowy usługa tzw distributed denial of service atak zewnętrzny który mieć na cel ograniczenie lub uniemożliwienie świadczenie usługi droga elektroniczny\n", + "=====================================================================\n", + "[('company', 100.0, 245), 50.0, array(['spółka kapitałowa'], dtype=object)]\n", + "as at 31 december 2017 the management board of the parent company be compose of the follow person\n", + "as at 31 december 2017 the management board of the parent company spółka kapitałowa be compose of the follow person\n", + "w skład zarząd jednostka dominujący na dzienie 31 grudzień 2017 rok wchodzić\n", + "=====================================================================\n", + "[('control', 100.0, 289), 85.71428571428571, array(['kontrola '], dtype=object)]\n", + "the control report shall be sign by the controller\n", + "the control kontrola report shall be sign by the controller\n", + "protokół kontrola podpisywać osoba kontrolujące\n", + "=====================================================================\n", + "[('report', 100.0, 963), 60.0, array(['sprawozdawczość'], dtype=object)]\n", + "the control report shall be sign by the controller\n", + "the control report sprawozdawczość shall be sign by the controller\n", + "protokół kontrola podpisywać osoba kontrolujące\n", + "=====================================================================\n", + "[('company', 100.0, 245), 66.66666666666666, array(['spółka kapitałowa'], dtype=object)]\n", + "the company prepare consolidated financial statement for the year end 31 december 2017 which be authorize for issue on 2018\n", + "the company spółka kapitałowa prepare consolidated financial statement for the year end 31 december 2017 which be authorize for issue on 2018\n", + "spółka sporządzić skonsolidowane sprawozdanie finansowy za rok zakończony dzień 31 grudzień 2017 rok które zostało zatwierdzone do publikacja w dzień 2018 rok\n", + "=====================================================================\n", + "[('financial statement', 100.0, 526), 60.0, array(['sprawozdanie finansowe'], dtype=object)]\n", + "the company prepare consolidated financial statement for the year end 31 december 2017 which be authorize for issue on 2018\n", + "the company prepare consolidated financial statement sprawozdanie finansowe for the year end 31 december 2017 which be authorize for issue on 2018\n", + "spółka sporządzić skonsolidowane sprawozdanie finansowy za rok zakończony dzień 31 grudzień 2017 rok które zostało zatwierdzone do publikacja w dzień 2018 rok\n", + "=====================================================================\n", + "[('year end', 100.0, 1193), 50.0, array(['koniec roku'], dtype=object)]\n", + "the company prepare consolidated financial statement for the year end 31 december 2017 which be authorize for issue on 2018\n", + "the company prepare consolidated financial statement for the year end koniec roku 31 december 2017 which be authorize for issue on 2018\n", + "spółka sporządzić skonsolidowane sprawozdanie finansowy za rok zakończony dzień 31 grudzień 2017 rok które zostało zatwierdzone do publikacja w dzień 2018 rok\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 50.0, array(['aktywa'], dtype=object)]\n", + "deferred tax asset discontinue operation note\n", + "deferred tax asset aktywa discontinue operation note\n", + "aktywa z tytuł podatek odroczonego działalność zaniechana nota\n", + "=====================================================================\n", + "[('continue operation', 100.0, 277), 47.05882352941177, array(['działalność kontynuowana'], dtype=object)]\n", + "deferred tax asset discontinue operation note\n", + "deferred tax asset discontinue operation działalność kontynuowana note\n", + "aktywa z tytuł podatek odroczonego działalność zaniechana nota\n", + "=====================================================================\n", + "[('deferred tax asset', 100.0, 368), 40.0, array(['aktywa z tytułu odroczonego podatku dochodowego'], dtype=object)]\n", + "deferred tax asset discontinue operation note\n", + "deferred tax asset aktywa z tytułu odroczonego podatku dochodowego discontinue operation note\n", + "aktywa z tytuł podatek odroczonego działalność zaniechana nota\n", + "=====================================================================\n", + "[('discontinue operation', 100.0, 389), 46.15384615384615, array(['działalność zaniechana', 'działalność zaniechiwana'], dtype=object)]\n", + "deferred tax asset discontinue operation note\n", + "deferred tax asset discontinue operation działalność zaniechana note\n", + "aktywa z tytuł podatek odroczonego działalność zaniechana nota\n", + "=====================================================================\n", + "[('discontinue operation', 100.0, 390), 46.15384615384615, array(['działalność zaniechana', 'działalność zaniechiwana'], dtype=object)]\n", + "deferred tax asset discontinue operation note\n", + "deferred tax asset discontinue operation działalność zaniechana note\n", + "aktywa z tytuł podatek odroczonego działalność zaniechana nota\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "u of 2016 item 794 and 1948 shall read as follow 2 the audit firm authorise to audit financial statement on the basis of separate regulation\n", + "u badanie sprawozdania finansowego of 2016 item 794 and 1948 shall read as follow 2 the audit firm authorise to audit financial statement on the basis of separate regulation\n", + "u z 2016 r poz 794 i 1948 w art 4 w ust 1 pkt 2 otrzymywać brzmienie 2 firma audytorski uprawniony na podstawa odrębny przepis do badanie sprawozdanie finansowy\n", + "=====================================================================\n", + "[('financial statement', 100.0, 526), 60.0, array(['sprawozdanie finansowe'], dtype=object)]\n", + "u of 2016 item 794 and 1948 shall read as follow 2 the audit firm authorise to audit financial statement on the basis of separate regulation\n", + "u of 2016 item 794 and 1948 shall read as follow 2 the audit firm authorise to audit financial statement sprawozdanie finansowe on the basis of separate regulation\n", + "u z 2016 r poz 794 i 1948 w art 4 w ust 1 pkt 2 otrzymywać brzmienie 2 firma audytorski uprawniony na podstawa odrębny przepis do badanie sprawozdanie finansowy\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 66.66666666666666, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "upon disposal of a foreign self report organizational unit the exchange difference accumulate in equity that relate to the give foreign entity be recognise in the profit or loss\n", + "upon disposal of a foreign self report organizational unit the exchange difference accumulate in equity that relate to the give foreign entity be recognise koszty sprzedanych produktów, towarów i materiałów in the profit or loss\n", + "w moment wyłączenie zagraniczny wewnętrzny jednostka organizacyjny z jednostkowy sprawozdanie finansowy spółka różnica kursowy zakumulowane w kapitała własny dotyczące tej zagraniczny wewnętrzny jednostka są ujmowane w zysk lub strata\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 66.66666666666666, array(['jednostka'], dtype=object)]\n", + "upon disposal of a foreign self report organizational unit the exchange difference accumulate in equity that relate to the give foreign entity be recognise in the profit or loss\n", + "upon disposal of a foreign self report organizational unit the exchange difference accumulate in equity that relate to the give foreign entity jednostka be recognise in the profit or loss\n", + "w moment wyłączenie zagraniczny wewnętrzny jednostka organizacyjny z jednostkowy sprawozdanie finansowy spółka różnica kursowy zakumulowane w kapitała własny dotyczące tej zagraniczny wewnętrzny jednostka są ujmowane w zysk lub strata\n", + "=====================================================================\n", + "[('equity', 100.0, 460), 50.0, array(['kapitał własny'], dtype=object)]\n", + "upon disposal of a foreign self report organizational unit the exchange difference accumulate in equity that relate to the give foreign entity be recognise in the profit or loss\n", + "upon disposal of a foreign self report organizational unit the exchange difference accumulate in equity kapitał własny that relate to the give foreign entity be recognise in the profit or loss\n", + "w moment wyłączenie zagraniczny wewnętrzny jednostka organizacyjny z jednostkowy sprawozdanie finansowy spółka różnica kursowy zakumulowane w kapitała własny dotyczące tej zagraniczny wewnętrzny jednostka są ujmowane w zysk lub strata\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 66.66666666666666, array(['strata'], dtype=object)]\n", + "upon disposal of a foreign self report organizational unit the exchange difference accumulate in equity that relate to the give foreign entity be recognise in the profit or loss\n", + "upon disposal strata of a foreign self report organizational unit the exchange difference accumulate in equity that relate to the give foreign entity be recognise in the profit or loss\n", + "w moment wyłączenie zagraniczny wewnętrzny jednostka organizacyjny z jednostkowy sprawozdanie finansowy spółka różnica kursowy zakumulowane w kapitała własny dotyczące tej zagraniczny wewnętrzny jednostka są ujmowane w zysk lub strata\n", + "=====================================================================\n", + "[('profit', 100.0, 898), 54.54545454545455, array(['zysk'], dtype=object)]\n", + "upon disposal of a foreign self report organizational unit the exchange difference accumulate in equity that relate to the give foreign entity be recognise in the profit or loss\n", + "upon disposal of zysk a foreign self report organizational unit the exchange difference accumulate in equity that relate to the give foreign entity be recognise in the profit or loss\n", + "w moment wyłączenie zagraniczny wewnętrzny jednostka organizacyjny z jednostkowy sprawozdanie finansowy spółka różnica kursowy zakumulowane w kapitała własny dotyczące tej zagraniczny wewnętrzny jednostka są ujmowane w zysk lub strata\n", + "=====================================================================\n", + "[('control', 100.0, 289), 85.71428571428571, array(['kontrola '], dtype=object)]\n", + "in respect of taxable temporary difference associate with investment in subsidiary associate and interest in joint venture except where the timing of the reversal of the temporary difference can be control and it be probable that the temporary difference will not reverse in the foreseeable future\n", + "in respect of taxable temporary difference associate with investment in subsidiary associate and interest in joint venture except where the timing of the reversal of the temporary difference can be control kontrola and it be probable that the temporary difference will not reverse in the foreseeable future\n", + "w przypadek dodatni różnica przejściowy wynikających z inwestycja w jednostka zależny lub stowarzyszony i udział w wspólny przedsięwzięcie z wyjątek sytuacja gdy termin odwracania się różnica przejściowy podlegać kontrola inwestor i gdy prawdopodobny jest iż w dającej się przewidzieć przyszłość różnica przejściowy nie ulec odwrócenie\n", + "=====================================================================\n", + "[('interest', 100.0, 664), 100.0, array(['odsetki'], dtype=object)]\n", + "in respect of taxable temporary difference associate with investment in subsidiary associate and interest in joint venture except where the timing of the reversal of the temporary difference can be control and it be probable that the temporary difference will not reverse in the foreseeable future\n", + "in odsetki respect of taxable temporary difference associate with investment in subsidiary associate and interest in joint venture except where the timing of the reversal of the temporary difference can be control and it be probable that the temporary difference will not reverse in the foreseeable future\n", + "w przypadek dodatni różnica przejściowy wynikających z inwestycja w jednostka zależny lub stowarzyszony i udział w wspólny przedsięwzięcie z wyjątek sytuacja gdy termin odwracania się różnica przejściowy podlegać kontrola inwestor i gdy prawdopodobny jest iż w dającej się przewidzieć przyszłość różnica przejściowy nie ulec odwrócenie\n", + "=====================================================================\n", + "[('subsidiary', 100.0, 1066), 100.0, array(['jednostka zależna'], dtype=object)]\n", + "in respect of taxable temporary difference associate with investment in subsidiary associate and interest in joint venture except where the timing of the reversal of the temporary difference can be control and it be probable that the temporary difference will not reverse in the foreseeable future\n", + "in respect of taxable temporary difference associate with investment in subsidiary jednostka zależna associate and interest in joint venture except where the timing of the reversal of the temporary difference can be control and it be probable that the temporary difference will not reverse in the foreseeable future\n", + "w przypadek dodatni różnica przejściowy wynikających z inwestycja w jednostka zależny lub stowarzyszony i udział w wspólny przedsięwzięcie z wyjątek sytuacja gdy termin odwracania się różnica przejściowy podlegać kontrola inwestor i gdy prawdopodobny jest iż w dającej się przewidzieć przyszłość różnica przejściowy nie ulec odwrócenie\n", + "=====================================================================\n", + "[('temporary difference', 100.0, 1114), 51.851851851851855, array(['różnice przejściowe'], dtype=object)]\n", + "in respect of taxable temporary difference associate with investment in subsidiary associate and interest in joint venture except where the timing of the reversal of the temporary difference can be control and it be probable that the temporary difference will not reverse in the foreseeable future\n", + "in respect of taxable temporary difference różnice przejściowe associate with investment in subsidiary associate and interest in joint venture except where the timing of the reversal of the temporary difference can be control and it be probable that the temporary difference will not reverse in the foreseeable future\n", + "w przypadek dodatni różnica przejściowy wynikających z inwestycja w jednostka zależny lub stowarzyszony i udział w wspólny przedsięwzięcie z wyjątek sytuacja gdy termin odwracania się różnica przejściowy podlegać kontrola inwestor i gdy prawdopodobny jest iż w dającej się przewidzieć przyszłość różnica przejściowy nie ulec odwrócenie\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 66.66666666666666, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the candidate for the statutory auditor shall take the diploma examination conduct by the board after 1 pass the examination refer to in passage 1 2 observe by the board fulfilment of the condition refer to in article 4 passage 2 item 5 or article 4 passage 3 item 1 4\n", + "the candidate for the statutory auditor badanie sprawozdania finansowego shall take the diploma examination conduct by the board after 1 pass the examination refer to in passage 1 2 observe by the board fulfilment of the condition refer to in article 4 passage 2 item 5 or article 4 passage 3 item 1 4\n", + "kandydat na biegły rewident przystępować do egzamin dyplomowy przeprowadzanego przez komisja po 1 złożenie egzamin o których mowa w ust 1 2 stwierdzenie przez komisja spełnienie warunek o którym mowa w art 4 ust 2 pkt 5 albo art 4 ust 3 pkt 1 4\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "the candidate for the statutory auditor shall take the diploma examination conduct by the board after 1 pass the examination refer to in passage 1 2 observe by the board fulfilment of the condition refer to in article 4 passage 2 item 5 or article 4 passage 3 item 1 4\n", + "the candidate for the statutory auditor biegły rewident shall take the diploma examination conduct by the board after 1 pass the examination refer to in passage 1 2 observe by the board fulfilment of the condition refer to in article 4 passage 2 item 5 or article 4 passage 3 item 1 4\n", + "kandydat na biegły rewident przystępować do egzamin dyplomowy przeprowadzanego przez komisja po 1 złożenie egzamin o których mowa w ust 1 2 stwierdzenie przez komisja spełnienie warunek o którym mowa w art 4 ust 2 pkt 5 albo art 4 ust 3 pkt 1 4\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "transfer of the information and document refer to in passage 1 to authorise representative of the competent public oversight authority of the third country may take place in the seat of the audit firm also in the course of the control 4\n", + "transfer of the information and document refer to in passage 1 to authorise representative of the competent public oversight authority of the third country may take place in the seat of the audit badanie sprawozdania finansowego firm also in the course of the control 4\n", + "udzielenie informacja i przekazanie dokument o których mowa w ust 1 upoważnionym przedstawiciel własić ciwego organ nadzór publiczny z państwo trzeci móc odbywać się w siedziba firma audytorski w tym w trakt kontrola 4\n", + "=====================================================================\n", + "[('control', 100.0, 289), 100.0, array(['kontrola '], dtype=object)]\n", + "transfer of the information and document refer to in passage 1 to authorise representative of the competent public oversight authority of the third country may take place in the seat of the audit firm also in the course of the control 4\n", + "transfer of the information and document refer to in passage 1 to authorise representative of the competent public oversight authority of the third country may take place in the seat of the audit firm also in the course of the control kontrola 4\n", + "udzielenie informacja i przekazanie dokument o których mowa w ust 1 upoważnionym przedstawiciel własić ciwego organ nadzór publiczny z państwo trzeci móc odbywać się w siedziba firma audytorski w tym w trakt kontrola 4\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 100.0, array(['nadzór'], dtype=object)]\n", + "transfer of the information and document refer to in passage 1 to authorise representative of the competent public oversight authority of the third country may take place in the seat of the audit firm also in the course of the control 4\n", + "transfer of the information and document refer to in passage 1 to authorise representative of the competent public oversight nadzór authority of the third country may take place in the seat of the audit firm also in the course of the control 4\n", + "udzielenie informacja i przekazanie dokument o których mowa w ust 1 upoważnionym przedstawiciel własić ciwego organ nadzór publiczny z państwo trzeci móc odbywać się w siedziba firma audytorski w tym w trakt kontrola 4\n", + "=====================================================================\n", + "[('company', 100.0, 245), 66.66666666666666, array(['spółka kapitałowa'], dtype=object)]\n", + "the company s policy be to keep the gearing ratio between and\n", + "the company spółka kapitałowa s policy be to keep the gearing ratio between and\n", + "zasada spółka stanowić by wskaźnik ten mieścić się w przedział\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "if applicable the key certified auditor and the audit firm provide the entity comprise the group the follow non audit service that be not disclose in the financial statement or director s report\n", + "if applicable the key certified auditor badanie sprawozdania finansowego and the audit firm provide the entity comprise the group the follow non audit service that be not disclose in the financial statement or director s report\n", + "jeżeli dotyczyć kluczowy biegły rewident i firma audytorski świadczyć na rzecz jednostka wchodzący w skład grupa kapitałowy nisko wymienione usługa niebędące badanie sprawozdanie finansowy które nie zostały ujawnione w skonsolidowanym sprawozdanie finansowy lub sprawozdanie z działalność grupa kapitałowy\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "if applicable the key certified auditor and the audit firm provide the entity comprise the group the follow non audit service that be not disclose in the financial statement or director s report\n", + "if applicable the key certified auditor biegły rewident and the audit firm provide the entity comprise the group the follow non audit service that be not disclose in the financial statement or director s report\n", + "jeżeli dotyczyć kluczowy biegły rewident i firma audytorski świadczyć na rzecz jednostka wchodzący w skład grupa kapitałowy nisko wymienione usługa niebędące badanie sprawozdanie finansowy które nie zostały ujawnione w skonsolidowanym sprawozdanie finansowy lub sprawozdanie z działalność grupa kapitałowy\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 100.0, array(['jednostka'], dtype=object)]\n", + "if applicable the key certified auditor and the audit firm provide the entity comprise the group the follow non audit service that be not disclose in the financial statement or director s report\n", + "if applicable the key certified auditor and the audit firm provide the entity jednostka comprise the group the follow non audit service that be not disclose in the financial statement or director s report\n", + "jeżeli dotyczyć kluczowy biegły rewident i firma audytorski świadczyć na rzecz jednostka wchodzący w skład grupa kapitałowy nisko wymienione usługa niebędące badanie sprawozdanie finansowy które nie zostały ujawnione w skonsolidowanym sprawozdanie finansowy lub sprawozdanie z działalność grupa kapitałowy\n", + "=====================================================================\n", + "[('financial statement', 100.0, 526), 55.55555555555556, array(['sprawozdanie finansowe'], dtype=object)]\n", + "if applicable the key certified auditor and the audit firm provide the entity comprise the group the follow non audit service that be not disclose in the financial statement or director s report\n", + "if applicable the key certified auditor and the audit firm provide the entity comprise the group the follow non audit service that be not disclose in the financial statement sprawozdanie finansowe or director s report\n", + "jeżeli dotyczyć kluczowy biegły rewident i firma audytorski świadczyć na rzecz jednostka wchodzący w skład grupa kapitałowy nisko wymienione usługa niebędące badanie sprawozdanie finansowy które nie zostały ujawnione w skonsolidowanym sprawozdanie finansowy lub sprawozdanie z działalność grupa kapitałowy\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "if applicable the key certified auditor and the audit firm provide the entity comprise the group the follow non audit service that be not disclose in the financial statement or director s report\n", + "if applicable the key certified auditor and the audit firm provide the entity comprise the group grupa kapitałowa the follow non audit service that be not disclose in the financial statement or director s report\n", + "jeżeli dotyczyć kluczowy biegły rewident i firma audytorski świadczyć na rzecz jednostka wchodzący w skład grupa kapitałowy nisko wymienione usługa niebędące badanie sprawozdanie finansowy które nie zostały ujawnione w skonsolidowanym sprawozdanie finansowy lub sprawozdanie z działalność grupa kapitałowy\n", + "=====================================================================\n", + "[('control', 100.0, 289), 85.71428571428571, array(['kontrola '], dtype=object)]\n", + "in such case in order to reflect change in the relative interest in a subsidiary the group adjust the carrying amount of the control and non controlling interest\n", + "in such case in order to reflect change in the relative interest in a subsidiary the group adjust the carrying amount of the control kontrola and non controlling interest\n", + "w takich przypadek w cel odzwierciedlenie zmiana w względny udział w jednostka zależny grupa dokonywać korekta wartość bilansowy udział kontrolujących oraz udział niekontrolujących\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "in such case in order to reflect change in the relative interest in a subsidiary the group adjust the carrying amount of the control and non controlling interest\n", + "in such case in order to reflect change in the relative interest in a subsidiary the group grupa kapitałowa adjust the carrying amount of the control and non controlling interest\n", + "w takich przypadek w cel odzwierciedlenie zmiana w względny udział w jednostka zależny grupa dokonywać korekta wartość bilansowy udział kontrolujących oraz udział niekontrolujących\n", + "=====================================================================\n", + "[('interest', 100.0, 664), 54.54545454545455, array(['odsetki'], dtype=object)]\n", + "in such case in order to reflect change in the relative interest in a subsidiary the group adjust the carrying amount of the control and non controlling interest\n", + "in odsetki such case in order to reflect change in the relative interest in a subsidiary the group adjust the carrying amount of the control and non controlling interest\n", + "w takich przypadek w cel odzwierciedlenie zmiana w względny udział w jednostka zależny grupa dokonywać korekta wartość bilansowy udział kontrolujących oraz udział niekontrolujących\n", + "=====================================================================\n", + "[('subsidiary', 100.0, 1066), 54.54545454545455, array(['jednostka zależna'], dtype=object)]\n", + "in such case in order to reflect change in the relative interest in a subsidiary the group adjust the carrying amount of the control and non controlling interest\n", + "in such case in order to reflect change in the relative interest in a jednostka zależna subsidiary the group adjust the carrying amount of the control and non controlling interest\n", + "w takich przypadek w cel odzwierciedlenie zmiana w względny udział w jednostka zależny grupa dokonywać korekta wartość bilansowy udział kontrolujących oraz udział niekontrolujących\n", + "=====================================================================\n", + "[('cost', 100.0, 303), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "other financial liability which be not financial instrument at fair value through profit or loss be measure at amortised cost use the effective interest rate method\n", + "other financial liability which be not financial instrument at fair value through profit or loss be measure at amortised cost koszt use the effective interest rate method\n", + "inny zobowiązanie finansowy niebędące instrument finansowy wycenianymi w wartość godziwy przez wynik finansowy są wyceniane według zamortyzowanego koszt przy użycie metoda efektywny stopa procentowy\n", + "=====================================================================\n", + "[('cost', 100.0, 324), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "other financial liability which be not financial instrument at fair value through profit or loss be measure at amortised cost use the effective interest rate method\n", + "other financial liability which be not financial instrument at fair value through profit or loss be measure at amortised cost koszt use the effective interest rate method\n", + "inny zobowiązanie finansowy niebędące instrument finansowy wycenianymi w wartość godziwy przez wynik finansowy są wyceniane według zamortyzowanego koszt przy użycie metoda efektywny stopa procentowy\n", + "=====================================================================\n", + "[('fair value', 100.0, 497), 44.44444444444444, array(['wartość godziwa'], dtype=object)]\n", + "other financial liability which be not financial instrument at fair value through profit or loss be measure at amortised cost use the effective interest rate method\n", + "other financial liability which be not financial instrument at fair value wartość godziwa through profit or loss be measure at amortised cost use the effective interest rate method\n", + "inny zobowiązanie finansowy niebędące instrument finansowy wycenianymi w wartość godziwy przez wynik finansowy są wyceniane według zamortyzowanego koszt przy użycie metoda efektywny stopa procentowy\n", + "=====================================================================\n", + "[('financial instrument', 100.0, 516), 72.22222222222223, array(['instrumenty finansowe'], dtype=object)]\n", + "other financial liability which be not financial instrument at fair value through profit or loss be measure at amortised cost use the effective interest rate method\n", + "other financial liability which be not financial instrument instrumenty finansowe at fair value through profit or loss be measure at amortised cost use the effective interest rate method\n", + "inny zobowiązanie finansowy niebędące instrument finansowy wycenianymi w wartość godziwy przez wynik finansowy są wyceniane według zamortyzowanego koszt przy użycie metoda efektywny stopa procentowy\n", + "=====================================================================\n", + "[('interest', 100.0, 664), 66.66666666666666, array(['odsetki'], dtype=object)]\n", + "other financial liability which be not financial instrument at fair value through profit or loss be measure at amortised cost use the effective interest rate method\n", + "other financial liability which be not financial instrument at fair value through profit or loss be measure at amortised cost use the effective interest odsetki rate method\n", + "inny zobowiązanie finansowy niebędące instrument finansowy wycenianymi w wartość godziwy przez wynik finansowy są wyceniane według zamortyzowanego koszt przy użycie metoda efektywny stopa procentowy\n", + "=====================================================================\n", + "[('control', 100.0, 289), 85.71428571428571, array(['kontrola '], dtype=object)]\n", + "we also recommend to consider the use of the saf t with other analytical tool as an element of the internal control environment that could be use for example in order to identify tax risk\n", + "we also recommend to consider the use of the saf t kontrola with other analytical tool as an element of the internal control environment that could be use for example in order to identify tax risk\n", + "rekomendować również rozważenie wykorzystanie plik jpk wraz z posiadanymi narzędzie analityczny jako element kontrola wewnętrzny służący m in identyfikacja ryzyko podatkowy\n", + "=====================================================================\n", + "[('internal control', 100.0, 670), 66.66666666666666, array(['kontrola wewnętrzna'], dtype=object)]\n", + "we also recommend to consider the use of the saf t with other analytical tool as an element of the internal control environment that could be use for example in order to identify tax risk\n", + "we also recommend to consider the use of the saf t with other analytical tool as an element of the internal control kontrola wewnętrzna environment that could be use for example in order to identify tax risk\n", + "rekomendować również rozważenie wykorzystanie plik jpk wraz z posiadanymi narzędzie analityczny jako element kontrola wewnętrzny służący m in identyfikacja ryzyko podatkowy\n", + "=====================================================================\n", + "[('discontinue operation', 95.23809523809524, 389), 46.15384615384615, array(['działalność zaniechana', 'działalność zaniechiwana'], dtype=object)]\n", + "dilute from discontinued operation\n", + "dilute from discontinued działalność zaniechana operation\n", + "rozwodniony a z działalność zaniechanej\n", + "=====================================================================\n", + "[('discontinue operation', 95.23809523809524, 390), 46.15384615384615, array(['działalność zaniechana', 'działalność zaniechiwana'], dtype=object)]\n", + "dilute from discontinued operation\n", + "dilute from discontinued działalność zaniechana operation\n", + "rozwodniony a z działalność zaniechanej\n", + "=====================================================================\n", + "[('continue operation', 94.44444444444444, 277), 46.15384615384615, array(['działalność kontynuowana'], dtype=object)]\n", + "dilute from discontinued operation\n", + "dilute from discontinued działalność kontynuowana operation\n", + "rozwodniony a z działalność zaniechanej\n", + "=====================================================================\n", + "[('impairment', 100.0, 632), 100.0, array(['utrata wartości aktywów'], dtype=object)]\n", + "we recommend to introduce a formalized process of preparation of impairment test that should include all of the key element of the process\n", + "we recommend to introduce a utrata wartości aktywów formalized process of preparation of impairment test that should include all of the key element of the process\n", + "rekomendować wdrożenie sformalizowanego proces dotyczącego przygotowywania test na utrata wartość i obejmującego wszystkie kluczowy element tego proces\n", + "=====================================================================\n", + "[('company', 100.0, 245), 66.66666666666666, array(['spółka kapitałowa'], dtype=object)]\n", + "the average employment in the company in the year end 31 december 2017 and 31 december 2016 be as follow year end 31 december 2017 year end 31 december 2016\n", + "the average employment in the company spółka kapitałowa in the year end 31 december 2017 and 31 december 2016 be as follow year end 31 december 2017 year end 31 december 2016\n", + "przeciętny zatrudnienie w spółce w rok zakończony dzień 31 grudzień 2017 rok oraz 31 grudzień 2016 rok kształtować się następująco rok zakończony 31 grudzień 2017 rok zakończony 31 grudzień 2016\n", + "=====================================================================\n", + "[('year end', 100.0, 1193), 50.0, array(['koniec roku'], dtype=object)]\n", + "the average employment in the company in the year end 31 december 2017 and 31 december 2016 be as follow year end 31 december 2017 year end 31 december 2016\n", + "the average employment in the company in the year end koniec roku 31 december 2017 and 31 december 2016 be as follow year end 31 december 2017 year end 31 december 2016\n", + "przeciętny zatrudnienie w spółce w rok zakończony dzień 31 grudzień 2017 rok oraz 31 grudzień 2016 rok kształtować się następująco rok zakończony 31 grudzień 2017 rok zakończony 31 grudzień 2016\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 66.66666666666666, array(['aktywa'], dtype=object)]\n", + "the major class of asset and liability of zidentyfikować działalność measure at the low of carry amount and fair value less cost to sell as at 31 december 2017 be as follow\n", + "the major class of asset aktywa and liability of zidentyfikować działalność measure at the low of carry amount and fair value less cost to sell as at 31 december 2017 be as follow\n", + "główny klasa aktywa i zobowiązanie zidentyfikować działalność wycenione według wartość niski spośród wartość bilansowy i wartość godziwy pomniejszonej o koszt zbycie na dzienie 31 grudzień 2017 rok przedstawiać się następująco\n", + "=====================================================================\n", + "[('cost', 100.0, 303), 100.0, array(['koszt', 'koszty'], dtype=object)]\n", + "the major class of asset and liability of zidentyfikować działalność measure at the low of carry amount and fair value less cost to sell as at 31 december 2017 be as follow\n", + "the major class of asset and liability of zidentyfikować działalność measure at the low of carry amount and fair value less cost koszt to sell as at 31 december 2017 be as follow\n", + "główny klasa aktywa i zobowiązanie zidentyfikować działalność wycenione według wartość niski spośród wartość bilansowy i wartość godziwy pomniejszonej o koszt zbycie na dzienie 31 grudzień 2017 rok przedstawiać się następująco\n", + "=====================================================================\n", + "[('cost', 100.0, 324), 100.0, array(['koszt', 'koszty'], dtype=object)]\n", + "the major class of asset and liability of zidentyfikować działalność measure at the low of carry amount and fair value less cost to sell as at 31 december 2017 be as follow\n", + "the major class of asset and liability of zidentyfikować działalność measure at the low of carry amount and fair value less cost koszt to sell as at 31 december 2017 be as follow\n", + "główny klasa aktywa i zobowiązanie zidentyfikować działalność wycenione według wartość niski spośród wartość bilansowy i wartość godziwy pomniejszonej o koszt zbycie na dzienie 31 grudzień 2017 rok przedstawiać się następująco\n", + "=====================================================================\n", + "[('fair value', 100.0, 497), 42.857142857142854, array(['wartość godziwa'], dtype=object)]\n", + "the major class of asset and liability of zidentyfikować działalność measure at the low of carry amount and fair value less cost to sell as at 31 december 2017 be as follow\n", + "the major class of asset and liability of zidentyfikować działalność measure at the low of carry amount and fair value wartość godziwa less cost to sell as at 31 december 2017 be as follow\n", + "główny klasa aktywa i zobowiązanie zidentyfikować działalność wycenione według wartość niski spośród wartość bilansowy i wartość godziwy pomniejszonej o koszt zbycie na dzienie 31 grudzień 2017 rok przedstawiać się następująco\n", + "=====================================================================\n", + "[('liability', 100.0, 716), 100.0, array(['zobowiązania'], dtype=object)]\n", + "the major class of asset and liability of zidentyfikować działalność measure at the low of carry amount and fair value less cost to sell as at 31 december 2017 be as follow\n", + "the major class of asset and liability zobowiązania of zidentyfikować działalność measure at the low of carry amount and fair value less cost to sell as at 31 december 2017 be as follow\n", + "główny klasa aktywa i zobowiązanie zidentyfikować działalność wycenione według wartość niski spośród wartość bilansowy i wartość godziwy pomniejszonej o koszt zbycie na dzienie 31 grudzień 2017 rok przedstawiać się następująco\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the statute of the polish chamber of statutory auditors approve by the audit oversight commission shall determine 1 manner of establishment scope of activity and organisational structure include operation of regional branch of the polish chamber of statutory auditors 2 mode of activity and manner of financing of the polish chamber of statutory auditors 3 manner of submit of declaration of will on behalf of the polish chamber of statutory auditors within the scope not regulate in the act\n", + "the statute of the polish chamber of statutory auditors badanie sprawozdania finansowego approve by the audit oversight commission shall determine 1 manner of establishment scope of activity and organisational structure include operation of regional branch of the polish chamber of statutory auditors 2 mode of activity and manner of financing of the polish chamber of statutory auditors 3 manner of submit of declaration of will on behalf of the polish chamber of statutory auditors within the scope not regulate in the act\n", + "statut polski izba biegły rewident zatwierdzany przez komisja nadzór audytowy określać 1 tryba tworzenie zakres działanie oraz struktura organizacyjny w tym funkcjonowanie regionalny oddział polski izba biegły rewident 2 tryba działanie oraz sposób finansowania polski izba biegły rewident 3 sposób składania oświadczenie wole w imię polski izba biegły rewident w zakres nieuregulowanym w niniejszy ustawa\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 76.92307692307692, array(['biegły rewident'], dtype=object)]\n", + "the statute of the polish chamber of statutory auditors approve by the audit oversight commission shall determine 1 manner of establishment scope of activity and organisational structure include operation of regional branch of the polish chamber of statutory auditors 2 mode of activity and manner of financing of the polish chamber of statutory auditors 3 manner of submit of declaration of will on behalf of the polish chamber of statutory auditors within the scope not regulate in the act\n", + "the statute of the polish chamber of statutory auditors biegły rewident approve by the audit oversight commission shall determine 1 manner of establishment scope of activity and organisational structure include operation of regional branch of the polish chamber of statutory auditors 2 mode of activity and manner of financing of the polish chamber of statutory auditors 3 manner of submit of declaration of will on behalf of the polish chamber of statutory auditors within the scope not regulate in the act\n", + "statut polski izba biegły rewident zatwierdzany przez komisja nadzór audytowy określać 1 tryba tworzenie zakres działanie oraz struktura organizacyjny w tym funkcjonowanie regionalny oddział polski izba biegły rewident 2 tryba działanie oraz sposób finansowania polski izba biegły rewident 3 sposób składania oświadczenie wole w imię polski izba biegły rewident w zakres nieuregulowanym w niniejszy ustawa\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 61.53846153846154, array(['prowizje'], dtype=object)]\n", + "the statute of the polish chamber of statutory auditors approve by the audit oversight commission shall determine 1 manner of establishment scope of activity and organisational structure include operation of regional branch of the polish chamber of statutory auditors 2 mode of activity and manner of financing of the polish chamber of statutory auditors 3 manner of submit of declaration of will on behalf of the polish chamber of statutory auditors within the scope not regulate in the act\n", + "the statute of the polish chamber of statutory auditors approve by the audit oversight commission prowizje shall determine 1 manner of establishment scope of activity and organisational structure include operation of regional branch of the polish chamber of statutory auditors 2 mode of activity and manner of financing of the polish chamber of statutory auditors 3 manner of submit of declaration of will on behalf of the polish chamber of statutory auditors within the scope not regulate in the act\n", + "statut polski izba biegły rewident zatwierdzany przez komisja nadzór audytowy określać 1 tryba tworzenie zakres działanie oraz struktura organizacyjny w tym funkcjonowanie regionalny oddział polski izba biegły rewident 2 tryba działanie oraz sposób finansowania polski izba biegły rewident 3 sposób składania oświadczenie wole w imię polski izba biegły rewident w zakres nieuregulowanym w niniejszy ustawa\n", + "=====================================================================\n", + "[('isa', 100.0, 628), 80.0, array(['międzynarodowe standardy rewizji finansowej'], dtype=object)]\n", + "the statute of the polish chamber of statutory auditors approve by the audit oversight commission shall determine 1 manner of establishment scope of activity and organisational structure include operation of regional branch of the polish chamber of statutory auditors 2 mode of activity and manner of financing of the polish chamber of statutory auditors 3 manner of submit of declaration of will on behalf of the polish chamber of statutory auditors within the scope not regulate in the act\n", + "the statute of the polish chamber of statutory auditors approve by the audit oversight commission shall determine 1 manner of establishment scope of activity and organisational międzynarodowe standardy rewizji finansowej structure include operation of regional branch of the polish chamber of statutory auditors 2 mode of activity and manner of financing of the polish chamber of statutory auditors 3 manner of submit of declaration of will on behalf of the polish chamber of statutory auditors within the scope not regulate in the act\n", + "statut polski izba biegły rewident zatwierdzany przez komisja nadzór audytowy określać 1 tryba tworzenie zakres działanie oraz struktura organizacyjny w tym funkcjonowanie regionalny oddział polski izba biegły rewident 2 tryba działanie oraz sposób finansowania polski izba biegły rewident 3 sposób składania oświadczenie wole w imię polski izba biegły rewident w zakres nieuregulowanym w niniejszy ustawa\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 57.142857142857146, array(['nadzór'], dtype=object)]\n", + "the statute of the polish chamber of statutory auditors approve by the audit oversight commission shall determine 1 manner of establishment scope of activity and organisational structure include operation of regional branch of the polish chamber of statutory auditors 2 mode of activity and manner of financing of the polish chamber of statutory auditors 3 manner of submit of declaration of will on behalf of the polish chamber of statutory auditors within the scope not regulate in the act\n", + "the statute of the polish chamber of statutory auditors approve by the audit oversight nadzór commission shall determine 1 manner of establishment scope of activity and organisational structure include operation of regional branch of the polish chamber of statutory auditors 2 mode of activity and manner of financing of the polish chamber of statutory auditors 3 manner of submit of declaration of will on behalf of the polish chamber of statutory auditors within the scope not regulate in the act\n", + "statut polski izba biegły rewident zatwierdzany przez komisja nadzór audytowy określać 1 tryba tworzenie zakres działanie oraz struktura organizacyjny w tym funkcjonowanie regionalny oddział polski izba biegły rewident 2 tryba działanie oraz sposób finansowania polski izba biegły rewident 3 sposób składania oświadczenie wole w imię polski izba biegły rewident w zakres nieuregulowanym w niniejszy ustawa\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 40.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the national disciplinary court shall issue decision with respect to disciplinary responsibility of the statutory auditor\n", + "the national disciplinary court shall issue decision with badanie sprawozdania finansowego respect to disciplinary responsibility of the statutory auditor\n", + "krajowy sąd dyscyplinarny orzeka w sprawa odpowiedzialność dyscyplinarny biegły rewident\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 50.0, array(['biegły rewident'], dtype=object)]\n", + "the national disciplinary court shall issue decision with respect to disciplinary responsibility of the statutory auditor\n", + "the national disciplinary court shall issue decision with respect to biegły rewident disciplinary responsibility of the statutory auditor\n", + "krajowy sąd dyscyplinarny orzeka w sprawa odpowiedzialność dyscyplinarny biegły rewident\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "compliance with the original document of copy extract of excerpt of document shall be confirm by the control audit firm or a person authorise thereby\n", + "compliance with the original document of copy extract of excerpt of document shall be confirm by the control audit badanie sprawozdania finansowego firm or a person authorise thereby\n", + "zgodność z oryginał kopia odpis lub wyciąg z dokument potwierdzać kontrolowany firma audytorski lub upoważniona przez on osoba\n", + "=====================================================================\n", + "[('control', 100.0, 289), 100.0, array(['kontrola '], dtype=object)]\n", + "compliance with the original document of copy extract of excerpt of document shall be confirm by the control audit firm or a person authorise thereby\n", + "compliance with the original document of copy extract of excerpt of document shall be confirm by the control kontrola audit firm or a person authorise thereby\n", + "zgodność z oryginał kopia odpis lub wyciąg z dokument potwierdzać kontrolowany firma audytorski lub upoważniona przez on osoba\n", + "=====================================================================\n", + "[('erp', 100.0, 413), 66.66666666666666, array(['planowanie zasobów przedsiębiorstwa'], dtype=object)]\n", + "compliance with the original document of copy extract of excerpt of document shall be confirm by the control audit firm or a person authorise thereby\n", + "compliance with the original document of copy extract of excerpt planowanie zasobów przedsiębiorstwa of document shall be confirm by the control audit firm or a person authorise thereby\n", + "zgodność z oryginał kopia odpis lub wyciąg z dokument potwierdzać kontrolowany firma audytorski lub upoważniona przez on osoba\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "the group perform test for impairment of property plant and equipment\n", + "the group grupa kapitałowa perform test for impairment of property plant and equipment\n", + "grupa przeprowadzić test na utrata wartość środki trwały\n", + "=====================================================================\n", + "[('impairment', 100.0, 632), 57.142857142857146, array(['utrata wartości aktywów'], dtype=object)]\n", + "the group perform test for impairment of property plant and equipment\n", + "the group perform test for impairment utrata wartości aktywów of property plant and equipment\n", + "grupa przeprowadzić test na utrata wartość środki trwały\n", + "=====================================================================\n", + "[('property plant and equipment', 96.55172413793103, 906), 43.47826086956522, array(['środki trwałe'], dtype=object)]\n", + "the group perform test for impairment of property plant and equipment\n", + "the group perform test for impairment of property plant and środki trwałe equipment\n", + "grupa przeprowadzić test na utrata wartość środki trwały\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 66.66666666666666, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "b in accordance with ias 39 upon initial recognition it be designate as at fair value through profit or loss\n", + "b in accordance with ias 39 upon initial recognition koszty sprzedanych produktów, towarów i materiałów it be designate as at fair value through profit or loss\n", + "b został zgodnie z msr 39 wyznaczony do tej kategoria w moment początkowy ujęcie\n", + "=====================================================================\n", + "[('fair value', 100.0, 497), 36.36363636363637, array(['wartość godziwa'], dtype=object)]\n", + "b in accordance with ias 39 upon initial recognition it be designate as at fair value through profit or loss\n", + "b in accordance with ias 39 upon initial recognition it be designate as at fair value wartość godziwa through profit or loss\n", + "b został zgodnie z msr 39 wyznaczony do tej kategoria w moment początkowy ujęcie\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 57.142857142857146, array(['strata'], dtype=object)]\n", + "b in accordance with ias 39 upon initial recognition it be designate as at fair value through profit or loss\n", + "b in accordance with ias 39 upon initial recognition it be designate as strata at fair value through profit or loss\n", + "b został zgodnie z msr 39 wyznaczony do tej kategoria w moment początkowy ujęcie\n", + "=====================================================================\n", + "[('profit', 100.0, 898), 50.0, array(['zysk'], dtype=object)]\n", + "b in accordance with ias 39 upon initial recognition it be designate as at fair value through profit or loss\n", + "b in accordance with ias 39 upon initial recognition it zysk be designate as at fair value through profit or loss\n", + "b został zgodnie z msr 39 wyznaczony do tej kategoria w moment początkowy ujęcie\n", + "=====================================================================\n", + "[('par value', 88.88888888888889, 850), 40.0, array(['wartość nominalna'], dtype=object)]\n", + "b in accordance with ias 39 upon initial recognition it be designate as at fair value through profit or loss\n", + "b in accordance with ias 39 upon initial recognition it be designate as at fair value wartość nominalna through profit or loss\n", + "b został zgodnie z msr 39 wyznaczony do tej kategoria w moment początkowy ujęcie\n", + "=====================================================================\n", + "[('cash', 100.0, 203), 66.66666666666666, array(['środki pieniężne'], dtype=object)]\n", + "proceed from sale of a subsidiary net of cash sell\n", + "proceed from sale of a środki pieniężne subsidiary net of cash sell\n", + "sprzedaż jednostka zależny po potrącenie zbytych środki pieniężny\n", + "=====================================================================\n", + "[('sale', 100.0, 1000), 75.0, array(['sprzedaż'], dtype=object)]\n", + "proceed from sale of a subsidiary net of cash sell\n", + "proceed from sale sprzedaż of a subsidiary net of cash sell\n", + "sprzedaż jednostka zależny po potrącenie zbytych środki pieniężny\n", + "=====================================================================\n", + "[('subsidiary', 100.0, 1066), 40.0, array(['jednostka zależna'], dtype=object)]\n", + "proceed from sale of a subsidiary net of cash sell\n", + "proceed from sale of a jednostka zależna subsidiary net of cash sell\n", + "sprzedaż jednostka zależny po potrącenie zbytych środki pieniężny\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 60.0, array(['aktywa'], dtype=object)]\n", + "lease where the group do not transfer you all the risk and benefit of ownership of the asset be classify as operating lease\n", + "lease where the group do not transfer you all the risk and benefit of ownership of the asset aktywa be classify as operating lease\n", + "umowa leasingowy zgodnie z którymi grupa zachowywać zasadniczo cały ryzyka i wszystkie pożytek wynikające z posiadanie przedmiot leasing zaliczane są do umowa leasing operacyjny\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "lease where the group do not transfer you all the risk and benefit of ownership of the asset be classify as operating lease\n", + "lease where the group grupa kapitałowa do not transfer you all the risk and benefit of ownership of the asset be classify as operating lease\n", + "umowa leasingowy zgodnie z którymi grupa zachowywać zasadniczo cały ryzyka i wszystkie pożytek wynikające z posiadanie przedmiot leasing zaliczane są do umowa leasing operacyjny\n", + "=====================================================================\n", + "[('lease', 100.0, 709), 88.88888888888889, array(['leasing'], dtype=object)]\n", + "lease where the group do not transfer you all the risk and benefit of ownership of the asset be classify as operating lease\n", + "lease leasing where the group do not transfer you all the risk and benefit of ownership of the asset be classify as operating lease\n", + "umowa leasingowy zgodnie z którymi grupa zachowywać zasadniczo cały ryzyka i wszystkie pożytek wynikające z posiadanie przedmiot leasing zaliczane są do umowa leasing operacyjny\n", + "=====================================================================\n", + "[('company', 100.0, 245), 100.0, array(['spółka kapitałowa'], dtype=object)]\n", + "the level of voluntary turnover at company employ at least 1 000 people at business service center in poland be somewhat high than for other entity voluntary turnover level business service center overall company whose center employ at least 1 000 people over 20 17 20 11 20 52 57 1 10 29 23 less than 1 2 0 table 7 structure of voluntary turnover levels at business services center in poland source absl s own study n 192 company employ 125 000 people business services in poland trend challenges direction for growth the business service sector be one of the most dynamically develop industry in poland\n", + "the level of voluntary turnover at company spółka kapitałowa employ at least 1 000 people at business service center in poland be somewhat high than for other entity voluntary turnover level business service center overall company whose center employ at least 1 000 people over 20 17 20 11 20 52 57 1 10 29 23 less than 1 2 0 table 7 structure of voluntary turnover levels at business services center in poland source absl s own study n 192 company employ 125 000 people business services in poland trend challenges direction for growth the business service sector be one of the most dynamically develop industry in poland\n", + "wartość poziom rotacja dobrowolny w firma zatrudniających w centrum w polska co mało 1 tys osoba jest nieco wysoki niż w pozostały podmiot poziom rotacja dobrowolny centra usługi ogółem firma zatrudniające w swoich centrum co mało 1 000 osoba ponad 20 17 20 11 20 52 57 1 10 29 23 poniżej 1 2 0 tabela 7 struktura poziomu rotacji dobrowolny w centrum usług w polsce źródło opracowanie własny absl n 192 firma zatrudniające 125 tys osoba usługa biznesowy w polsce trend wyzwanie kierunek rozwój branża nowoczesny usługi dla biznes to jeden z szybko rozwijających się sektor w polska\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 100.0, array(['jednostka'], dtype=object)]\n", + "the level of voluntary turnover at company employ at least 1 000 people at business service center in poland be somewhat high than for other entity voluntary turnover level business service center overall company whose center employ at least 1 000 people over 20 17 20 11 20 52 57 1 10 29 23 less than 1 2 0 table 7 structure of voluntary turnover levels at business services center in poland source absl s own study n 192 company employ 125 000 people business services in poland trend challenges direction for growth the business service sector be one of the most dynamically develop industry in poland\n", + "the level of voluntary turnover at company employ at least 1 000 people at business service center in poland be somewhat high than for other entity jednostka voluntary turnover level business service center overall company whose center employ at least 1 000 people over 20 17 20 11 20 52 57 1 10 29 23 less than 1 2 0 table 7 structure of voluntary turnover levels at business services center in poland source absl s own study n 192 company employ 125 000 people business services in poland trend challenges direction for growth the business service sector be one of the most dynamically develop industry in poland\n", + "wartość poziom rotacja dobrowolny w firma zatrudniających w centrum w polska co mało 1 tys osoba jest nieco wysoki niż w pozostały podmiot poziom rotacja dobrowolny centra usługi ogółem firma zatrudniające w swoich centrum co mało 1 000 osoba ponad 20 17 20 11 20 52 57 1 10 29 23 poniżej 1 2 0 tabela 7 struktura poziomu rotacji dobrowolny w centrum usług w polsce źródło opracowanie własny absl n 192 firma zatrudniające 125 tys osoba usługa biznesowy w polsce trend wyzwanie kierunek rozwój branża nowoczesny usługi dla biznes to jeden z szybko rozwijających się sektor w polska\n", + "=====================================================================\n", + "[('turnover', 100.0, 1138), 100.0, array(['obrót'], dtype=object)]\n", + "the level of voluntary turnover at company employ at least 1 000 people at business service center in poland be somewhat high than for other entity voluntary turnover level business service center overall company whose center employ at least 1 000 people over 20 17 20 11 20 52 57 1 10 29 23 less than 1 2 0 table 7 structure of voluntary turnover levels at business services center in poland source absl s own study n 192 company employ 125 000 people business services in poland trend challenges direction for growth the business service sector be one of the most dynamically develop industry in poland\n", + "the level of voluntary turnover obrót at company employ at least 1 000 people at business service center in poland be somewhat high than for other entity voluntary turnover level business service center overall company whose center employ at least 1 000 people over 20 17 20 11 20 52 57 1 10 29 23 less than 1 2 0 table 7 structure of voluntary turnover levels at business services center in poland source absl s own study n 192 company employ 125 000 people business services in poland trend challenges direction for growth the business service sector be one of the most dynamically develop industry in poland\n", + "wartość poziom rotacja dobrowolny w firma zatrudniających w centrum w polska co mało 1 tys osoba jest nieco wysoki niż w pozostały podmiot poziom rotacja dobrowolny centra usługi ogółem firma zatrudniające w swoich centrum co mało 1 000 osoba ponad 20 17 20 11 20 52 57 1 10 29 23 poniżej 1 2 0 tabela 7 struktura poziomu rotacji dobrowolny w centrum usług w polsce źródło opracowanie własny absl n 192 firma zatrudniające 125 tys osoba usługa biznesowy w polsce trend wyzwanie kierunek rozwój branża nowoczesny usługi dla biznes to jeden z szybko rozwijających się sektor w polska\n", + "=====================================================================\n", + "[('fair value', 100.0, 497), 42.857142857142854, array(['wartość godziwa'], dtype=object)]\n", + "the hierarchy of re measurement to fair value have be present in note of the explanatory note to these financial statement\n", + "the hierarchy of re measurement to fair value wartość godziwa have be present in note of the explanatory note to these financial statement\n", + "hierarchia wycena do wartość godziwy została przedstawiona w nota dodatkowy nota objaśniający sprawozdanie finansowy\n", + "=====================================================================\n", + "[('financial statement', 100.0, 526), 50.0, array(['sprawozdanie finansowe'], dtype=object)]\n", + "the hierarchy of re measurement to fair value have be present in note of the explanatory note to these financial statement\n", + "the hierarchy of re measurement to fair value have be present in note of the explanatory note to these financial sprawozdanie finansowe statement\n", + "hierarchia wycena do wartość godziwy została przedstawiona w nota dodatkowy nota objaśniający sprawozdanie finansowy\n", + "=====================================================================\n", + "[('note', 100.0, 791), 85.71428571428571, array(['informacja dodatkowa'], dtype=object)]\n", + "the hierarchy of re measurement to fair value have be present in note of the explanatory note to these financial statement\n", + "the hierarchy of re measurement to fair value have be present in note informacja dodatkowa of the explanatory note to these financial statement\n", + "hierarchia wycena do wartość godziwy została przedstawiona w nota dodatkowy nota objaśniający sprawozdanie finansowy\n", + "=====================================================================\n", + "[('spread financial statement', 91.66666666666667, 1039), 51.42857142857143, array(['ujednolicanie sprawozdań finansowych'], dtype=object)]\n", + "the hierarchy of re measurement to fair value have be present in note of the explanatory note to these financial statement\n", + "the hierarchy of re measurement to fair value have be present in note of the explanatory note to these financial ujednolicanie sprawozdań finansowych statement\n", + "hierarchia wycena do wartość godziwy została przedstawiona w nota dodatkowy nota objaśniający sprawozdanie finansowy\n", + "=====================================================================\n", + "[('condense financial statement', 90.19607843137254, 258), 42.10526315789474, array(['skondensowane sprawozdanie finansowe'], dtype=object)]\n", + "the hierarchy of re measurement to fair value have be present in note of the explanatory note to these financial statement\n", + "the hierarchy of re measurement to fair value have be present in note of the explanatory note to these financial skondensowane sprawozdanie finansowe statement\n", + "hierarchia wycena do wartość godziwy została przedstawiona w nota dodatkowy nota objaśniający sprawozdanie finansowy\n", + "=====================================================================\n", + "[('discount', 100.0, 391), 100.0, array(['rabat'], dtype=object)]\n", + "the discount rate for the residual value be usually determine separately and differ from market discount rate\n", + "the discount rabat rate for the residual value be usually determine separately and differ from market discount rate\n", + "stopa dyskonto wartość końcowy jest zwykle ustalana oddzielnie i różnić się od stopa dyskontowy\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 100.0, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "the company trade only with recognise creditworthy third party\n", + "the company trade only with recognise koszty sprzedanych produktów, towarów i materiałów creditworthy third party\n", + "spółka zawierać transakcja wyłącznie z renomowany firma o dobry zdolność kredytowy\n", + "=====================================================================\n", + "[('company', 100.0, 245), 100.0, array(['spółka kapitałowa'], dtype=object)]\n", + "the company trade only with recognise creditworthy third party\n", + "the company spółka kapitałowa trade only with recognise creditworthy third party\n", + "spółka zawierać transakcja wyłącznie z renomowany firma o dobry zdolność kredytowy\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the audit report shall be prepare base on the audit file collect and prepare by the key statutory auditor in the course of the audit\n", + "the audit badanie sprawozdania finansowego report shall be prepare base on the audit file collect and prepare by the key statutory auditor in the course of the audit\n", + "sprawozdanie z badanie jest sporządzane w oparcie o akt badanie zgromadzone i opracowane przez klu czowego biegły rewident w tok badanie\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "the audit report shall be prepare base on the audit file collect and prepare by the key statutory auditor in the course of the audit\n", + "the audit biegły rewident report shall be prepare base on the audit file collect and prepare by the key statutory auditor in the course of the audit\n", + "sprawozdanie z badanie jest sporządzane w oparcie o akt badanie zgromadzone i opracowane przez klu czowego biegły rewident w tok badanie\n", + "=====================================================================\n", + "[('report', 100.0, 963), 100.0, array(['sprawozdawczość'], dtype=object)]\n", + "the audit report shall be prepare base on the audit file collect and prepare by the key statutory auditor in the course of the audit\n", + "the audit report sprawozdawczość shall be prepare base on the audit file collect and prepare by the key statutory auditor in the course of the audit\n", + "sprawozdanie z badanie jest sporządzane w oparcie o akt badanie zgromadzone i opracowane przez klu czowego biegły rewident w tok badanie\n", + "=====================================================================\n", + "[('comprehensive income', 100.0, 253), 42.857142857142854, array(['zysk całkowity'], dtype=object)]\n", + "consolidated statement of comprehensive income\n", + "consolidated statement of comprehensive zysk całkowity income\n", + "skonsolidowane sprawozdanie z całkowity dochód\n", + "=====================================================================\n", + "[('income', 100.0, 638), 50.0, array(['zysk'], dtype=object)]\n", + "consolidated statement of comprehensive income\n", + "consolidated statement of comprehensive zysk income\n", + "skonsolidowane sprawozdanie z całkowity dochód\n", + "=====================================================================\n", + "[('fee income', 88.88888888888889, 500), 35.294117647058826, array(['przychody z opłat'], dtype=object)]\n", + "consolidated statement of comprehensive income\n", + "consolidated statement of comprehensive przychody z opłat income\n", + "skonsolidowane sprawozdanie z całkowity dochód\n", + "=====================================================================\n", + "[('cost', 100.0, 303), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "borrowing cost include interest calculate use the effective interest rate finance charge under finance lease agreement and foreign exchange gain or loss arise from borrow cost to the extent they be regard as an adjustment to interest expense\n", + "borrowing cost koszt include interest calculate use the effective interest rate finance charge under finance lease agreement and foreign exchange gain or loss arise from borrow cost to the extent they be regard as an adjustment to interest expense\n", + "na koszt finansowania zewnętrzny składać się odsetka wyliczone przy zastosowanie metoda efektywny stopa procentowy obciążenie finansowy z tytuł umowa leasing finansowy oraz różnica kursowy powstawać w związek z finansowaniem zewnętrzny do wysokość odpowiadającej korekta koszt odsetka\n", + "=====================================================================\n", + "[('cost', 100.0, 324), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "borrowing cost include interest calculate use the effective interest rate finance charge under finance lease agreement and foreign exchange gain or loss arise from borrow cost to the extent they be regard as an adjustment to interest expense\n", + "borrowing cost koszt include interest calculate use the effective interest rate finance charge under finance lease agreement and foreign exchange gain or loss arise from borrow cost to the extent they be regard as an adjustment to interest expense\n", + "na koszt finansowania zewnętrzny składać się odsetka wyliczone przy zastosowanie metoda efektywny stopa procentowy obciążenie finansowy z tytuł umowa leasing finansowy oraz różnica kursowy powstawać w związek z finansowaniem zewnętrzny do wysokość odpowiadającej korekta koszt odsetka\n", + "=====================================================================\n", + "[('expense', 100.0, 479), 54.54545454545455, array(['koszt'], dtype=object)]\n", + "borrowing cost include interest calculate use the effective interest rate finance charge under finance lease agreement and foreign exchange gain or loss arise from borrow cost to the extent they be regard as an adjustment to interest expense\n", + "borrowing cost include interest calculate use koszt the effective interest rate finance charge under finance lease agreement and foreign exchange gain or loss arise from borrow cost to the extent they be regard as an adjustment to interest expense\n", + "na koszt finansowania zewnętrzny składać się odsetka wyliczone przy zastosowanie metoda efektywny stopa procentowy obciążenie finansowy z tytuł umowa leasing finansowy oraz różnica kursowy powstawać w związek z finansowaniem zewnętrzny do wysokość odpowiadającej korekta koszt odsetka\n", + "=====================================================================\n", + "[('interest', 100.0, 664), 57.142857142857146, array(['odsetki'], dtype=object)]\n", + "borrowing cost include interest calculate use the effective interest rate finance charge under finance lease agreement and foreign exchange gain or loss arise from borrow cost to the extent they be regard as an adjustment to interest expense\n", + "borrowing cost include interest odsetki calculate use the effective interest rate finance charge under finance lease agreement and foreign exchange gain or loss arise from borrow cost to the extent they be regard as an adjustment to interest expense\n", + "na koszt finansowania zewnętrzny składać się odsetka wyliczone przy zastosowanie metoda efektywny stopa procentowy obciążenie finansowy z tytuł umowa leasing finansowy oraz różnica kursowy powstawać w związek z finansowaniem zewnętrzny do wysokość odpowiadającej korekta koszt odsetka\n", + "=====================================================================\n", + "[('lease', 100.0, 709), 88.88888888888889, array(['leasing'], dtype=object)]\n", + "borrowing cost include interest calculate use the effective interest rate finance charge under finance lease agreement and foreign exchange gain or loss arise from borrow cost to the extent they be regard as an adjustment to interest expense\n", + "borrowing cost include interest calculate use the effective interest rate finance charge under finance lease leasing agreement and foreign exchange gain or loss arise from borrow cost to the extent they be regard as an adjustment to interest expense\n", + "na koszt finansowania zewnętrzny składać się odsetka wyliczone przy zastosowanie metoda efektywny stopa procentowy obciążenie finansowy z tytuł umowa leasing finansowy oraz różnica kursowy powstawać w związek z finansowaniem zewnętrzny do wysokość odpowiadającej korekta koszt odsetka\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 57.142857142857146, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the amount of the fee mention in passage 1 shall be determine through a resolution by the national council of statutory auditors\n", + "the amount of the fee mention in passage 1 shall be determine through a badanie sprawozdania finansowego resolution by the national council of statutory auditors\n", + "wysokość opłata o której mowa w ust 1 określać w forma uchwała krajowy rado biegły rewident\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "the amount of the fee mention in passage 1 shall be determine through a resolution by the national council of statutory auditors\n", + "the amount of the fee mention in passage 1 shall be determine through a biegły rewident resolution by the national council of statutory auditors\n", + "wysokość opłata o której mowa w ust 1 określać w forma uchwała krajowy rado biegły rewident\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "review the key area of intragroup settlement that on the basis of a simplified report attach to the cit return would identify and raise interest from tax authority and then strengthen the documentation in those area\n", + "review the key area of intragroup grupa kapitałowa settlement that on the basis of a simplified report attach to the cit return would identify and raise interest from tax authority and then strengthen the documentation in those area\n", + "przegląd kluczowy obszar wewnątrzgrupowych rozliczenie które na podstawa uproszczonego raport dołączonego do deklaracja cit zidentyfikować obszar zainteresowanie organy kontrola skarbowy a następnie wzmocnienie dokumentacja w tym zakres\n", + "=====================================================================\n", + "[('interest', 100.0, 664), 87.5, array(['odsetki'], dtype=object)]\n", + "review the key area of intragroup settlement that on the basis of a simplified report attach to the cit return would identify and raise interest from tax authority and then strengthen the documentation in those area\n", + "review the key area of intragroup settlement that on the basis of a simplified report attach to the cit return would identify and raise interest odsetki from tax authority and then strengthen the documentation in those area\n", + "przegląd kluczowy obszar wewnątrzgrupowych rozliczenie które na podstawa uproszczonego raport dołączonego do deklaracja cit zidentyfikować obszar zainteresowanie organy kontrola skarbowy a następnie wzmocnienie dokumentacja w tym zakres\n", + "=====================================================================\n", + "[('report', 100.0, 963), 83.33333333333333, array(['sprawozdawczość'], dtype=object)]\n", + "review the key area of intragroup settlement that on the basis of a simplified report attach to the cit return would identify and raise interest from tax authority and then strengthen the documentation in those area\n", + "review the key area of intragroup settlement that on the basis of a simplified report sprawozdawczość attach to the cit return would identify and raise interest from tax authority and then strengthen the documentation in those area\n", + "przegląd kluczowy obszar wewnątrzgrupowych rozliczenie które na podstawa uproszczonego raport dołączonego do deklaracja cit zidentyfikować obszar zainteresowanie organy kontrola skarbowy a następnie wzmocnienie dokumentacja w tym zakres\n", + "=====================================================================\n", + "[('vie', 100.0, 1157), 80.0, array(['podmiot o zmiennych udziałach'], dtype=object)]\n", + "review the key area of intragroup settlement that on the basis of a simplified report attach to the cit return would identify and raise interest from tax authority and then strengthen the documentation in those area\n", + "review podmiot o zmiennych udziałach the key area of intragroup settlement that on the basis of a simplified report attach to the cit return would identify and raise interest from tax authority and then strengthen the documentation in those area\n", + "przegląd kluczowy obszar wewnątrzgrupowych rozliczenie które na podstawa uproszczonego raport dołączonego do deklaracja cit zidentyfikować obszar zainteresowanie organy kontrola skarbowy a następnie wzmocnienie dokumentacja w tym zakres\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 50.0, array(['strata'], dtype=object)]\n", + "gain loss from invest activity\n", + "gain loss strata from invest activity\n", + "zysk strata na działalność inwestycyjny\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "recently there have be more threat from organised crime group seek illegal recovery of vat\n", + "recently there have be more threat from organised crime group grupa kapitałowa seek illegal recovery of vat\n", + "w ostatni czas można zauważyć nasilające się zagrożenie związane z wyłudzaniem podatek vat przez zorganizowane grupa przestępczy\n", + "=====================================================================\n", + "[('vat', 100.0, 1156), 100.0, array(['vat'], dtype=object)]\n", + "recently there have be more threat from organised crime group seek illegal recovery of vat\n", + "recently there have be more threat vat from organised crime group seek illegal recovery of vat\n", + "w ostatni czas można zauważyć nasilające się zagrożenie związane z wyłudzaniem podatek vat przez zorganizowane grupa przestępczy\n", + "=====================================================================\n", + "[('company', 100.0, 245), 46.15384615384615, array(['spółka kapitałowa'], dtype=object)]\n", + "in addition the company will implement change in classification of certain financial instrument\n", + "in addition the company spółka kapitałowa will implement change in classification of certain financial instrument\n", + "ponadto w wynik zastosowanie mssf 9 zmienić się klasyfikacja niektórych instrument finansowy\n", + "=====================================================================\n", + "[('financial instrument', 100.0, 516), 72.72727272727272, array(['instrumenty finansowe'], dtype=object)]\n", + "in addition the company will implement change in classification of certain financial instrument\n", + "in addition the company will implement change in classification of certain financial instrumenty finansowe instrument\n", + "ponadto w wynik zastosowanie mssf 9 zmienić się klasyfikacja niektórych instrument finansowy\n", + "=====================================================================\n", + "[('group', 100.0, 593), 100.0, array(['grupa kapitałowa'], dtype=object)]\n", + "for management purpose the group be divide into segment base on the manufacture product or render service\n", + "for management purpose the group grupa kapitałowa be divide into segment base on the manufacture product or render service\n", + "dla cel zarządczy grupa została podzielona na część w oparcie o wytwarzane produkt i świadczone usługa\n", + "=====================================================================\n", + "[('disclosure', 100.0, 388), 66.66666666666666, array(['ujawnianie informacji finansowych'], dtype=object)]\n", + "the obligation of secrecy cover all information or document obtain or develop in connection with perform public oversight whose disclosure would compromise legally protect interest of entity or person whom this information or these document directly or indirectly relate to or would hinder performance of public oversight as well as information or document protect on the basis of separate regulation\n", + "the obligation of secrecy cover all information or document obtain or develop in connection with perform public oversight whose disclosure ujawnianie informacji finansowych would compromise legally protect interest of entity or person whom this information or these document directly or indirectly relate to or would hinder performance of public oversight as well as information or document protect on the basis of separate regulation\n", + "tajemnica objęte są wszystkie uzyskane lub wytworzone w związek z sprawowanie nadzór publiczny infor macje lub dokument których udostępnienie móc naruszyć chroniony prawo interes podmiot lub osoba których te informacja lub dokument bezpośrednio lub pośrednio dotyczyć lub utrudnić sprawowanie nadzór publiczny jak rów nież informacja lub dokument chronione na podstawa odrębny przepis\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 66.66666666666666, array(['jednostka'], dtype=object)]\n", + "the obligation of secrecy cover all information or document obtain or develop in connection with perform public oversight whose disclosure would compromise legally protect interest of entity or person whom this information or these document directly or indirectly relate to or would hinder performance of public oversight as well as information or document protect on the basis of separate regulation\n", + "the obligation of secrecy cover all information or document obtain or develop in connection with perform public oversight whose disclosure would compromise legally protect interest of entity jednostka or person whom this information or these document directly or indirectly relate to or would hinder performance of public oversight as well as information or document protect on the basis of separate regulation\n", + "tajemnica objęte są wszystkie uzyskane lub wytworzone w związek z sprawowanie nadzór publiczny infor macje lub dokument których udostępnienie móc naruszyć chroniony prawo interes podmiot lub osoba których te informacja lub dokument bezpośrednio lub pośrednio dotyczyć lub utrudnić sprawowanie nadzór publiczny jak rów nież informacja lub dokument chronione na podstawa odrębny przepis\n", + "=====================================================================\n", + "[('interest', 100.0, 664), 100.0, array(['odsetki'], dtype=object)]\n", + "the obligation of secrecy cover all information or document obtain or develop in connection with perform public oversight whose disclosure would compromise legally protect interest of entity or person whom this information or these document directly or indirectly relate to or would hinder performance of public oversight as well as information or document protect on the basis of separate regulation\n", + "the obligation of secrecy cover all information or document obtain or develop in odsetki connection with perform public oversight whose disclosure would compromise legally protect interest of entity or person whom this information or these document directly or indirectly relate to or would hinder performance of public oversight as well as information or document protect on the basis of separate regulation\n", + "tajemnica objęte są wszystkie uzyskane lub wytworzone w związek z sprawowanie nadzór publiczny infor macje lub dokument których udostępnienie móc naruszyć chroniony prawo interes podmiot lub osoba których te informacja lub dokument bezpośrednio lub pośrednio dotyczyć lub utrudnić sprawowanie nadzór publiczny jak rów nież informacja lub dokument chronione na podstawa odrębny przepis\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 66.66666666666666, array(['nadzór'], dtype=object)]\n", + "the obligation of secrecy cover all information or document obtain or develop in connection with perform public oversight whose disclosure would compromise legally protect interest of entity or person whom this information or these document directly or indirectly relate to or would hinder performance of public oversight as well as information or document protect on the basis of separate regulation\n", + "the obligation of secrecy cover all information or document obtain or develop in connection with perform public oversight nadzór whose disclosure would compromise legally protect interest of entity or person whom this information or these document directly or indirectly relate to or would hinder performance of public oversight as well as information or document protect on the basis of separate regulation\n", + "tajemnica objęte są wszystkie uzyskane lub wytworzone w związek z sprawowanie nadzór publiczny infor macje lub dokument których udostępnienie móc naruszyć chroniony prawo interes podmiot lub osoba których te informacja lub dokument bezpośrednio lub pośrednio dotyczyć lub utrudnić sprawowanie nadzór publiczny jak rów nież informacja lub dokument chronione na podstawa odrębny przepis\n", + "=====================================================================\n", + "[('budget', 100.0, 168), 83.33333333333333, array(['budżet'], dtype=object)]\n", + "the recoverable amount of the unit a have be determine base on a value in use calculate use the cash flow projection for 5 year financial budget approve by senior management\n", + "the recoverable amount of the unit a have be determine base on a value in use calculate use the cash flow projection for 5 year financial budget budżet approve by senior management\n", + "wartość odzyskiwalny ośrodek a została ustalona na podstawa wartość użytkowy skalkulowanej na bazia prognoza przepływ środki pieniężny opartej na zatwierdzonych przez wysoki kadra kierowniczą budżet finansowy obejmujących pięcioletni okres\n", + "=====================================================================\n", + "[('cash', 100.0, 203), 100.0, array(['środki pieniężne'], dtype=object)]\n", + "the recoverable amount of the unit a have be determine base on a value in use calculate use the cash flow projection for 5 year financial budget approve by senior management\n", + "the recoverable amount of the unit a środki pieniężne have be determine base on a value in use calculate use the cash flow projection for 5 year financial budget approve by senior management\n", + "wartość odzyskiwalny ośrodek a została ustalona na podstawa wartość użytkowy skalkulowanej na bazia prognoza przepływ środki pieniężny opartej na zatwierdzonych przez wysoki kadra kierowniczą budżet finansowy obejmujących pięcioletni okres\n", + "=====================================================================\n", + "[('cash flow projection', 100.0, 209), 47.05882352941177, array(['projekcja przepływu środków pieniężnych'], dtype=object)]\n", + "the recoverable amount of the unit a have be determine base on a value in use calculate use the cash flow projection for 5 year financial budget approve by senior management\n", + "the recoverable amount of the unit a have be determine base on a value in use calculate use the cash flow projection projekcja przepływu środków pieniężnych for 5 year financial budget approve by senior management\n", + "wartość odzyskiwalny ośrodek a została ustalona na podstawa wartość użytkowy skalkulowanej na bazia prognoza przepływ środki pieniężny opartej na zatwierdzonych przez wysoki kadra kierowniczą budżet finansowy obejmujących pięcioletni okres\n", + "=====================================================================\n", + "[('recoverable amount', 100.0, 947), 50.0, array(['wartość odzyskiwalna'], dtype=object)]\n", + "the recoverable amount of the unit a have be determine base on a value in use calculate use the cash flow projection for 5 year financial budget approve by senior management\n", + "the recoverable amount wartość odzyskiwalna of the unit a have be determine base on a value in use calculate use the cash flow projection for 5 year financial budget approve by senior management\n", + "wartość odzyskiwalny ośrodek a została ustalona na podstawa wartość użytkowy skalkulowanej na bazia prognoza przepływ środki pieniężny opartej na zatwierdzonych przez wysoki kadra kierowniczą budżet finansowy obejmujących pięcioletni okres\n", + "=====================================================================\n", + "[('value in use', 100.0, 1161), 50.0, array(['wartość użytkowa'], dtype=object)]\n", + "the recoverable amount of the unit a have be determine base on a value in use calculate use the cash flow projection for 5 year financial budget approve by senior management\n", + "the recoverable amount of the unit a have be determine base on a value in use wartość użytkowa calculate use the cash flow projection for 5 year financial budget approve by senior management\n", + "wartość odzyskiwalny ośrodek a została ustalona na podstawa wartość użytkowy skalkulowanej na bazia prognoza przepływ środki pieniężny opartej na zatwierdzonych przez wysoki kadra kierowniczą budżet finansowy obejmujących pięcioletni okres\n", + "=====================================================================\n", + "[('financial statement', 100.0, 526), 62.5, array(['sprawozdanie finansowe'], dtype=object)]\n", + "polish zloty be the functional and presentation currency of these financial statement\n", + "polish zloty be the functional and presentation currency of these financial sprawozdanie finansowe statement\n", + "waluta funkcjonalny spółka i waluta sprawozdawczą niniejszy sprawozdanie finansowy jest pln\n", + "=====================================================================\n", + "[('spread financial statement', 91.66666666666667, 1039), 53.333333333333336, array(['ujednolicanie sprawozdań finansowych'], dtype=object)]\n", + "polish zloty be the functional and presentation currency of these financial statement\n", + "polish zloty be the functional and presentation currency of these financial ujednolicanie sprawozdań finansowych statement\n", + "waluta funkcjonalny spółka i waluta sprawozdawczą niniejszy sprawozdanie finansowy jest pln\n", + "=====================================================================\n", + "[('condense financial statement', 90.19607843137254, 258), 54.166666666666664, array(['skondensowane sprawozdanie finansowe'], dtype=object)]\n", + "polish zloty be the functional and presentation currency of these financial statement\n", + "polish zloty be the functional and presentation currency of these financial skondensowane sprawozdanie finansowe statement\n", + "waluta funkcjonalny spółka i waluta sprawozdawczą niniejszy sprawozdanie finansowy jest pln\n", + "=====================================================================\n", + "[('restatement', 90.0, 972), 75.0, array(['korekty poprzedniego okresu'], dtype=object)]\n", + "polish zloty be the functional and presentation currency of these financial statement\n", + "polish zloty be the korekty poprzedniego okresu functional and presentation currency of these financial statement\n", + "waluta funkcjonalny spółka i waluta sprawozdawczą niniejszy sprawozdanie finansowy jest pln\n", + "=====================================================================\n", + "[('acquisition', 100.0, 67), 66.66666666666666, array(['nabycie przedsiębiorstwa'], dtype=object)]\n", + "fair value at acquisition date\n", + "fair value at acquisition nabycie przedsiębiorstwa date\n", + "wartość godziwy na dzienie przejęcie\n", + "=====================================================================\n", + "[('fair value', 100.0, 497), 35.294117647058826, array(['wartość godziwa'], dtype=object)]\n", + "fair value at acquisition date\n", + "fair value wartość godziwa at acquisition date\n", + "wartość godziwy na dzienie przejęcie\n", + "=====================================================================\n", + "[('par value', 88.88888888888889, 850), 37.5, array(['wartość nominalna'], dtype=object)]\n", + "fair value at acquisition date\n", + "fair value wartość nominalna at acquisition date\n", + "wartość godziwy na dzienie przejęcie\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 66.66666666666666, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "a natural person authorise to pursue the profession of statutory auditor in the third country may also be enter in the register upon the principle of reciprocation on the condition of compliance with requirement regard professional qualification in line with the condition determine by the act or equivalent condition and after pass before the board the examination on polish economic law in the polish language within a scope necessary to perform audit activity\n", + "a badanie sprawozdania finansowego natural person authorise to pursue the profession of statutory auditor in the third country may also be enter in the register upon the principle of reciprocation on the condition of compliance with requirement regard professional qualification in line with the condition determine by the act or equivalent condition and after pass before the board the examination on polish economic law in the polish language within a scope necessary to perform audit activity\n", + "do rejestr móc być wpisana na zasada wzajemność osoba fizyczny która posiadać uprawnienie do przepro wadzania obowiązkowy badanie sprawozdanie finansowy uzyskane w państwo trzeci jeżeli spełniać wymaganie w zakres kwalifikacje zawodowy zgodny z warunki określony w niniejszy ustawa lub równoważny oraz złożyć przed komisja egzamin w język polski z prawo gospodarczy obowiązujący w rzeczypospolitej polski w zakre sie zbędny do wykonywania badanie sprawozdanie finansowy\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 66.66666666666666, array(['biegły rewident'], dtype=object)]\n", + "a natural person authorise to pursue the profession of statutory auditor in the third country may also be enter in the register upon the principle of reciprocation on the condition of compliance with requirement regard professional qualification in line with the condition determine by the act or equivalent condition and after pass before the board the examination on polish economic law in the polish language within a scope necessary to perform audit activity\n", + "a biegły rewident natural person authorise to pursue the profession of statutory auditor in the third country may also be enter in the register upon the principle of reciprocation on the condition of compliance with requirement regard professional qualification in line with the condition determine by the act or equivalent condition and after pass before the board the examination on polish economic law in the polish language within a scope necessary to perform audit activity\n", + "do rejestr móc być wpisana na zasada wzajemność osoba fizyczny która posiadać uprawnienie do przepro wadzania obowiązkowy badanie sprawozdanie finansowy uzyskane w państwo trzeci jeżeli spełniać wymaganie w zakres kwalifikacje zawodowy zgodny z warunki określony w niniejszy ustawa lub równoważny oraz złożyć przed komisja egzamin w język polski z prawo gospodarczy obowiązujący w rzeczypospolitej polski w zakre sie zbędny do wykonywania badanie sprawozdanie finansowy\n", + "=====================================================================\n", + "[('economic', 100.0, 433), 66.66666666666666, array(['ekonomia'], dtype=object)]\n", + "a natural person authorise to pursue the profession of statutory auditor in the third country may also be enter in the register upon the principle of reciprocation on the condition of compliance with requirement regard professional qualification in line with the condition determine by the act or equivalent condition and after pass before the board the examination on polish economic law in the polish language within a scope necessary to perform audit activity\n", + "a natural person authorise to pursue the profession of statutory auditor in the third country may also be enter in the register upon the principle of reciprocation on ekonomia the condition of compliance with requirement regard professional qualification in line with the condition determine by the act or equivalent condition and after pass before the board the examination on polish economic law in the polish language within a scope necessary to perform audit activity\n", + "do rejestr móc być wpisana na zasada wzajemność osoba fizyczny która posiadać uprawnienie do przepro wadzania obowiązkowy badanie sprawozdanie finansowy uzyskane w państwo trzeci jeżeli spełniać wymaganie w zakres kwalifikacje zawodowy zgodny z warunki określony w niniejszy ustawa lub równoważny oraz złożyć przed komisja egzamin w język polski z prawo gospodarczy obowiązujący w rzeczypospolitej polski w zakre sie zbędny do wykonywania badanie sprawozdanie finansowy\n", + "=====================================================================\n", + "[('qualification', 100.0, 927), 66.66666666666666, array(['kwalifikacje zawodowe'], dtype=object)]\n", + "a natural person authorise to pursue the profession of statutory auditor in the third country may also be enter in the register upon the principle of reciprocation on the condition of compliance with requirement regard professional qualification in line with the condition determine by the act or equivalent condition and after pass before the board the examination on polish economic law in the polish language within a scope necessary to perform audit activity\n", + "a kwalifikacje zawodowe natural person authorise to pursue the profession of statutory auditor in the third country may also be enter in the register upon the principle of reciprocation on the condition of compliance with requirement regard professional qualification in line with the condition determine by the act or equivalent condition and after pass before the board the examination on polish economic law in the polish language within a scope necessary to perform audit activity\n", + "do rejestr móc być wpisana na zasada wzajemność osoba fizyczny która posiadać uprawnienie do przepro wadzania obowiązkowy badanie sprawozdanie finansowy uzyskane w państwo trzeci jeżeli spełniać wymaganie w zakres kwalifikacje zawodowy zgodny z warunki określony w niniejszy ustawa lub równoważny oraz złożyć przed komisja egzamin w język polski z prawo gospodarczy obowiązujący w rzeczypospolitej polski w zakre sie zbędny do wykonywania badanie sprawozdanie finansowy\n", + "=====================================================================\n", + "[('control', 100.0, 289), 85.71428571428571, array(['kontrola '], dtype=object)]\n", + "the ad hoc nsc control shall be conduct by inspector of the national supervisory committee on the basis of personal authorisation\n", + "the ad hoc nsc control kontrola shall be conduct by inspector of the national supervisory committee on the basis of personal authorisation\n", + "kontrola doraźny kkn jest prowadzony przez kontroler krajowy komisja nadzór na podstawa imienny upoważnienie\n", + "=====================================================================\n", + "[('isa', 100.0, 628), 66.66666666666666, array(['międzynarodowe standardy rewizji finansowej'], dtype=object)]\n", + "the ad hoc nsc control shall be conduct by inspector of the national supervisory committee on the basis of personal authorisation\n", + "the ad hoc nsc control shall be conduct by inspector of the national supervisory committee on the basis międzynarodowe standardy rewizji finansowej of personal authorisation\n", + "kontrola doraźny kkn jest prowadzony przez kontroler krajowy komisja nadzór na podstawa imienny upoważnienie\n", + "=====================================================================\n", + "[('gaa', 100.0, 563), 50.0, array(['światowe stowarzyszenie organizacji księgowych'], dtype=object)]\n", + "the new provision also allow the taxpayer to obtain secure opinion before apply the gaar\n", + "the new provision also światowe stowarzyszenie organizacji księgowych allow the taxpayer to obtain secure opinion before apply the gaar\n", + "nowy przepis umożliwiać też podatnik uzyskanie opinia zabezpieczający przed zastosowanie klauzula\n", + "=====================================================================\n", + "[('provision', 100.0, 909), 61.53846153846154, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "the new provision also allow the taxpayer to obtain secure opinion before apply the gaar\n", + "the new provision rezerwa also allow the taxpayer to obtain secure opinion before apply the gaar\n", + "nowy przepis umożliwiać też podatnik uzyskanie opinia zabezpieczający przed zastosowanie klauzula\n", + "=====================================================================\n", + "[('provision', 100.0, 911), 61.53846153846154, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "the new provision also allow the taxpayer to obtain secure opinion before apply the gaar\n", + "the new provision rezerwa also allow the taxpayer to obtain secure opinion before apply the gaar\n", + "nowy przepis umożliwiać też podatnik uzyskanie opinia zabezpieczający przed zastosowanie klauzula\n", + "=====================================================================\n", + "[('cost', 100.0, 303), 100.0, array(['koszt', 'koszty'], dtype=object)]\n", + "investor in the business service sector will be oblige to incur eligible cost in the order of from pln 2 million to 20 million in the case of county where the unemployment rate be below 60 of the national average\n", + "investor in the business service sector will be oblige to incur eligible cost koszt in the order of from pln 2 million to 20 million in the case of county where the unemployment rate be below 60 of the national average\n", + "inwestor w sektor usługi nowoczesny być zobli gowani do poniesienia koszt kwalifikowany rząd od 2 mln pln do 20 mln pln w przypadek powiat o stopa bezrobocie poniżej 60 średni krajowy\n", + "=====================================================================\n", + "[('cost', 100.0, 324), 100.0, array(['koszt', 'koszty'], dtype=object)]\n", + "investor in the business service sector will be oblige to incur eligible cost in the order of from pln 2 million to 20 million in the case of county where the unemployment rate be below 60 of the national average\n", + "investor in the business service sector will be oblige to incur eligible cost koszt in the order of from pln 2 million to 20 million in the case of county where the unemployment rate be below 60 of the national average\n", + "inwestor w sektor usługi nowoczesny być zobli gowani do poniesienia koszt kwalifikowany rząd od 2 mln pln do 20 mln pln w przypadek powiat o stopa bezrobocie poniżej 60 średni krajowy\n", + "=====================================================================\n", + "[('foreign operation', 100.0, 543), 44.44444444444444, array(['przedsięwzięcia zagraniczne'], dtype=object)]\n", + "hedges of a net investment in a foreign operation\n", + "hedges of a net investment in a foreign przedsięwzięcia zagraniczne operation\n", + "zabezpieczenie udział w aktywa netto w podmiot zagraniczny\n", + "=====================================================================\n", + "[('hedge', 100.0, 600), 44.44444444444444, array(['transakcje zabezpieczające'], dtype=object)]\n", + "hedges of a net investment in a foreign operation\n", + "hedges transakcje zabezpieczające of a net investment in a foreign operation\n", + "zabezpieczenie udział w aktywa netto w podmiot zagraniczny\n", + "=====================================================================\n", + "[('company', 100.0, 245), 100.0, array(['spółka kapitałowa'], dtype=object)]\n", + "furthermore 43 of all the company survey list ukrainians at the top of the three large group of foreigner\n", + "furthermore 43 of all the company spółka kapitałowa survey list ukrainians at the top of the three large group of foreigner\n", + "co dużo ukrainiec zostali wymie nieni w groń trzy wielki grupa obcokrajowiec przez 43 ogół badany firma\n", + "=====================================================================\n", + "[('group', 100.0, 593), 85.71428571428571, array(['grupa kapitałowa'], dtype=object)]\n", + "furthermore 43 of all the company survey list ukrainians at the top of the three large group of foreigner\n", + "furthermore 43 of all the company survey list ukrainians at the top of the three large group grupa kapitałowa of foreigner\n", + "co dużo ukrainiec zostali wymie nieni w groń trzy wielki grupa obcokrajowiec przez 43 ogół badany firma\n", + "=====================================================================\n", + "[('ppe', 100.0, 844), 66.66666666666666, array(['środki trwałe'], dtype=object)]\n", + "when we analyze the value of the location quotient as an indication of a regional focus of each location it appear to be the high for kraków and wrocław\n", + "when we analyze the value of the location quotient as an indication of a regional focus of each location it appear środki trwałe to be the high for kraków and wrocław\n", + "analiza wartość iloraz lokalizacja lq jako wskaźnik specjalizacja lokalny wybrany ośrodek wskazywać że jest on zdecydowanie wysoki w kraków i wrocław\n", + "=====================================================================\n", + "[('c a', 100.0, 176), 66.66666666666666, array(['dyplomowany biegły rewident'], dtype=object)]\n", + "consistency in case of reporting prepare for capital group inconsistency may be identify in the area of financial ratio use to measure the specific area of non financial reporting\n", + "consistency in case of reporting prepare for capital group inconsistency may be identify in the area of financial ratio use to measure the specific area dyplomowany biegły rewident of non financial reporting\n", + "spójność w przypadek raportowania w imię grupa kapitałowy móc ujawnić się niespójność związana z wskaźnik jakimi mierzone są obszar raportowania finansowy\n", + "=====================================================================\n", + "[('cap', 100.0, 178), 66.66666666666666, array(['dyplomowany księgowy'], dtype=object)]\n", + "consistency in case of reporting prepare for capital group inconsistency may be identify in the area of financial ratio use to measure the specific area of non financial reporting\n", + "consistency in case of reporting prepare for capital dyplomowany księgowy group inconsistency may be identify in the area of financial ratio use to measure the specific area of non financial reporting\n", + "spójność w przypadek raportowania w imię grupa kapitałowy móc ujawnić się niespójność związana z wskaźnik jakimi mierzone są obszar raportowania finansowy\n", + "=====================================================================\n", + "[('consistency', 100.0, 265), 66.66666666666666, array(['ciągłość'], dtype=object)]\n", + "consistency in case of reporting prepare for capital group inconsistency may be identify in the area of financial ratio use to measure the specific area of non financial reporting\n", + "consistency ciągłość in case of reporting prepare for capital group inconsistency may be identify in the area of financial ratio use to measure the specific area of non financial reporting\n", + "spójność w przypadek raportowania w imię grupa kapitałowy móc ujawnić się niespójność związana z wskaźnik jakimi mierzone są obszar raportowania finansowy\n", + "=====================================================================\n", + "[('financial reporting', 100.0, 519), 52.17391304347826, array(['sprawozdawczość finansowa'], dtype=object)]\n", + "consistency in case of reporting prepare for capital group inconsistency may be identify in the area of financial ratio use to measure the specific area of non financial reporting\n", + "consistency in case of reporting sprawozdawczość finansowa prepare for capital group inconsistency may be identify in the area of financial ratio use to measure the specific area of non financial reporting\n", + "spójność w przypadek raportowania w imię grupa kapitałowy móc ujawnić się niespójność związana z wskaźnik jakimi mierzone są obszar raportowania finansowy\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "consistency in case of reporting prepare for capital group inconsistency may be identify in the area of financial ratio use to measure the specific area of non financial reporting\n", + "consistency in case of reporting prepare for capital group grupa kapitałowa inconsistency may be identify in the area of financial ratio use to measure the specific area of non financial reporting\n", + "spójność w przypadek raportowania w imię grupa kapitałowy móc ujawnić się niespójność związana z wskaźnik jakimi mierzone są obszar raportowania finansowy\n", + "=====================================================================\n", + "[('earning', 100.0, 419), 0, array(['zysk'], dtype=object)]\n", + "retain earning\n", + "retain zysk earning\n", + "zysk zatrzymany\n", + "=====================================================================\n", + "[('retain earning', 100.0, 976), 0, array(['zysk z lat ubiegłych'], dtype=object)]\n", + "retain earning\n", + "retain earning zysk z lat ubiegłych \n", + "zysk zatrzymany\n", + "=====================================================================\n", + "[('control', 100.0, 289), 100.0, array(['kontrola '], dtype=object)]\n", + "the controller may be exclude also in the case of observe other reason that could create doubt as to his her impartiality\n", + "the controller kontrola may be exclude also in the case of observe other reason that could create doubt as to his her impartiality\n", + "osoba kontrolująca móc być wyłączona również w przypadek stwierdzenie inny przyczyna które móc wy wołać wątpliwość co do on bezstronność\n", + "=====================================================================\n", + "[('comprehensive income', 100.0, 253), 55.172413793103445, array(['zysk całkowity'], dtype=object)]\n", + "the expense relate to any provision be present in the income statement statement of comprehensive income net of any reimbursement\n", + "the expense relate to any provision be present in the income statement statement of comprehensive income zysk całkowity net of any reimbursement\n", + "koszt dotyczące dany rezerwa są wykazane w rachunek zysk i strat sprawozdanie z całkowity dochód po pomniejszenie o wszelkie zwrot\n", + "=====================================================================\n", + "[('expense', 100.0, 479), 54.54545454545455, array(['koszt'], dtype=object)]\n", + "the expense relate to any provision be present in the income statement statement of comprehensive income net of any reimbursement\n", + "the expense koszt relate to any provision be present in the income statement statement of comprehensive income net of any reimbursement\n", + "koszt dotyczące dany rezerwa są wykazane w rachunek zysk i strat sprawozdanie z całkowity dochód po pomniejszenie o wszelkie zwrot\n", + "=====================================================================\n", + "[('income', 100.0, 638), 100.0, array(['zysk'], dtype=object)]\n", + "the expense relate to any provision be present in the income statement statement of comprehensive income net of any reimbursement\n", + "the expense relate to any provision be present in zysk the income statement statement of comprehensive income net of any reimbursement\n", + "koszt dotyczące dany rezerwa są wykazane w rachunek zysk i strat sprawozdanie z całkowity dochód po pomniejszenie o wszelkie zwrot\n", + "=====================================================================\n", + "[('income statement', 100.0, 640), 71.42857142857143, array(['rachunek zysków i strat'], dtype=object)]\n", + "the expense relate to any provision be present in the income statement statement of comprehensive income net of any reimbursement\n", + "the expense relate to any provision be present in the income statement rachunek zysków i strat statement of comprehensive income net of any reimbursement\n", + "koszt dotyczące dany rezerwa są wykazane w rachunek zysk i strat sprawozdanie z całkowity dochód po pomniejszenie o wszelkie zwrot\n", + "=====================================================================\n", + "[('provision', 100.0, 909), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "the expense relate to any provision be present in the income statement statement of comprehensive income net of any reimbursement\n", + "the expense relate to any provision rezerwa be present in the income statement statement of comprehensive income net of any reimbursement\n", + "koszt dotyczące dany rezerwa są wykazane w rachunek zysk i strat sprawozdanie z całkowity dochód po pomniejszenie o wszelkie zwrot\n", + "=====================================================================\n", + "[('account', 100.0, 13), 50.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the company decide to use a practical expedient and for trade receivables due in up to 12 month do not account for significant financing component\n", + "the company decide to use a konto practical expedient and for trade receivables due in up to 12 month do not account for significant financing component\n", + "spółka korzysta z praktyczny zwolnienie i dla należność handlowy poniżej 12 miesiąc nie identyfikować istotny elementy finansowania\n", + "=====================================================================\n", + "[('account', 100.0, 25), 50.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the company decide to use a practical expedient and for trade receivables due in up to 12 month do not account for significant financing component\n", + "the company decide to use a konto practical expedient and for trade receivables due in up to 12 month do not account for significant financing component\n", + "spółka korzysta z praktyczny zwolnienie i dla należność handlowy poniżej 12 miesiąc nie identyfikować istotny elementy finansowania\n", + "=====================================================================\n", + "[('account', 100.0, 57), 50.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the company decide to use a practical expedient and for trade receivables due in up to 12 month do not account for significant financing component\n", + "the company decide to use a konto practical expedient and for trade receivables due in up to 12 month do not account for significant financing component\n", + "spółka korzysta z praktyczny zwolnienie i dla należność handlowy poniżej 12 miesiąc nie identyfikować istotny elementy finansowania\n", + "=====================================================================\n", + "[('company', 100.0, 245), 54.54545454545455, array(['spółka kapitałowa'], dtype=object)]\n", + "the company decide to use a practical expedient and for trade receivables due in up to 12 month do not account for significant financing component\n", + "the company spółka kapitałowa decide to use a practical expedient and for trade receivables due in up to 12 month do not account for significant financing component\n", + "spółka korzysta z praktyczny zwolnienie i dla należność handlowy poniżej 12 miesiąc nie identyfikować istotny elementy finansowania\n", + "=====================================================================\n", + "[('cost', 100.0, 303), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "relate to re measurement to fair value less cost to sell\n", + "relate to re measurement to fair value less cost koszt to sell\n", + "wynikający z przeszacowania do wartość godziwy minus koszt zbycie\n", + "=====================================================================\n", + "[('cost', 100.0, 324), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "relate to re measurement to fair value less cost to sell\n", + "relate to re measurement to fair value less cost koszt to sell\n", + "wynikający z przeszacowania do wartość godziwy minus koszt zbycie\n", + "=====================================================================\n", + "[('fair value', 100.0, 497), 42.857142857142854, array(['wartość godziwa'], dtype=object)]\n", + "relate to re measurement to fair value less cost to sell\n", + "relate to re measurement to fair value wartość godziwa less cost to sell\n", + "wynikający z przeszacowania do wartość godziwy minus koszt zbycie\n", + "=====================================================================\n", + "[('par value', 88.88888888888889, 850), 46.15384615384615, array(['wartość nominalna'], dtype=object)]\n", + "relate to re measurement to fair value less cost to sell\n", + "relate to re measurement to fair value wartość nominalna less cost to sell\n", + "wynikający z przeszacowania do wartość godziwy minus koszt zbycie\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "immediately upon receipt of the motion for punishment the chairperson of the national disciplinary court shall prescribe the date of the hearing and shall transmit the information to the defendant and its defence counsel the prosecutor the aggrieved party other party to the proceeding and their attorney as well as the audit oversight commission\n", + "immediately upon receipt of the motion for punishment the chairperson of the national disciplinary court shall prescribe the date of the hearing and shall transmit the information to the defendant and its defence counsel the prosecutor the aggrieved party other party to the proceeding and their attorney as well as the audit badanie sprawozdania finansowego oversight commission\n", + "przewodniczący krajowy sąd dyscyplinarny niezwłocznie po otrzymaniu wniosek o ukaranie wy znacza termin rozprawa i zawiadamiać o on obwinić oraz on obrońcę oskarżyciel pokrzywdzony inny strona postępowanie i on pełnomocnik oraz komisja nadzór audytowy\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "immediately upon receipt of the motion for punishment the chairperson of the national disciplinary court shall prescribe the date of the hearing and shall transmit the information to the defendant and its defence counsel the prosecutor the aggrieved party other party to the proceeding and their attorney as well as the audit oversight commission\n", + "immediately upon prowizje receipt of the motion for punishment the chairperson of the national disciplinary court shall prescribe the date of the hearing and shall transmit the information to the defendant and its defence counsel the prosecutor the aggrieved party other party to the proceeding and their attorney as well as the audit oversight commission\n", + "przewodniczący krajowy sąd dyscyplinarny niezwłocznie po otrzymaniu wniosek o ukaranie wy znacza termin rozprawa i zawiadamiać o on obwinić oraz on obrońcę oskarżyciel pokrzywdzony inny strona postępowanie i on pełnomocnik oraz komisja nadzór audytowy\n", + "=====================================================================\n", + "[('gri', 100.0, 567), 100.0, array(['globalna inicjatywa sprawozdawcza'], dtype=object)]\n", + "immediately upon receipt of the motion for punishment the chairperson of the national disciplinary court shall prescribe the date of the hearing and shall transmit the information to the defendant and its defence counsel the prosecutor the aggrieved party other party to the proceeding and their attorney as well as the audit oversight commission\n", + "immediately upon receipt of the motion for punishment the chairperson of the national disciplinary court shall prescribe the date of the hearing and shall transmit the information to the defendant and its defence counsel the prosecutor the aggrieved globalna inicjatywa sprawozdawcza party other party to the proceeding and their attorney as well as the audit oversight commission\n", + "przewodniczący krajowy sąd dyscyplinarny niezwłocznie po otrzymaniu wniosek o ukaranie wy znacza termin rozprawa i zawiadamiać o on obwinić oraz on obrońcę oskarżyciel pokrzywdzony inny strona postępowanie i on pełnomocnik oraz komisja nadzór audytowy\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 100.0, array(['nadzór'], dtype=object)]\n", + "immediately upon receipt of the motion for punishment the chairperson of the national disciplinary court shall prescribe the date of the hearing and shall transmit the information to the defendant and its defence counsel the prosecutor the aggrieved party other party to the proceeding and their attorney as well as the audit oversight commission\n", + "immediately upon receipt of the motion for punishment the chairperson of the national disciplinary court shall prescribe the date of the hearing and shall transmit the information to the defendant and its defence counsel the prosecutor the aggrieved party other party to the proceeding and their attorney as well as the audit oversight nadzór commission\n", + "przewodniczący krajowy sąd dyscyplinarny niezwłocznie po otrzymaniu wniosek o ukaranie wy znacza termin rozprawa i zawiadamiać o on obwinić oraz on obrońcę oskarżyciel pokrzywdzony inny strona postępowanie i on pełnomocnik oraz komisja nadzór audytowy\n", + "=====================================================================\n", + "[('company', 100.0, 245), 100.0, array(['spółka kapitałowa'], dtype=object)]\n", + "in the case of contract with customer for which the period between the transfer of promise good or service to the customer and the moment of payment for these good or service exceed one year the company conclude that the contract contain a significant financing component due to opisać fakty i okoliczności determinujące osąd\n", + "in the case of contract with customer for which the period between the transfer of promise good or service to the customer and the moment of payment for these good or service exceed one year the company spółka kapitałowa conclude that the contract contain a significant financing component due to opisać fakty i okoliczności determinujące osąd\n", + "w przypadek umowa z klient dla których okres pomiędzy przekazaniem przyrzeczonego dobro lub usługa klient a moment zapłata za dobro lub usługa przekraczać jeden rok spółka oceniać że umowa zawierać istotny element finansowania z wzgląd na opisać fakt i okoliczność determinujące osąd\n", + "=====================================================================\n", + "[('contract', 100.0, 282), 100.0, array(['kontrakt', 'umowa'], dtype=object)]\n", + "in the case of contract with customer for which the period between the transfer of promise good or service to the customer and the moment of payment for these good or service exceed one year the company conclude that the contract contain a significant financing component due to opisać fakty i okoliczności determinujące osąd\n", + "in the case of contract kontrakt with customer for which the period between the transfer of promise good or service to the customer and the moment of payment for these good or service exceed one year the company conclude that the contract contain a significant financing component due to opisać fakty i okoliczności determinujące osąd\n", + "w przypadek umowa z klient dla których okres pomiędzy przekazaniem przyrzeczonego dobro lub usługa klient a moment zapłata za dobro lub usługa przekraczać jeden rok spółka oceniać że umowa zawierać istotny element finansowania z wzgląd na opisać fakt i okoliczność determinujące osąd\n", + "=====================================================================\n", + "[('contract', 100.0, 283), 100.0, array(['kontrakt', 'umowa'], dtype=object)]\n", + "in the case of contract with customer for which the period between the transfer of promise good or service to the customer and the moment of payment for these good or service exceed one year the company conclude that the contract contain a significant financing component due to opisać fakty i okoliczności determinujące osąd\n", + "in the case of contract kontrakt with customer for which the period between the transfer of promise good or service to the customer and the moment of payment for these good or service exceed one year the company conclude that the contract contain a significant financing component due to opisać fakty i okoliczności determinujące osąd\n", + "w przypadek umowa z klient dla których okres pomiędzy przekazaniem przyrzeczonego dobro lub usługa klient a moment zapłata za dobro lub usługa przekraczać jeden rok spółka oceniać że umowa zawierać istotny element finansowania z wzgląd na opisać fakt i okoliczność determinujące osąd\n", + "=====================================================================\n", + "[('isa', 100.0, 628), 100.0, array(['międzynarodowe standardy rewizji finansowej'], dtype=object)]\n", + "in the case of contract with customer for which the period between the transfer of promise good or service to the customer and the moment of payment for these good or service exceed one year the company conclude that the contract contain a significant financing component due to opisać fakty i okoliczności determinujące osąd\n", + "in the case of contract with customer for which the period between the transfer of promise good or service to the customer and the moment of payment for these good or service exceed one year the company conclude that the contract contain a międzynarodowe standardy rewizji finansowej significant financing component due to opisać fakty i okoliczności determinujące osąd\n", + "w przypadek umowa z klient dla których okres pomiędzy przekazaniem przyrzeczonego dobro lub usługa klient a moment zapłata za dobro lub usługa przekraczać jeden rok spółka oceniać że umowa zawierać istotny element finansowania z wzgląd na opisać fakt i okoliczność determinujące osąd\n", + "=====================================================================\n", + "[('company', 100.0, 245), 85.71428571428571, array(['spółka kapitałowa'], dtype=object)]\n", + "if the aggregate amount of monthly payment receive by the company during the relevant business year be less than the remuneration the subsidiary shall pay to the company the difference\n", + "if the aggregate amount of monthly payment receive by the company spółka kapitałowa during the relevant business year be less than the remuneration the subsidiary shall pay to the company the difference\n", + "jeśli łączny kwota miesięczny płatność otrzymanych przez spółka w dany rok obrotowy jest niski niż wynagrodzenie spółka zależny zapłacić różnica na rzecz spółka\n", + "=====================================================================\n", + "[('subsidiary', 100.0, 1066), 57.142857142857146, array(['jednostka zależna'], dtype=object)]\n", + "if the aggregate amount of monthly payment receive by the company during the relevant business year be less than the remuneration the subsidiary shall pay to the company the difference\n", + "if the aggregate amount of monthly payment receive by the company during the relevant business year be less than the remuneration the subsidiary jednostka zależna shall pay to the company the difference\n", + "jeśli łączny kwota miesięczny płatność otrzymanych przez spółka w dany rok obrotowy jest niski niż wynagrodzenie spółka zależny zapłacić różnica na rzecz spółka\n", + "=====================================================================\n", + "[('account', 100.0, 13), 61.53846153846154, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "an audit also include evaluate the appropriateness of accounting policy use and the reasonableness of accounting estimate make by management as well as evaluate the presentation of the financial statement\n", + "an audit also include evaluate the appropriateness of accounting konto policy use and the reasonableness of accounting estimate make by management as well as evaluate the presentation of the financial statement\n", + "badan obejmować także ocena odpowiedniość przyjęty zasada polityka rachunkowość racjonalność ustalonych przez zarząd spółka wartość szacunkowy jak również ocena ogólny prezentacja sprawozdanie finansowy\n", + "=====================================================================\n", + "[('account', 100.0, 25), 61.53846153846154, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "an audit also include evaluate the appropriateness of accounting policy use and the reasonableness of accounting estimate make by management as well as evaluate the presentation of the financial statement\n", + "an audit also include evaluate the appropriateness of accounting konto policy use and the reasonableness of accounting estimate make by management as well as evaluate the presentation of the financial statement\n", + "badan obejmować także ocena odpowiedniość przyjęty zasada polityka rachunkowość racjonalność ustalonych przez zarząd spółka wartość szacunkowy jak również ocena ogólny prezentacja sprawozdanie finansowy\n", + "=====================================================================\n", + "[('accounting estimate', 100.0, 33), 50.0, array(['oszacowania księgowe'], dtype=object)]\n", + "an audit also include evaluate the appropriateness of accounting policy use and the reasonableness of accounting estimate make by management as well as evaluate the presentation of the financial statement\n", + "an audit also include evaluate the appropriateness of accounting policy use and the reasonableness of accounting estimate oszacowania księgowe make by management as well as evaluate the presentation of the financial statement\n", + "badan obejmować także ocena odpowiedniość przyjęty zasada polityka rachunkowość racjonalność ustalonych przez zarząd spółka wartość szacunkowy jak również ocena ogólny prezentacja sprawozdanie finansowy\n", + "=====================================================================\n", + "[('accounting policy', 100.0, 45), 54.54545454545455, array(['zasady rachunkowości'], dtype=object)]\n", + "an audit also include evaluate the appropriateness of accounting policy use and the reasonableness of accounting estimate make by management as well as evaluate the presentation of the financial statement\n", + "an audit also include evaluate the appropriateness of accounting policy zasady rachunkowości use and the reasonableness of accounting estimate make by management as well as evaluate the presentation of the financial statement\n", + "badan obejmować także ocena odpowiedniość przyjęty zasada polityka rachunkowość racjonalność ustalonych przez zarząd spółka wartość szacunkowy jak również ocena ogólny prezentacja sprawozdanie finansowy\n", + "=====================================================================\n", + "[('account', 100.0, 57), 61.53846153846154, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "an audit also include evaluate the appropriateness of accounting policy use and the reasonableness of accounting estimate make by management as well as evaluate the presentation of the financial statement\n", + "an audit also include evaluate the appropriateness of accounting konto policy use and the reasonableness of accounting estimate make by management as well as evaluate the presentation of the financial statement\n", + "badan obejmować także ocena odpowiedniość przyjęty zasada polityka rachunkowość racjonalność ustalonych przez zarząd spółka wartość szacunkowy jak również ocena ogólny prezentacja sprawozdanie finansowy\n", + "=====================================================================\n", + "[('cash', 100.0, 203), 66.66666666666666, array(['środki pieniężne'], dtype=object)]\n", + "estimation of the value in use consist in determine future cash flow generate by the cash generating unit and in determine discount rate to be use to calculate the present value of these cash flow\n", + "estimation of the value in use consist in determine future cash środki pieniężne flow generate by the cash generating unit and in determine discount rate to be use to calculate the present value of these cash flow\n", + "oszacowanie wartość użytkowy polegać na ustalenie przyszły przepływ pieniężny generowanych przez ośrodek wypracowujący środek pieniężny i wymagać ustalenie stopa dyskontowy do zastosowanie w cel obliczenie bieżący wartość tych przepływ\n", + "=====================================================================\n", + "[('cash generating unit', 100.0, 213), 48.484848484848484, array(['jednostka generująca środki pieniężne'], dtype=object)]\n", + "estimation of the value in use consist in determine future cash flow generate by the cash generating unit and in determine discount rate to be use to calculate the present value of these cash flow\n", + "estimation of the value in use consist in determine future cash flow generate by the cash generating unit jednostka generująca środki pieniężne and in determine discount rate to be use to calculate the present value of these cash flow\n", + "oszacowanie wartość użytkowy polegać na ustalenie przyszły przepływ pieniężny generowanych przez ośrodek wypracowujący środek pieniężny i wymagać ustalenie stopa dyskontowy do zastosowanie w cel obliczenie bieżący wartość tych przepływ\n", + "=====================================================================\n", + "[('discount', 100.0, 391), 100.0, array(['rabat'], dtype=object)]\n", + "estimation of the value in use consist in determine future cash flow generate by the cash generating unit and in determine discount rate to be use to calculate the present value of these cash flow\n", + "estimation of the value in use consist in determine future cash flow generate by the cash generating unit and in determine discount rabat rate to be use to calculate the present value of these cash flow\n", + "oszacowanie wartość użytkowy polegać na ustalenie przyszły przepływ pieniężny generowanych przez ośrodek wypracowujący środek pieniężny i wymagać ustalenie stopa dyskontowy do zastosowanie w cel obliczenie bieżący wartość tych przepływ\n", + "=====================================================================\n", + "[('value in use', 100.0, 1161), 58.333333333333336, array(['wartość użytkowa'], dtype=object)]\n", + "estimation of the value in use consist in determine future cash flow generate by the cash generating unit and in determine discount rate to be use to calculate the present value of these cash flow\n", + "estimation of the value in use wartość użytkowa consist in determine future cash flow generate by the cash generating unit and in determine discount rate to be use to calculate the present value of these cash flow\n", + "oszacowanie wartość użytkowy polegać na ustalenie przyszły przepływ pieniężny generowanych przez ośrodek wypracowujący środek pieniężny i wymagać ustalenie stopa dyskontowy do zastosowanie w cel obliczenie bieżący wartość tych przepływ\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the national council of statutory auditors shall notify the commission oversight commission on the entry in the list of the audit firm approve in a eu member state other than the republic of poland\n", + "the national council of statutory auditors badanie sprawozdania finansowego shall notify the commission oversight commission on the entry in the list of the audit firm approve in a eu member state other than the republic of poland\n", + "krajowy rado biegły rewident informować komisja nadzór audytowy o wpis firma audytor skiej zatwierdzonej w inny niż rzeczpospolita polska państwo unia europejski na lista\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "the national council of statutory auditors shall notify the commission oversight commission on the entry in the list of the audit firm approve in a eu member state other than the republic of poland\n", + "the national council of statutory auditors biegły rewident shall notify the commission oversight commission on the entry in the list of the audit firm approve in a eu member state other than the republic of poland\n", + "krajowy rado biegły rewident informować komisja nadzór audytowy o wpis firma audytor skiej zatwierdzonej w inny niż rzeczpospolita polska państwo unia europejski na lista\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "the national council of statutory auditors shall notify the commission oversight commission on the entry in the list of the audit firm approve in a eu member state other than the republic of poland\n", + "the national council of statutory auditors shall notify the commission prowizje oversight commission on the entry in the list of the audit firm approve in a eu member state other than the republic of poland\n", + "krajowy rado biegły rewident informować komisja nadzór audytowy o wpis firma audytor skiej zatwierdzonej w inny niż rzeczpospolita polska państwo unia europejski na lista\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 100.0, array(['nadzór'], dtype=object)]\n", + "the national council of statutory auditors shall notify the commission oversight commission on the entry in the list of the audit firm approve in a eu member state other than the republic of poland\n", + "the national council of statutory auditors shall notify the commission oversight nadzór commission on the entry in the list of the audit firm approve in a eu member state other than the republic of poland\n", + "krajowy rado biegły rewident informować komisja nadzór audytowy o wpis firma audytor skiej zatwierdzonej w inny niż rzeczpospolita polska państwo unia europejski na lista\n", + "=====================================================================\n", + "[('cash', 100.0, 203), 0, array(['środki pieniężne'], dtype=object)]\n", + "net cash inflow outflow\n", + "net cash środki pieniężne inflow outflow\n", + "wpływy wypływy środki pieniężny netto\n", + "=====================================================================\n", + "[('accumulate depreciation', 100.0, 64), 48.275862068965516, array(['umorzenie'], dtype=object)]\n", + "that increase amount can not exceed the carrying amount that would have be determine net of accumulate depreciation or amortisation have no impairment loss be recognise for the asset in prior year\n", + "that increase amount can not exceed the carrying amount that would have be determine net of accumulate depreciation umorzenie or amortisation have no impairment loss be recognise for the asset in prior year\n", + "podwyższona kwota nie móc przekroczyć wartość bilansowy składnik aktywa jaka zostałaby ustalona po uwzględnienie umorzenia gdyby w ubiegły rok nie ująć odpis aktualizującego z tytuł utrata wartość w odniesienie do tego składnik aktywa\n", + "=====================================================================\n", + "[('amortisation', 100.0, 90), 60.0, array(['amortyzacja'], dtype=object)]\n", + "that increase amount can not exceed the carrying amount that would have be determine net of accumulate depreciation or amortisation have no impairment loss be recognise for the asset in prior year\n", + "that increase amount can not exceed the carrying amount that would have be determine net of accumulate depreciation or amortyzacja amortisation have no impairment loss be recognise for the asset in prior year\n", + "podwyższona kwota nie móc przekroczyć wartość bilansowy składnik aktywa jaka zostałaby ustalona po uwzględnienie umorzenia gdyby w ubiegły rok nie ująć odpis aktualizującego z tytuł utrata wartość w odniesienie do tego składnik aktywa\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 50.0, array(['aktywa'], dtype=object)]\n", + "that increase amount can not exceed the carrying amount that would have be determine net of accumulate depreciation or amortisation have no impairment loss be recognise for the asset in prior year\n", + "that increase amount can not exceed the carrying amount that would have be determine net of accumulate depreciation or amortisation have no impairment loss be recognise for the asset aktywa in prior year\n", + "podwyższona kwota nie móc przekroczyć wartość bilansowy składnik aktywa jaka zostałaby ustalona po uwzględnienie umorzenia gdyby w ubiegły rok nie ująć odpis aktualizującego z tytuł utrata wartość w odniesienie do tego składnik aktywa\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 66.66666666666666, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "that increase amount can not exceed the carrying amount that would have be determine net of accumulate depreciation or amortisation have no impairment loss be recognise for the asset in prior year\n", + "that increase amount can not exceed the carrying amount that would have be determine net of accumulate depreciation or amortisation have no impairment loss be recognise koszty sprzedanych produktów, towarów i materiałów for the asset in prior year\n", + "podwyższona kwota nie móc przekroczyć wartość bilansowy składnik aktywa jaka zostałaby ustalona po uwzględnienie umorzenia gdyby w ubiegły rok nie ująć odpis aktualizującego z tytuł utrata wartość w odniesienie do tego składnik aktywa\n", + "=====================================================================\n", + "[('depreciation', 100.0, 373), 66.66666666666666, array(['amortyzacja'], dtype=object)]\n", + "that increase amount can not exceed the carrying amount that would have be determine net of accumulate depreciation or amortisation have no impairment loss be recognise for the asset in prior year\n", + "that increase amount can not exceed the carrying amount that would have be determine net of accumulate depreciation amortyzacja or amortisation have no impairment loss be recognise for the asset in prior year\n", + "podwyższona kwota nie móc przekroczyć wartość bilansowy składnik aktywa jaka zostałaby ustalona po uwzględnienie umorzenia gdyby w ubiegły rok nie ująć odpis aktualizującego z tytuł utrata wartość w odniesienie do tego składnik aktywa\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 66.66666666666666, array(['jednostka'], dtype=object)]\n", + "respondent note that these location potential allow they to continue to invest in business service center without noticeably affect the exist entity in the sector\n", + "respondent note that these location potential allow they to continue to invest in business service center without noticeably affect the exist entity jednostka in the sector\n", + "respondent ocenić że potencjał tych ośrodek pozwalać na kolejny inwestycja w centrum usługi bez widoczny presja na obecnie działające podmiot z sektor\n", + "=====================================================================\n", + "[('note', 100.0, 791), 75.0, array(['informacja dodatkowa'], dtype=object)]\n", + "respondent note that these location potential allow they to continue to invest in business service center without noticeably affect the exist entity in the sector\n", + "respondent note informacja dodatkowa that these location potential allow they to continue to invest in business service center without noticeably affect the exist entity in the sector\n", + "respondent ocenić że potencjał tych ośrodek pozwalać na kolejny inwestycja w centrum usługi bez widoczny presja na obecnie działające podmiot z sektor\n", + "=====================================================================\n", + "[('account', 100.0, 13), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "if the body of the polish chamber of statutory auditors do not perform the activity refer to in passage 2 or passage 4 item 1 the audit oversight commission can adopt a resolution which take into account the content of the resolution of the body of the polish chamber of statutory auditors with submit reservation which produce legal effect until replace it with a proper resolution of the body of the polish chamber of statutory auditors approve by the audit oversight commission or until the day on which the ruling of the administrative court take account of the complaint mention in passage 4 item 2 become final 10\n", + "if the body of the polish chamber of statutory auditors do not perform the activity refer to in passage 2 or passage 4 item 1 the audit oversight commission can adopt a konto resolution which take into account the content of the resolution of the body of the polish chamber of statutory auditors with submit reservation which produce legal effect until replace it with a proper resolution of the body of the polish chamber of statutory auditors approve by the audit oversight commission or until the day on which the ruling of the administrative court take account of the complaint mention in passage 4 item 2 become final 10\n", + "jeżeli organ polski izba biegły rewident nie dokonać czynność o których mowa w ust 2 lub ust 4 pkt 1 komisja nadzór audytowy móc podjąć uchwała uwzględniającą treść uchwała organ polski izba biegły rewi dentów i przedstawionych zastrzeżenie która wywoływać skutek prawny do czas zastąpienia on właściwy uchwała organ polski izba biegły rewident zatwierdzoną przez komisja nadzór audytowy albo do czas uprawomocnienia się orzeczenie sąd administracyjny uwzględniającego skarga o której mowa w ust 4 pkt 2 10\n", + "=====================================================================\n", + "[('account', 100.0, 25), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "if the body of the polish chamber of statutory auditors do not perform the activity refer to in passage 2 or passage 4 item 1 the audit oversight commission can adopt a resolution which take into account the content of the resolution of the body of the polish chamber of statutory auditors with submit reservation which produce legal effect until replace it with a proper resolution of the body of the polish chamber of statutory auditors approve by the audit oversight commission or until the day on which the ruling of the administrative court take account of the complaint mention in passage 4 item 2 become final 10\n", + "if the body of the polish chamber of statutory auditors do not perform the activity refer to in passage 2 or passage 4 item 1 the audit oversight commission can adopt a konto resolution which take into account the content of the resolution of the body of the polish chamber of statutory auditors with submit reservation which produce legal effect until replace it with a proper resolution of the body of the polish chamber of statutory auditors approve by the audit oversight commission or until the day on which the ruling of the administrative court take account of the complaint mention in passage 4 item 2 become final 10\n", + "jeżeli organ polski izba biegły rewident nie dokonać czynność o których mowa w ust 2 lub ust 4 pkt 1 komisja nadzór audytowy móc podjąć uchwała uwzględniającą treść uchwała organ polski izba biegły rewi dentów i przedstawionych zastrzeżenie która wywoływać skutek prawny do czas zastąpienia on właściwy uchwała organ polski izba biegły rewident zatwierdzoną przez komisja nadzór audytowy albo do czas uprawomocnienia się orzeczenie sąd administracyjny uwzględniającego skarga o której mowa w ust 4 pkt 2 10\n", + "=====================================================================\n", + "[('account', 100.0, 57), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "if the body of the polish chamber of statutory auditors do not perform the activity refer to in passage 2 or passage 4 item 1 the audit oversight commission can adopt a resolution which take into account the content of the resolution of the body of the polish chamber of statutory auditors with submit reservation which produce legal effect until replace it with a proper resolution of the body of the polish chamber of statutory auditors approve by the audit oversight commission or until the day on which the ruling of the administrative court take account of the complaint mention in passage 4 item 2 become final 10\n", + "if the body of the polish chamber of statutory auditors do not perform the activity refer to in passage 2 or passage 4 item 1 the audit oversight commission can adopt a konto resolution which take into account the content of the resolution of the body of the polish chamber of statutory auditors with submit reservation which produce legal effect until replace it with a proper resolution of the body of the polish chamber of statutory auditors approve by the audit oversight commission or until the day on which the ruling of the administrative court take account of the complaint mention in passage 4 item 2 become final 10\n", + "jeżeli organ polski izba biegły rewident nie dokonać czynność o których mowa w ust 2 lub ust 4 pkt 1 komisja nadzór audytowy móc podjąć uchwała uwzględniającą treść uchwała organ polski izba biegły rewi dentów i przedstawionych zastrzeżenie która wywoływać skutek prawny do czas zastąpienia on właściwy uchwała organ polski izba biegły rewident zatwierdzoną przez komisja nadzór audytowy albo do czas uprawomocnienia się orzeczenie sąd administracyjny uwzględniającego skarga o której mowa w ust 4 pkt 2 10\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "if the body of the polish chamber of statutory auditors do not perform the activity refer to in passage 2 or passage 4 item 1 the audit oversight commission can adopt a resolution which take into account the content of the resolution of the body of the polish chamber of statutory auditors with submit reservation which produce legal effect until replace it with a proper resolution of the body of the polish chamber of statutory auditors approve by the audit oversight commission or until the day on which the ruling of the administrative court take account of the complaint mention in passage 4 item 2 become final 10\n", + "if the body of the polish chamber of statutory auditors badanie sprawozdania finansowego do not perform the activity refer to in passage 2 or passage 4 item 1 the audit oversight commission can adopt a resolution which take into account the content of the resolution of the body of the polish chamber of statutory auditors with submit reservation which produce legal effect until replace it with a proper resolution of the body of the polish chamber of statutory auditors approve by the audit oversight commission or until the day on which the ruling of the administrative court take account of the complaint mention in passage 4 item 2 become final 10\n", + "jeżeli organ polski izba biegły rewident nie dokonać czynność o których mowa w ust 2 lub ust 4 pkt 1 komisja nadzór audytowy móc podjąć uchwała uwzględniającą treść uchwała organ polski izba biegły rewi dentów i przedstawionych zastrzeżenie która wywoływać skutek prawny do czas zastąpienia on właściwy uchwała organ polski izba biegły rewident zatwierdzoną przez komisja nadzór audytowy albo do czas uprawomocnienia się orzeczenie sąd administracyjny uwzględniającego skarga o której mowa w ust 4 pkt 2 10\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "if the body of the polish chamber of statutory auditors do not perform the activity refer to in passage 2 or passage 4 item 1 the audit oversight commission can adopt a resolution which take into account the content of the resolution of the body of the polish chamber of statutory auditors with submit reservation which produce legal effect until replace it with a proper resolution of the body of the polish chamber of statutory auditors approve by the audit oversight commission or until the day on which the ruling of the administrative court take account of the complaint mention in passage 4 item 2 become final 10\n", + "if the body of the polish chamber of statutory auditors biegły rewident do not perform the activity refer to in passage 2 or passage 4 item 1 the audit oversight commission can adopt a resolution which take into account the content of the resolution of the body of the polish chamber of statutory auditors with submit reservation which produce legal effect until replace it with a proper resolution of the body of the polish chamber of statutory auditors approve by the audit oversight commission or until the day on which the ruling of the administrative court take account of the complaint mention in passage 4 item 2 become final 10\n", + "jeżeli organ polski izba biegły rewident nie dokonać czynność o których mowa w ust 2 lub ust 4 pkt 1 komisja nadzór audytowy móc podjąć uchwała uwzględniającą treść uchwała organ polski izba biegły rewi dentów i przedstawionych zastrzeżenie która wywoływać skutek prawny do czas zastąpienia on właściwy uchwała organ polski izba biegły rewident zatwierdzoną przez komisja nadzór audytowy albo do czas uprawomocnienia się orzeczenie sąd administracyjny uwzględniającego skarga o której mowa w ust 4 pkt 2 10\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the task refer to in passage 1 item 2 and 3 shall be entrust to the polish chamber of statutory auditors and be implement under the public oversight\n", + "the task refer to in passage 1 item 2 and 3 shall be entrust to the polish chamber of statutory auditors badanie sprawozdania finansowego and be implement under the public oversight\n", + "zadanie o których mowa w ust 1 pkt 2 i 3 powierzać się polski izba biegły rewident do realizacja w ramy nadzór publiczny\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "the task refer to in passage 1 item 2 and 3 shall be entrust to the polish chamber of statutory auditors and be implement under the public oversight\n", + "the task refer to biegły rewident in passage 1 item 2 and 3 shall be entrust to the polish chamber of statutory auditors and be implement under the public oversight\n", + "zadanie o których mowa w ust 1 pkt 2 i 3 powierzać się polski izba biegły rewident do realizacja w ramy nadzór publiczny\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 100.0, array(['nadzór'], dtype=object)]\n", + "the task refer to in passage 1 item 2 and 3 shall be entrust to the polish chamber of statutory auditors and be implement under the public oversight\n", + "the task refer to nadzór in passage 1 item 2 and 3 shall be entrust to the polish chamber of statutory auditors and be implement under the public oversight\n", + "zadanie o których mowa w ust 1 pkt 2 i 3 powierzać się polski izba biegły rewident do realizacja w ramy nadzór publiczny\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the national assembly of statutory auditors shall 1 select a the president of the national council of statutory auditors and other member of the national council of statutory auditors b the national disciplinary ombudsperson and his her deputy c member of the national audit committee the national disciplinary court and the national supervisory committee 2 adopt the statute of the polish chamber of statutory auditors 3 adopt a programme of operation and basic principle of financial operation of the national council of statutory auditors 4 specify principle for determine membership fee of the statutory auditor 5 examine and approve report on operation of the body of the polish chamber of statutory auditors refer to in article 26 passage 1 item 2 6 and acknowledge fulfilment of duty by person who form these body 2\n", + "the national assembly of statutory auditors badanie sprawozdania finansowego shall 1 select a the president of the national council of statutory auditors and other member of the national council of statutory auditors b the national disciplinary ombudsperson and his her deputy c member of the national audit committee the national disciplinary court and the national supervisory committee 2 adopt the statute of the polish chamber of statutory auditors 3 adopt a programme of operation and basic principle of financial operation of the national council of statutory auditors 4 specify principle for determine membership fee of the statutory auditor 5 examine and approve report on operation of the body of the polish chamber of statutory auditors refer to in article 26 passage 1 item 2 6 and acknowledge fulfilment of duty by person who form these body 2\n", + "krajowy zjazd biegły rewident 1 dokonywać wybór a prezes krajowy rada biegły rewident i pozostały członek krajowy rada biegły rewident b krajowy rzecznik dyscyplinarny i on zastępca c członek krajowy komisja rewizyjny krajowy sąd dyscyplinarny oraz krajowy komisja nadzór 2 uchwalać statut polski izba biegły rewident 3 uchwalać program działanie i podstawowy zasada gospodarka finansowy polski izba biegły rewident 4 określać zasada ustalania składka członkowski biegły rewident 5 rozpatrywać i zatwierdzać sprawozdanie z działalność organy polski izba biegły rewident o których mowa w art 26 ust 1 pkt 2 6 i udzielać absolutorium osoba wchodzący w skład tych organy 2\n", + "=====================================================================\n", + "[('audit committee', 100.0, 113), 60.0, array(['komisja rewizyjna'], dtype=object)]\n", + "the national assembly of statutory auditors shall 1 select a the president of the national council of statutory auditors and other member of the national council of statutory auditors b the national disciplinary ombudsperson and his her deputy c member of the national audit committee the national disciplinary court and the national supervisory committee 2 adopt the statute of the polish chamber of statutory auditors 3 adopt a programme of operation and basic principle of financial operation of the national council of statutory auditors 4 specify principle for determine membership fee of the statutory auditor 5 examine and approve report on operation of the body of the polish chamber of statutory auditors refer to in article 26 passage 1 item 2 6 and acknowledge fulfilment of duty by person who form these body 2\n", + "the national assembly of statutory auditors shall 1 select a the president of the national council of statutory auditors and other member of the national council of statutory auditors b the national disciplinary ombudsperson and his her deputy c member of the national audit committee komisja rewizyjna the national disciplinary court and the national supervisory committee 2 adopt the statute of the polish chamber of statutory auditors 3 adopt a programme of operation and basic principle of financial operation of the national council of statutory auditors 4 specify principle for determine membership fee of the statutory auditor 5 examine and approve report on operation of the body of the polish chamber of statutory auditors refer to in article 26 passage 1 item 2 6 and acknowledge fulfilment of duty by person who form these body 2\n", + "krajowy zjazd biegły rewident 1 dokonywać wybór a prezes krajowy rada biegły rewident i pozostały członek krajowy rada biegły rewident b krajowy rzecznik dyscyplinarny i on zastępca c członek krajowy komisja rewizyjny krajowy sąd dyscyplinarny oraz krajowy komisja nadzór 2 uchwalać statut polski izba biegły rewident 3 uchwalać program działanie i podstawowy zasada gospodarka finansowy polski izba biegły rewident 4 określać zasada ustalania składka członkowski biegły rewident 5 rozpatrywać i zatwierdzać sprawozdanie z działalność organy polski izba biegły rewident o których mowa w art 26 ust 1 pkt 2 6 i udzielać absolutorium osoba wchodzący w skład tych organy 2\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "the national assembly of statutory auditors shall 1 select a the president of the national council of statutory auditors and other member of the national council of statutory auditors b the national disciplinary ombudsperson and his her deputy c member of the national audit committee the national disciplinary court and the national supervisory committee 2 adopt the statute of the polish chamber of statutory auditors 3 adopt a programme of operation and basic principle of financial operation of the national council of statutory auditors 4 specify principle for determine membership fee of the statutory auditor 5 examine and approve report on operation of the body of the polish chamber of statutory auditors refer to in article 26 passage 1 item 2 6 and acknowledge fulfilment of duty by person who form these body 2\n", + "the national assembly of statutory auditors biegły rewident shall 1 select a the president of the national council of statutory auditors and other member of the national council of statutory auditors b the national disciplinary ombudsperson and his her deputy c member of the national audit committee the national disciplinary court and the national supervisory committee 2 adopt the statute of the polish chamber of statutory auditors 3 adopt a programme of operation and basic principle of financial operation of the national council of statutory auditors 4 specify principle for determine membership fee of the statutory auditor 5 examine and approve report on operation of the body of the polish chamber of statutory auditors refer to in article 26 passage 1 item 2 6 and acknowledge fulfilment of duty by person who form these body 2\n", + "krajowy zjazd biegły rewident 1 dokonywać wybór a prezes krajowy rada biegły rewident i pozostały członek krajowy rada biegły rewident b krajowy rzecznik dyscyplinarny i on zastępca c członek krajowy komisja rewizyjny krajowy sąd dyscyplinarny oraz krajowy komisja nadzór 2 uchwalać statut polski izba biegły rewident 3 uchwalać program działanie i podstawowy zasada gospodarka finansowy polski izba biegły rewident 4 określać zasada ustalania składka członkowski biegły rewident 5 rozpatrywać i zatwierdzać sprawozdanie z działalność organy polski izba biegły rewident o których mowa w art 26 ust 1 pkt 2 6 i udzielać absolutorium osoba wchodzący w skład tych organy 2\n", + "=====================================================================\n", + "[('ombudsperson', 100.0, 801), 100.0, array(['rzecznik'], dtype=object)]\n", + "the national assembly of statutory auditors shall 1 select a the president of the national council of statutory auditors and other member of the national council of statutory auditors b the national disciplinary ombudsperson and his her deputy c member of the national audit committee the national disciplinary court and the national supervisory committee 2 adopt the statute of the polish chamber of statutory auditors 3 adopt a programme of operation and basic principle of financial operation of the national council of statutory auditors 4 specify principle for determine membership fee of the statutory auditor 5 examine and approve report on operation of the body of the polish chamber of statutory auditors refer to in article 26 passage 1 item 2 6 and acknowledge fulfilment of duty by person who form these body 2\n", + "the national assembly of statutory auditors shall 1 select a the president of the national council of statutory auditors and other member of the national council of statutory auditors b rzecznik the national disciplinary ombudsperson and his her deputy c member of the national audit committee the national disciplinary court and the national supervisory committee 2 adopt the statute of the polish chamber of statutory auditors 3 adopt a programme of operation and basic principle of financial operation of the national council of statutory auditors 4 specify principle for determine membership fee of the statutory auditor 5 examine and approve report on operation of the body of the polish chamber of statutory auditors refer to in article 26 passage 1 item 2 6 and acknowledge fulfilment of duty by person who form these body 2\n", + "krajowy zjazd biegły rewident 1 dokonywać wybór a prezes krajowy rada biegły rewident i pozostały członek krajowy rada biegły rewident b krajowy rzecznik dyscyplinarny i on zastępca c członek krajowy komisja rewizyjny krajowy sąd dyscyplinarny oraz krajowy komisja nadzór 2 uchwalać statut polski izba biegły rewident 3 uchwalać program działanie i podstawowy zasada gospodarka finansowy polski izba biegły rewident 4 określać zasada ustalania składka członkowski biegły rewident 5 rozpatrywać i zatwierdzać sprawozdanie z działalność organy polski izba biegły rewident o których mowa w art 26 ust 1 pkt 2 6 i udzielać absolutorium osoba wchodzący w skład tych organy 2\n", + "=====================================================================\n", + "[('report', 100.0, 963), 100.0, array(['sprawozdawczość'], dtype=object)]\n", + "the national assembly of statutory auditors shall 1 select a the president of the national council of statutory auditors and other member of the national council of statutory auditors b the national disciplinary ombudsperson and his her deputy c member of the national audit committee the national disciplinary court and the national supervisory committee 2 adopt the statute of the polish chamber of statutory auditors 3 adopt a programme of operation and basic principle of financial operation of the national council of statutory auditors 4 specify principle for determine membership fee of the statutory auditor 5 examine and approve report on operation of the body of the polish chamber of statutory auditors refer to in article 26 passage 1 item 2 6 and acknowledge fulfilment of duty by person who form these body 2\n", + "the national assembly of statutory auditors shall 1 select a the president of the national council of statutory auditors and other member of the national council of statutory auditors b the national disciplinary ombudsperson and his her deputy c member of the national audit committee the national disciplinary court and the national supervisory committee 2 adopt the statute of the polish chamber of statutory auditors 3 adopt a programme of operation and basic principle of financial operation of the national council of statutory auditors 4 specify principle for determine membership fee of the statutory auditor 5 examine and approve report sprawozdawczość on operation of the body of the polish chamber of statutory auditors refer to in article 26 passage 1 item 2 6 and acknowledge fulfilment of duty by person who form these body 2\n", + "krajowy zjazd biegły rewident 1 dokonywać wybór a prezes krajowy rada biegły rewident i pozostały członek krajowy rada biegły rewident b krajowy rzecznik dyscyplinarny i on zastępca c członek krajowy komisja rewizyjny krajowy sąd dyscyplinarny oraz krajowy komisja nadzór 2 uchwalać statut polski izba biegły rewident 3 uchwalać program działanie i podstawowy zasada gospodarka finansowy polski izba biegły rewident 4 określać zasada ustalania składka członkowski biegły rewident 5 rozpatrywać i zatwierdzać sprawozdanie z działalność organy polski izba biegły rewident o których mowa w art 26 ust 1 pkt 2 6 i udzielać absolutorium osoba wchodzący w skład tych organy 2\n", + "=====================================================================\n", + "[('company', 100.0, 245), 66.66666666666666, array(['spółka kapitałowa'], dtype=object)]\n", + "it be worth note that over 30 new entity more than a third of the total that begin their operation in the period from the beginning of q1 2017 to the end of q1 2018 represent reinvestment by company whose business service center be already successfully operate in poland\n", + "it be worth note that over 30 new entity more than a spółka kapitałowa third of the total that begin their operation in the period from the beginning of q1 2017 to the end of q1 2018 represent reinvestment by company whose business service center be already successfully operate in poland\n", + "warto podkreślić że ponad 30 nowy jednostka więcej niż 1 3 ogół które rozpocząć działalność w okres od początek 2017 r do koniec i kw 2018 r to reinwestycja firma których centrum usługi już z powo dzeniem funkcjonować w polska\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 100.0, array(['jednostka'], dtype=object)]\n", + "it be worth note that over 30 new entity more than a third of the total that begin their operation in the period from the beginning of q1 2017 to the end of q1 2018 represent reinvestment by company whose business service center be already successfully operate in poland\n", + "it jednostka be worth note that over 30 new entity more than a third of the total that begin their operation in the period from the beginning of q1 2017 to the end of q1 2018 represent reinvestment by company whose business service center be already successfully operate in poland\n", + "warto podkreślić że ponad 30 nowy jednostka więcej niż 1 3 ogół które rozpocząć działalność w okres od początek 2017 r do koniec i kw 2018 r to reinwestycja firma których centrum usługi już z powo dzeniem funkcjonować w polska\n", + "=====================================================================\n", + "[('note', 100.0, 791), 75.0, array(['informacja dodatkowa'], dtype=object)]\n", + "it be worth note that over 30 new entity more than a third of the total that begin their operation in the period from the beginning of q1 2017 to the end of q1 2018 represent reinvestment by company whose business service center be already successfully operate in poland\n", + "it be worth note informacja dodatkowa that over 30 new entity more than a third of the total that begin their operation in the period from the beginning of q1 2017 to the end of q1 2018 represent reinvestment by company whose business service center be already successfully operate in poland\n", + "warto podkreślić że ponad 30 nowy jednostka więcej niż 1 3 ogół które rozpocząć działalność w okres od początek 2017 r do koniec i kw 2018 r to reinwestycja firma których centrum usługi już z powo dzeniem funkcjonować w polska\n", + "=====================================================================\n", + "[('expense', 100.0, 479), 33.33333333333333, array(['koszt'], dtype=object)]\n", + "share base payment expense\n", + "share base koszt payment expense\n", + "koszt z tytuł płatność w forma akcja własny\n", + "=====================================================================\n", + "[('tax expense', 90.0, 1096), 36.36363636363637, array(['odroczony podatek dochodowy'], dtype=object)]\n", + "share base payment expense\n", + "share base payment odroczony podatek dochodowy expense\n", + "koszt z tytuł płatność w forma akcja własny\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 50.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the provision of passage 1 shall not apply to the first year of the audit firm s operation\n", + "the provision of passage 1 shall not apply to the first year of the audit badanie sprawozdania finansowego firm s operation\n", + "przepis ust 1 nie stosować się do pierwszy rok działalność firma audytorski\n", + "=====================================================================\n", + "[('irs', 100.0, 627), 80.0, array(['amerykański urząd skarbowy'], dtype=object)]\n", + "the provision of passage 1 shall not apply to the first year of the audit firm s operation\n", + "the provision of passage 1 shall not apply to the first amerykański urząd skarbowy year of the audit firm s operation\n", + "przepis ust 1 nie stosować się do pierwszy rok działalność firma audytorski\n", + "=====================================================================\n", + "[('provision', 100.0, 909), 66.66666666666666, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "the provision of passage 1 shall not apply to the first year of the audit firm s operation\n", + "the provision rezerwa of passage 1 shall not apply to the first year of the audit firm s operation\n", + "przepis ust 1 nie stosować się do pierwszy rok działalność firma audytorski\n", + "=====================================================================\n", + "[('provision', 100.0, 911), 66.66666666666666, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "the provision of passage 1 shall not apply to the first year of the audit firm s operation\n", + "the provision rezerwa of passage 1 shall not apply to the first year of the audit firm s operation\n", + "przepis ust 1 nie stosować się do pierwszy rok działalność firma audytorski\n", + "=====================================================================\n", + "[('account', 100.0, 13), 54.54545454545455, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "tax authority may examine the accounting record within up to five year after the end of the year in which the tax payment be make\n", + "tax authority may examine the accounting konto record within up to five year after the end of the year in which the tax payment be make\n", + "rozliczenie podatkowy móc być przedmiot kontrola przez okres pięć rok począć od koniec rok w którym nastąpić zapłata podatek\n", + "=====================================================================\n", + "[('account', 100.0, 25), 54.54545454545455, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "tax authority may examine the accounting record within up to five year after the end of the year in which the tax payment be make\n", + "tax authority may examine the accounting konto record within up to five year after the end of the year in which the tax payment be make\n", + "rozliczenie podatkowy móc być przedmiot kontrola przez okres pięć rok począć od koniec rok w którym nastąpić zapłata podatek\n", + "=====================================================================\n", + "[('accounting record', 100.0, 48), 50.0, array(['dokumentacja księgowa'], dtype=object)]\n", + "tax authority may examine the accounting record within up to five year after the end of the year in which the tax payment be make\n", + "tax authority may examine the accounting record dokumentacja księgowa within up to five year after the end of the year in which the tax payment be make\n", + "rozliczenie podatkowy móc być przedmiot kontrola przez okres pięć rok począć od koniec rok w którym nastąpić zapłata podatek\n", + "=====================================================================\n", + "[('account', 100.0, 57), 54.54545454545455, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "tax authority may examine the accounting record within up to five year after the end of the year in which the tax payment be make\n", + "tax authority may examine the accounting konto record within up to five year after the end of the year in which the tax payment be make\n", + "rozliczenie podatkowy móc być przedmiot kontrola przez okres pięć rok począć od koniec rok w którym nastąpić zapłata podatek\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 50.0, array(['jednostka'], dtype=object)]\n", + "characteristic of relation between group entity and associate\n", + "characteristic of relation between group entity jednostka and associate\n", + "charakter powiązanie pomiędzy jednostka grupa a jednostka stowarzyszony\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "characteristic of relation between group entity and associate\n", + "characteristic of relation between group grupa kapitałowa entity and associate\n", + "charakter powiązanie pomiędzy jednostka grupa a jednostka stowarzyszony\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the audit firm refer to in article 58 shall pay the fee for oversight in a give year in the amount agree on the condition provide in passage 1 from the revenue derive from the statutory audits of entity other than the public interest entity conduct on the territory of the republic of poland 3\n", + "the audit badanie sprawozdania finansowego firm refer to in article 58 shall pay the fee for oversight in a give year in the amount agree on the condition provide in passage 1 from the revenue derive from the statutory audits of entity other than the public interest entity conduct on the territory of the republic of poland 3\n", + "firma audytorski o której mowa w art 58 wnosić opłata z tytuł nadzór w dany rok w wysokość ustalonej na zasada określony w ust 1 od przychód osiąganych z tytuł badanie ustawowy jednostka inny niż jednostka zain teresowania publiczny przeprowadzonych na terytorium rzeczypospolitej polski 3\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 66.66666666666666, array(['jednostka'], dtype=object)]\n", + "the audit firm refer to in article 58 shall pay the fee for oversight in a give year in the amount agree on the condition provide in passage 1 from the revenue derive from the statutory audits of entity other than the public interest entity conduct on the territory of the republic of poland 3\n", + "the audit firm refer to in article 58 shall pay the fee for oversight in a give year in the amount agree on the condition provide in passage 1 from the revenue derive from the statutory audits of entity jednostka other than the public interest entity conduct on the territory of the republic of poland 3\n", + "firma audytorski o której mowa w art 58 wnosić opłata z tytuł nadzór w dany rok w wysokość ustalonej na zasada określony w ust 1 od przychód osiąganych z tytuł badanie ustawowy jednostka inny niż jednostka zain teresowania publiczny przeprowadzonych na terytorium rzeczypospolitej polski 3\n", + "=====================================================================\n", + "[('interest', 100.0, 664), 80.0, array(['odsetki'], dtype=object)]\n", + "the audit firm refer to in article 58 shall pay the fee for oversight in a give year in the amount agree on the condition provide in passage 1 from the revenue derive from the statutory audits of entity other than the public interest entity conduct on the territory of the republic of poland 3\n", + "the audit firm refer to in odsetki article 58 shall pay the fee for oversight in a give year in the amount agree on the condition provide in passage 1 from the revenue derive from the statutory audits of entity other than the public interest entity conduct on the territory of the republic of poland 3\n", + "firma audytorski o której mowa w art 58 wnosić opłata z tytuł nadzór w dany rok w wysokość ustalonej na zasada określony w ust 1 od przychód osiąganych z tytuł badanie ustawowy jednostka inny niż jednostka zain teresowania publiczny przeprowadzonych na terytorium rzeczypospolitej polski 3\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 100.0, array(['nadzór'], dtype=object)]\n", + "the audit firm refer to in article 58 shall pay the fee for oversight in a give year in the amount agree on the condition provide in passage 1 from the revenue derive from the statutory audits of entity other than the public interest entity conduct on the territory of the republic of poland 3\n", + "the audit firm refer to in article 58 shall pay the fee for oversight nadzór in a give year in the amount agree on the condition provide in passage 1 from the revenue derive from the statutory audits of entity other than the public interest entity conduct on the territory of the republic of poland 3\n", + "firma audytorski o której mowa w art 58 wnosić opłata z tytuł nadzór w dany rok w wysokość ustalonej na zasada określony w ust 1 od przychód osiąganych z tytuł badanie ustawowy jednostka inny niż jednostka zain teresowania publiczny przeprowadzonych na terytorium rzeczypospolitej polski 3\n", + "=====================================================================\n", + "[('public interest', 100.0, 919), 62.06896551724138, array(['interes publiczny'], dtype=object)]\n", + "the audit firm refer to in article 58 shall pay the fee for oversight in a give year in the amount agree on the condition provide in passage 1 from the revenue derive from the statutory audits of entity other than the public interest entity conduct on the territory of the republic of poland 3\n", + "the audit firm refer to in article 58 shall pay the fee for oversight in a give year in the amount agree on the condition provide in passage 1 from the revenue derive from the statutory audits of entity other than the public interest interes publiczny entity conduct on the territory of the republic of poland 3\n", + "firma audytorski o której mowa w art 58 wnosić opłata z tytuł nadzór w dany rok w wysokość ustalonej na zasada określony w ust 1 od przychód osiąganych z tytuł badanie ustawowy jednostka inny niż jednostka zain teresowania publiczny przeprowadzonych na terytorium rzeczypospolitej polski 3\n", + "=====================================================================\n", + "[('acquisition', 100.0, 67), 100.0, array(['nabycie przedsiębiorstwa'], dtype=object)]\n", + "the cost of intangible asset acquire in a business combination be their fair value as at the date of acquisition\n", + "the cost of intangible asset acquire in a nabycie przedsiębiorstwa business combination be their fair value as at the date of acquisition\n", + "cena nabycie aktywa materialny nabytych w transakcja połączenie jednostka jest równy on wartość godziwy na dzienie połączenie\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 66.66666666666666, array(['aktywa'], dtype=object)]\n", + "the cost of intangible asset acquire in a business combination be their fair value as at the date of acquisition\n", + "the cost of intangible asset aktywa acquire in a business combination be their fair value as at the date of acquisition\n", + "cena nabycie aktywa materialny nabytych w transakcja połączenie jednostka jest równy on wartość godziwy na dzienie połączenie\n", + "=====================================================================\n", + "[('combination', 100.0, 238), 100.0, array(['połączenia'], dtype=object)]\n", + "the cost of intangible asset acquire in a business combination be their fair value as at the date of acquisition\n", + "the cost of intangible asset acquire in połączenia a business combination be their fair value as at the date of acquisition\n", + "cena nabycie aktywa materialny nabytych w transakcja połączenie jednostka jest równy on wartość godziwy na dzienie połączenie\n", + "=====================================================================\n", + "[('cost', 100.0, 303), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "the cost of intangible asset acquire in a business combination be their fair value as at the date of acquisition\n", + "the cost koszt of intangible asset acquire in a business combination be their fair value as at the date of acquisition\n", + "cena nabycie aktywa materialny nabytych w transakcja połączenie jednostka jest równy on wartość godziwy na dzienie połączenie\n", + "=====================================================================\n", + "[('cost', 100.0, 324), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "the cost of intangible asset acquire in a business combination be their fair value as at the date of acquisition\n", + "the cost koszt of intangible asset acquire in a business combination be their fair value as at the date of acquisition\n", + "cena nabycie aktywa materialny nabytych w transakcja połączenie jednostka jest równy on wartość godziwy na dzienie połączenie\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 57.142857142857146, array(['strata'], dtype=object)]\n", + "in the year end 31 december 2017 contingent payment charge to the profit and loss for the year amount to pln thousand in the year end 31 december 2016 pln thousand\n", + "in the year end 31 december 2017 contingent payment charge to the profit and loss strata for the year amount to pln thousand in the year end 31 december 2016 pln thousand\n", + "w rok zakończony 31 grudzień 2017 rok warunkowy opłata leasingowy ujęte jako koszt dany okres obrotowy wynieść tysiąc pln w rok zakończony dzień 31 grudzień 2016 rok tysiąc pln\n", + "=====================================================================\n", + "[('profit', 100.0, 898), 66.66666666666666, array(['zysk'], dtype=object)]\n", + "in the year end 31 december 2017 contingent payment charge to the profit and loss for the year amount to pln thousand in the year end 31 december 2016 pln thousand\n", + "in the year end 31 december 2017 contingent payment charge to the profit zysk and loss for the year amount to pln thousand in the year end 31 december 2016 pln thousand\n", + "w rok zakończony 31 grudzień 2017 rok warunkowy opłata leasingowy ujęte jako koszt dany okres obrotowy wynieść tysiąc pln w rok zakończony dzień 31 grudzień 2016 rok tysiąc pln\n", + "=====================================================================\n", + "[('year end', 100.0, 1193), 50.0, array(['koniec roku'], dtype=object)]\n", + "in the year end 31 december 2017 contingent payment charge to the profit and loss for the year amount to pln thousand in the year end 31 december 2016 pln thousand\n", + "in the year end koniec roku 31 december 2017 contingent payment charge to the profit and loss for the year amount to pln thousand in the year end 31 december 2016 pln thousand\n", + "w rok zakończony 31 grudzień 2017 rok warunkowy opłata leasingowy ujęte jako koszt dany okres obrotowy wynieść tysiąc pln w rok zakończony dzień 31 grudzień 2016 rok tysiąc pln\n", + "=====================================================================\n", + "[('company', 100.0, 245), 60.0, array(['spółka kapitałowa'], dtype=object)]\n", + "it be often characterize by a high level of sophistication profiling of the specific nature of the industry or company s business operation model include the knowledge of employee their responsibility and position hold and in the company\n", + "it be often characterize by a spółka kapitałowa high level of sophistication profiling of the specific nature of the industry or company s business operation model include the knowledge of employee their responsibility and position hold and in the company\n", + "często charakteryzować się duży wyrafinowanie znajomość specyfika branża lub działalność określony firma włącznie z znajomość pracownik on stanowisko w spółka i zakres obowiązek\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the audit firm refer to in article 58 pay the fee for oversight in a give year in the amount agree on the condition provide in passage 1 from the revenue derive from the statutory audits of the public interest entity conduct on the territory of the republic of poland 3\n", + "the audit badanie sprawozdania finansowego firm refer to in article 58 pay the fee for oversight in a give year in the amount agree on the condition provide in passage 1 from the revenue derive from the statutory audits of the public interest entity conduct on the territory of the republic of poland 3\n", + "firma audytorski o której mowa w art 58 wnosić opłata z tytuł nadzór w dany rok w wysokość ustalonej na zasada określony w ust 1 od przychód osiąganych z tytuł badanie ustawowy jednostka zainteresowanie publicz nego przeprowadzonych na terytorium rzeczypospolitej polski 3\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 57.142857142857146, array(['jednostka'], dtype=object)]\n", + "the audit firm refer to in article 58 pay the fee for oversight in a give year in the amount agree on the condition provide in passage 1 from the revenue derive from the statutory audits of the public interest entity conduct on the territory of the republic of poland 3\n", + "the audit firm refer to in article 58 pay the fee for oversight in a give year in the amount agree on the condition provide in passage 1 from the revenue derive from the statutory audits of the public interest entity jednostka conduct on the territory of the republic of poland 3\n", + "firma audytorski o której mowa w art 58 wnosić opłata z tytuł nadzór w dany rok w wysokość ustalonej na zasada określony w ust 1 od przychód osiąganych z tytuł badanie ustawowy jednostka zainteresowanie publicz nego przeprowadzonych na terytorium rzeczypospolitej polski 3\n", + "=====================================================================\n", + "[('interest', 100.0, 664), 87.5, array(['odsetki'], dtype=object)]\n", + "the audit firm refer to in article 58 pay the fee for oversight in a give year in the amount agree on the condition provide in passage 1 from the revenue derive from the statutory audits of the public interest entity conduct on the territory of the republic of poland 3\n", + "the audit firm refer to in odsetki article 58 pay the fee for oversight in a give year in the amount agree on the condition provide in passage 1 from the revenue derive from the statutory audits of the public interest entity conduct on the territory of the republic of poland 3\n", + "firma audytorski o której mowa w art 58 wnosić opłata z tytuł nadzór w dany rok w wysokość ustalonej na zasada określony w ust 1 od przychód osiąganych z tytuł badanie ustawowy jednostka zainteresowanie publicz nego przeprowadzonych na terytorium rzeczypospolitej polski 3\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 100.0, array(['nadzór'], dtype=object)]\n", + "the audit firm refer to in article 58 pay the fee for oversight in a give year in the amount agree on the condition provide in passage 1 from the revenue derive from the statutory audits of the public interest entity conduct on the territory of the republic of poland 3\n", + "the audit firm refer to in article 58 pay the fee for oversight nadzór in a give year in the amount agree on the condition provide in passage 1 from the revenue derive from the statutory audits of the public interest entity conduct on the territory of the republic of poland 3\n", + "firma audytorski o której mowa w art 58 wnosić opłata z tytuł nadzór w dany rok w wysokość ustalonej na zasada określony w ust 1 od przychód osiąganych z tytuł badanie ustawowy jednostka zainteresowanie publicz nego przeprowadzonych na terytorium rzeczypospolitej polski 3\n", + "=====================================================================\n", + "[('public interest', 100.0, 919), 78.26086956521739, array(['interes publiczny'], dtype=object)]\n", + "the audit firm refer to in article 58 pay the fee for oversight in a give year in the amount agree on the condition provide in passage 1 from the revenue derive from the statutory audits of the public interest entity conduct on the territory of the republic of poland 3\n", + "the audit firm refer to in article 58 pay the fee for oversight in a give year in the amount agree on the condition provide in passage 1 from the revenue derive from the statutory audits of the public interest interes publiczny entity conduct on the territory of the republic of poland 3\n", + "firma audytorski o której mowa w art 58 wnosić opłata z tytuł nadzór w dany rok w wysokość ustalonej na zasada określony w ust 1 od przychód osiąganych z tytuł badanie ustawowy jednostka zainteresowanie publicz nego przeprowadzonych na terytorium rzeczypospolitej polski 3\n", + "=====================================================================\n", + "[('company', 100.0, 245), 100.0, array(['spółka kapitałowa'], dtype=object)]\n", + "8 average number of language use at business service center n 213 company\n", + "8 average number of language use at business service center n spółka kapitałowa 213 company\n", + "8 średni liczba język wykorzystywanych w centrum usługi n 213 firma\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 66.66666666666666, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "the group conclude that the service be satisfied over time give that the customer simultaneously receive and consume the benefit provide by the group consequently under ifrs 15 the group would continue to recognise revenue for these service contract service component of bundle contract over time rather than at a point of time\n", + "the group conclude that the service be satisfied over time give that the customer simultaneously receive and consume the benefit provide by the group consequently under ifrs 15 the group would continue to recognise koszty sprzedanych produktów, towarów i materiałów revenue for these service contract service component of bundle contract over time rather than at a point of time\n", + "grupa uważać że klient jednocześnie otrzymywać i czerpać korzyść płynące z świadczonej usługa w miara wykonywania przez jednostka tej usługa w konsekwencja grupa przenosić kontrola i tym sam spełniać zobowiązanie do wykonanie świadczenie w miara upływ czas a zatem zgodnie z mssf 15 grupa być kontynuować ujmowanie przychód z sprzedaż usługi w miara upływ czas\n", + "=====================================================================\n", + "[('contract', 100.0, 282), 100.0, array(['kontrakt', 'umowa'], dtype=object)]\n", + "the group conclude that the service be satisfied over time give that the customer simultaneously receive and consume the benefit provide by the group consequently under ifrs 15 the group would continue to recognise revenue for these service contract service component of bundle contract over time rather than at a point of time\n", + "the group conclude that the service be satisfied over time give that the customer simultaneously receive and consume the benefit provide by the group consequently under ifrs 15 the group would continue to recognise revenue for these service contract kontrakt service component of bundle contract over time rather than at a point of time\n", + "grupa uważać że klient jednocześnie otrzymywać i czerpać korzyść płynące z świadczonej usługa w miara wykonywania przez jednostka tej usługa w konsekwencja grupa przenosić kontrola i tym sam spełniać zobowiązanie do wykonanie świadczenie w miara upływ czas a zatem zgodnie z mssf 15 grupa być kontynuować ujmowanie przychód z sprzedaż usługi w miara upływ czas\n", + "=====================================================================\n", + "[('contract', 100.0, 283), 100.0, array(['kontrakt', 'umowa'], dtype=object)]\n", + "the group conclude that the service be satisfied over time give that the customer simultaneously receive and consume the benefit provide by the group consequently under ifrs 15 the group would continue to recognise revenue for these service contract service component of bundle contract over time rather than at a point of time\n", + "the group conclude that the service be satisfied over time give that the customer simultaneously receive and consume the benefit provide by the group consequently under ifrs 15 the group would continue to recognise revenue for these service contract kontrakt service component of bundle contract over time rather than at a point of time\n", + "grupa uważać że klient jednocześnie otrzymywać i czerpać korzyść płynące z świadczonej usługa w miara wykonywania przez jednostka tej usługa w konsekwencja grupa przenosić kontrola i tym sam spełniać zobowiązanie do wykonanie świadczenie w miara upływ czas a zatem zgodnie z mssf 15 grupa być kontynuować ujmowanie przychód z sprzedaż usługi w miara upływ czas\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "the group conclude that the service be satisfied over time give that the customer simultaneously receive and consume the benefit provide by the group consequently under ifrs 15 the group would continue to recognise revenue for these service contract service component of bundle contract over time rather than at a point of time\n", + "the group grupa kapitałowa conclude that the service be satisfied over time give that the customer simultaneously receive and consume the benefit provide by the group consequently under ifrs 15 the group would continue to recognise revenue for these service contract service component of bundle contract over time rather than at a point of time\n", + "grupa uważać że klient jednocześnie otrzymywać i czerpać korzyść płynące z świadczonej usługa w miara wykonywania przez jednostka tej usługa w konsekwencja grupa przenosić kontrola i tym sam spełniać zobowiązanie do wykonanie świadczenie w miara upływ czas a zatem zgodnie z mssf 15 grupa być kontynuować ujmowanie przychód z sprzedaż usługi w miara upływ czas\n", + "=====================================================================\n", + "[('ifrs', 100.0, 624), 100.0, array(['mssf'], dtype=object)]\n", + "the group conclude that the service be satisfied over time give that the customer simultaneously receive and consume the benefit provide by the group consequently under ifrs 15 the group would continue to recognise revenue for these service contract service component of bundle contract over time rather than at a point of time\n", + "the group conclude that the service be satisfied over time give that the customer simultaneously receive and consume the benefit provide by the group consequently under ifrs mssf 15 the group would continue to recognise revenue for these service contract service component of bundle contract over time rather than at a point of time\n", + "grupa uważać że klient jednocześnie otrzymywać i czerpać korzyść płynące z świadczonej usługa w miara wykonywania przez jednostka tej usługa w konsekwencja grupa przenosić kontrola i tym sam spełniać zobowiązanie do wykonanie świadczenie w miara upływ czas a zatem zgodnie z mssf 15 grupa być kontynuować ujmowanie przychód z sprzedaż usługi w miara upływ czas\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "before start the control the audit oversight commission controller and a person supervise the audit oversight commission controller which perform control activity or preparatory activity in person prepare documentation of the conduct control or verifie the documentation of the conduct control submit a statement with regard to fulfilment of the condition refer to in article 26 passage 5 first paragraph letter c and d of regulation no 537 2014 under penalty of perjury\n", + "before start the control the audit badanie sprawozdania finansowego oversight commission controller and a person supervise the audit oversight commission controller which perform control activity or preparatory activity in person prepare documentation of the conduct control or verifie the documentation of the conduct control submit a statement with regard to fulfilment of the condition refer to in article 26 passage 5 first paragraph letter c and d of regulation no 537 2014 under penalty of perjury\n", + "przed wszczęciem kontrola kontroler komisja nadzór audytowy i osoba nadzorująca kontroler komisja nad zoru audytowy która dokonywać osobiście czynność kontrolny lub czynność przygotowawczy do kontrola opraco wuje dokumentacja prowadzony kontrola lub weryfikować dokumentacja przeprowadzonych kontrola składać oświadcze nie w zakres spełnienie warunki o których mowa w art 26 ust 5 akapit pierwszy lit c i d rozporządzenie nr 537 2014 pod rygor odpowiedzialność karny za złożenie fałszywy oświadczenie\n", + "=====================================================================\n", + "[('c a', 100.0, 176), 80.0, array(['dyplomowany biegły rewident'], dtype=object)]\n", + "before start the control the audit oversight commission controller and a person supervise the audit oversight commission controller which perform control activity or preparatory activity in person prepare documentation of the conduct control or verifie the documentation of the conduct control submit a statement with regard to fulfilment of the condition refer to in article 26 passage 5 first paragraph letter c and d of regulation no 537 2014 under penalty of perjury\n", + "before start the control the audit oversight commission controller and a person supervise the audit oversight commission controller which perform control activity or preparatory activity in person prepare documentation of the conduct control or verifie the documentation of the conduct control submit a statement with regard to fulfilment of the condition refer to in article 26 passage 5 first paragraph letter c and dyplomowany biegły rewident d of regulation no 537 2014 under penalty of perjury\n", + "przed wszczęciem kontrola kontroler komisja nadzór audytowy i osoba nadzorująca kontroler komisja nad zoru audytowy która dokonywać osobiście czynność kontrolny lub czynność przygotowawczy do kontrola opraco wuje dokumentacja prowadzony kontrola lub weryfikować dokumentacja przeprowadzonych kontrola składać oświadcze nie w zakres spełnienie warunki o których mowa w art 26 ust 5 akapit pierwszy lit c i d rozporządzenie nr 537 2014 pod rygor odpowiedzialność karny za złożenie fałszywy oświadczenie\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "before start the control the audit oversight commission controller and a person supervise the audit oversight commission controller which perform control activity or preparatory activity in person prepare documentation of the conduct control or verifie the documentation of the conduct control submit a statement with regard to fulfilment of the condition refer to in article 26 passage 5 first paragraph letter c and d of regulation no 537 2014 under penalty of perjury\n", + "before start the control the audit oversight commission prowizje controller and a person supervise the audit oversight commission controller which perform control activity or preparatory activity in person prepare documentation of the conduct control or verifie the documentation of the conduct control submit a statement with regard to fulfilment of the condition refer to in article 26 passage 5 first paragraph letter c and d of regulation no 537 2014 under penalty of perjury\n", + "przed wszczęciem kontrola kontroler komisja nadzór audytowy i osoba nadzorująca kontroler komisja nad zoru audytowy która dokonywać osobiście czynność kontrolny lub czynność przygotowawczy do kontrola opraco wuje dokumentacja prowadzony kontrola lub weryfikować dokumentacja przeprowadzonych kontrola składać oświadcze nie w zakres spełnienie warunki o których mowa w art 26 ust 5 akapit pierwszy lit c i d rozporządzenie nr 537 2014 pod rygor odpowiedzialność karny za złożenie fałszywy oświadczenie\n", + "=====================================================================\n", + "[('control', 100.0, 289), 100.0, array(['kontrola '], dtype=object)]\n", + "before start the control the audit oversight commission controller and a person supervise the audit oversight commission controller which perform control activity or preparatory activity in person prepare documentation of the conduct control or verifie the documentation of the conduct control submit a statement with regard to fulfilment of the condition refer to in article 26 passage 5 first paragraph letter c and d of regulation no 537 2014 under penalty of perjury\n", + "before start the control kontrola the audit oversight commission controller and a person supervise the audit oversight commission controller which perform control activity or preparatory activity in person prepare documentation of the conduct control or verifie the documentation of the conduct control submit a statement with regard to fulfilment of the condition refer to in article 26 passage 5 first paragraph letter c and d of regulation no 537 2014 under penalty of perjury\n", + "przed wszczęciem kontrola kontroler komisja nadzór audytowy i osoba nadzorująca kontroler komisja nad zoru audytowy która dokonywać osobiście czynność kontrolny lub czynność przygotowawczy do kontrola opraco wuje dokumentacja prowadzony kontrola lub weryfikować dokumentacja przeprowadzonych kontrola składać oświadcze nie w zakres spełnienie warunki o których mowa w art 26 ust 5 akapit pierwszy lit c i d rozporządzenie nr 537 2014 pod rygor odpowiedzialność karny za złożenie fałszywy oświadczenie\n", + "=====================================================================\n", + "[('irs', 100.0, 627), 100.0, array(['amerykański urząd skarbowy'], dtype=object)]\n", + "before start the control the audit oversight commission controller and a person supervise the audit oversight commission controller which perform control activity or preparatory activity in person prepare documentation of the conduct control or verifie the documentation of the conduct control submit a statement with regard to fulfilment of the condition refer to in article 26 passage 5 first paragraph letter c and d of regulation no 537 2014 under penalty of perjury\n", + "before start the control the audit oversight commission controller and a person supervise the audit oversight commission controller which perform control activity or preparatory activity in person prepare documentation of the conduct control or verifie the documentation of the conduct control submit a statement with regard to fulfilment of the condition refer to in article 26 passage 5 first amerykański urząd skarbowy paragraph letter c and d of regulation no 537 2014 under penalty of perjury\n", + "przed wszczęciem kontrola kontroler komisja nadzór audytowy i osoba nadzorująca kontroler komisja nad zoru audytowy która dokonywać osobiście czynność kontrolny lub czynność przygotowawczy do kontrola opraco wuje dokumentacja prowadzony kontrola lub weryfikować dokumentacja przeprowadzonych kontrola składać oświadcze nie w zakres spełnienie warunki o których mowa w art 26 ust 5 akapit pierwszy lit c i d rozporządzenie nr 537 2014 pod rygor odpowiedzialność karny za złożenie fałszywy oświadczenie\n", + "=====================================================================\n", + "[('company', 100.0, 245), 66.66666666666666, array(['spółka kapitałowa'], dtype=object)]\n", + "it shall be perform in advance so that the company have enough time to perform a gap analysis introduce necessary change and collect require datum in particular when apply full retrospective method of adoption\n", + "it shall be perform in advance so that the company spółka kapitałowa have enough time to perform a gap analysis introduce necessary change and collect require datum in particular when apply full retrospective method of adoption\n", + "powinno to być dokonany z odpowiedni wyprzedzenie tak aby spółka mieć wystarczający ilość czas na przeprowadzenie analiza luka oraz wprowadzenie wymaganych zmiana i zebranie potrzebny informacja szczególnie w przypadek pełny retrospektywny zastosowanie standard\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "those regulation require that we comply with ethical requirement and plan and perform the audit to obtain reasonable assurance whether the consolidated financial statement be free from material misstatement\n", + "those regulation require that we comply with ethical requirement and plan and perform the audit badanie sprawozdania finansowego to obtain reasonable assurance whether the consolidated financial statement be free from material misstatement\n", + "regulacja te wymagać przestrzegania wymóg etyczny oraz zaplanowania i przeprowadzenia badanie w taki sposób aby uzyskać racjonalny pewność że skonsolidowane sprawozdanie finansowy nie zawierać istotny zniekształcenie\n", + "=====================================================================\n", + "[('financial statement', 100.0, 526), 60.0, array(['sprawozdanie finansowe'], dtype=object)]\n", + "those regulation require that we comply with ethical requirement and plan and perform the audit to obtain reasonable assurance whether the consolidated financial statement be free from material misstatement\n", + "those regulation require that we comply with ethical requirement and plan and perform the audit to obtain reasonable assurance whether the consolidated financial statement sprawozdanie finansowe be free from material misstatement\n", + "regulacja te wymagać przestrzegania wymóg etyczny oraz zaplanowania i przeprowadzenia badanie w taki sposób aby uzyskać racjonalny pewność że skonsolidowane sprawozdanie finansowy nie zawierać istotny zniekształcenie\n", + "=====================================================================\n", + "[('reasonable assurance', 100.0, 937), 50.0, array(['wystarczająca pewność'], dtype=object)]\n", + "those regulation require that we comply with ethical requirement and plan and perform the audit to obtain reasonable assurance whether the consolidated financial statement be free from material misstatement\n", + "those regulation require that we comply with ethical requirement and plan and perform the audit to obtain reasonable assurance wystarczająca pewność whether the consolidated financial statement be free from material misstatement\n", + "regulacja te wymagać przestrzegania wymóg etyczny oraz zaplanowania i przeprowadzenia badanie w taki sposób aby uzyskać racjonalny pewność że skonsolidowane sprawozdanie finansowy nie zawierać istotny zniekształcenie\n", + "=====================================================================\n", + "[('restatement', 90.0, 972), 100.0, array(['korekty poprzedniego okresu'], dtype=object)]\n", + "those regulation require that we comply with ethical requirement and plan and perform the audit to obtain reasonable assurance whether the consolidated financial statement be free from material misstatement\n", + "those regulation require that we comply with ethical requirement and plan and perform the audit to obtain reasonable assurance whether the consolidated financial statement korekty poprzedniego okresu be free from material misstatement\n", + "regulacja te wymagać przestrzegania wymóg etyczny oraz zaplanowania i przeprowadzenia badanie w taki sposób aby uzyskać racjonalny pewność że skonsolidowane sprawozdanie finansowy nie zawierać istotny zniekształcenie\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "during the reporting period the composition of the group do not change\n", + "during the reporting period the composition of the group grupa kapitałowa do not change\n", + "w ciąg okres sprawozdawczy skład grupa nie zmienić się\n", + "=====================================================================\n", + "[('report', 100.0, 963), 57.142857142857146, array(['sprawozdawczość'], dtype=object)]\n", + "during the reporting period the composition of the group do not change\n", + "during the reporting sprawozdawczość period the composition of the group do not change\n", + "w ciąg okres sprawozdawczy skład grupa nie zmienić się\n", + "=====================================================================\n", + "[('loan a', 100.0, 722), 54.54545454545455, array(['kredyt (udzielony)'], dtype=object)]\n", + "obligation to issue a loan arise from\n", + "obligation to issue a loan arise kredyt (udzielony) from\n", + "zobowiązanie do udzielenia pożyczka wynikające z\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "there shall be no right of appeal against a first instance decision of the audit oversight commission concern fee for oversight and administrative fine however a party dissatisfy with the decision may submit an application for re examination of the case pursuant to article 127 3 of the act of 14 june 1960 code of administrative procedure\n", + "there shall be no right of appeal against a badanie sprawozdania finansowego first instance decision of the audit oversight commission concern fee for oversight and administrative fine however a party dissatisfy with the decision may submit an application for re examination of the case pursuant to article 127 3 of the act of 14 june 1960 code of administrative procedure\n", + "od decyzja komisja nadzór audytowy wydanych w pierwszy instancja dotyczących opłata z tytuł nadzór oraz karo administracyjny nie służyć odwołanie jednakże strona zadowolony z decyzja móc złożyć wniosek o ponowny rozpatrzenie sprawa zgodnie z art 127 3 ustawa z dzień 14 czerwiec 1960 r kodeks postępowanie administracyjny\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "there shall be no right of appeal against a first instance decision of the audit oversight commission concern fee for oversight and administrative fine however a party dissatisfy with the decision may submit an application for re examination of the case pursuant to article 127 3 of the act of 14 june 1960 code of administrative procedure\n", + "there shall be no right of appeal against a first instance decision of the audit oversight commission prowizje concern fee for oversight and administrative fine however a party dissatisfy with the decision may submit an application for re examination of the case pursuant to article 127 3 of the act of 14 june 1960 code of administrative procedure\n", + "od decyzja komisja nadzór audytowy wydanych w pierwszy instancja dotyczących opłata z tytuł nadzór oraz karo administracyjny nie służyć odwołanie jednakże strona zadowolony z decyzja móc złożyć wniosek o ponowny rozpatrzenie sprawa zgodnie z art 127 3 ustawa z dzień 14 czerwiec 1960 r kodeks postępowanie administracyjny\n", + "=====================================================================\n", + "[('irs', 100.0, 627), 100.0, array(['amerykański urząd skarbowy'], dtype=object)]\n", + "there shall be no right of appeal against a first instance decision of the audit oversight commission concern fee for oversight and administrative fine however a party dissatisfy with the decision may submit an application for re examination of the case pursuant to article 127 3 of the act of 14 june 1960 code of administrative procedure\n", + "there shall be no right of appeal against a first amerykański urząd skarbowy instance decision of the audit oversight commission concern fee for oversight and administrative fine however a party dissatisfy with the decision may submit an application for re examination of the case pursuant to article 127 3 of the act of 14 june 1960 code of administrative procedure\n", + "od decyzja komisja nadzór audytowy wydanych w pierwszy instancja dotyczących opłata z tytuł nadzór oraz karo administracyjny nie służyć odwołanie jednakże strona zadowolony z decyzja móc złożyć wniosek o ponowny rozpatrzenie sprawa zgodnie z art 127 3 ustawa z dzień 14 czerwiec 1960 r kodeks postępowanie administracyjny\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 100.0, array(['nadzór'], dtype=object)]\n", + "there shall be no right of appeal against a first instance decision of the audit oversight commission concern fee for oversight and administrative fine however a party dissatisfy with the decision may submit an application for re examination of the case pursuant to article 127 3 of the act of 14 june 1960 code of administrative procedure\n", + "there shall be no right of appeal against a first instance decision of the audit oversight nadzór commission concern fee for oversight and administrative fine however a party dissatisfy with the decision may submit an application for re examination of the case pursuant to article 127 3 of the act of 14 june 1960 code of administrative procedure\n", + "od decyzja komisja nadzór audytowy wydanych w pierwszy instancja dotyczących opłata z tytuł nadzór oraz karo administracyjny nie służyć odwołanie jednakże strona zadowolony z decyzja móc złożyć wniosek o ponowny rozpatrzenie sprawa zgodnie z art 127 3 ustawa z dzień 14 czerwiec 1960 r kodeks postępowanie administracyjny\n", + "=====================================================================\n", + "[('ppe', 100.0, 844), 66.66666666666666, array(['środki trwałe'], dtype=object)]\n", + "there shall be no right of appeal against a first instance decision of the audit oversight commission concern fee for oversight and administrative fine however a party dissatisfy with the decision may submit an application for re examination of the case pursuant to article 127 3 of the act of 14 june 1960 code of administrative procedure\n", + "there shall be no right of appeal środki trwałe against a first instance decision of the audit oversight commission concern fee for oversight and administrative fine however a party dissatisfy with the decision may submit an application for re examination of the case pursuant to article 127 3 of the act of 14 june 1960 code of administrative procedure\n", + "od decyzja komisja nadzór audytowy wydanych w pierwszy instancja dotyczących opłata z tytuł nadzór oraz karo administracyjny nie służyć odwołanie jednakże strona zadowolony z decyzja móc złożyć wniosek o ponowny rozpatrzenie sprawa zgodnie z art 127 3 ustawa z dzień 14 czerwiec 1960 r kodeks postępowanie administracyjny\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the list shall be keep in the electronic form and shall be publish on the website of the polish chamber of statutory auditors\n", + "the list badanie sprawozdania finansowego shall be keep in the electronic form and shall be publish on the website of the polish chamber of statutory auditors\n", + "lista jest prowadzony w postać elektroniczny i jest dostępny na strona internetowy polski izba biegły rewi dentów\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "the list shall be keep in the electronic form and shall be publish on the website of the polish chamber of statutory auditors\n", + "the list shall be keep in the electronic form and shall be publish on the website of the polish chamber of statutory biegły rewident auditors\n", + "lista jest prowadzony w postać elektroniczny i jest dostępny na strona internetowy polski izba biegły rewi dentów\n", + "=====================================================================\n", + "[('company', 100.0, 245), 100.0, array(['spółka kapitałowa'], dtype=object)]\n", + "29 proportion of business service center use at least 10 language in provide their service n 213 company\n", + "29 proportion of business service center use at least 10 language in provide their service n spółka kapitałowa 213 company\n", + "29 udział centrum wykorzystujących do świadczenie usługi co mało 10 język n 213 firma\n", + "=====================================================================\n", + "[('lease', 100.0, 709), 57.142857142857146, array(['leasing'], dtype=object)]\n", + "please note that the new clause apply to tax benefit obtain after the effective date\n", + "please leasing note that the new clause apply to tax benefit obtain after the effective date\n", + "co istotny klauzula móc mieść zastosowanie do korzyść podatkowy uzyskanych po dzień on wejście w żyto\n", + "=====================================================================\n", + "[('note', 100.0, 791), 66.66666666666666, array(['informacja dodatkowa'], dtype=object)]\n", + "please note that the new clause apply to tax benefit obtain after the effective date\n", + "please note informacja dodatkowa that the new clause apply to tax benefit obtain after the effective date\n", + "co istotny klauzula móc mieść zastosowanie do korzyść podatkowy uzyskanych po dzień on wejście w żyto\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 40.0, array(['strata'], dtype=object)]\n", + "relate to pre tax profit loss\n", + "relate to strata pre tax profit loss\n", + "wynikający z zysku straty przed opodatkowanie\n", + "=====================================================================\n", + "[('profit', 100.0, 898), 57.142857142857146, array(['zysk'], dtype=object)]\n", + "relate to pre tax profit loss\n", + "relate to pre tax profit zysk loss\n", + "wynikający z zysku straty przed opodatkowanie\n", + "=====================================================================\n", + "[('dilution', 100.0, 379), 0, array(['rozcieńczenie'], dtype=object)]\n", + "effect of dilution\n", + "effect of rozcieńczenie dilution\n", + "wpływ rozwodnienia\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "in the case specify in article 24 3 of the act of 14 june 1960 code of administrative procedure a decision on exclude from participation in the proceeding 1 the deputy chairperson or other member of the commission oversight commission be take by the chairperson at the request of the party the deputy chairperson a member of the audit oversight commission or ex officio 2 the chairperson be take by the audit oversight commission by adopt a resolution without the chairperson at the request of the party the chairperson the deputy chairperson a member of the audit oversight commission or ex officio dz u 44 item 1089 article 99 1\n", + "in the case specify in article 24 3 of the act of 14 june 1960 code of administrative procedure a badanie sprawozdania finansowego decision on exclude from participation in the proceeding 1 the deputy chairperson or other member of the commission oversight commission be take by the chairperson at the request of the party the deputy chairperson a member of the audit oversight commission or ex officio 2 the chairperson be take by the audit oversight commission by adopt a resolution without the chairperson at the request of the party the chairperson the deputy chairperson a member of the audit oversight commission or ex officio dz u 44 item 1089 article 99 1\n", + "w przypadek określony w art 24 3 ustawa z dzień 14 czerwiec 1960 r kodeks postępowanie administracyjny on o wyłączenie od udział w postępowanie 1 zastępca przewodniczący lub inny członek komisja nadzór audytowy postanawiać przewodniczący na wniosek strona zastępca przewodniczący inny członek komisja nadzór audytowy albo z urząd 2 przewodniczący postanawiać komisja nadzór audytowy podejmować uchwała bez udział przewodniczący na wniosek strona przewodniczący zastępca przewodniczący inny członek komisja nadzór audytowy albo z urząd dziennik ustawa 42 poz 1089 art 99 1\n", + "=====================================================================\n", + "[('cio', 100.0, 182), 100.0, array(['dyrektor ds. informacji'], dtype=object)]\n", + "in the case specify in article 24 3 of the act of 14 june 1960 code of administrative procedure a decision on exclude from participation in the proceeding 1 the deputy chairperson or other member of the commission oversight commission be take by the chairperson at the request of the party the deputy chairperson a member of the audit oversight commission or ex officio 2 the chairperson be take by the audit oversight commission by adopt a resolution without the chairperson at the request of the party the chairperson the deputy chairperson a member of the audit oversight commission or ex officio dz u 44 item 1089 article 99 1\n", + "in the case specify in article 24 3 of the act of 14 june 1960 code of administrative procedure a decision on exclude from participation in the proceeding 1 the deputy chairperson or other member of the commission oversight commission be take by the chairperson at the request of the party the deputy chairperson a member of the audit oversight commission or ex officio dyrektor ds. informacji 2 the chairperson be take by the audit oversight commission by adopt a resolution without the chairperson at the request of the party the chairperson the deputy chairperson a member of the audit oversight commission or ex officio dz u 44 item 1089 article 99 1\n", + "w przypadek określony w art 24 3 ustawa z dzień 14 czerwiec 1960 r kodeks postępowanie administracyjny on o wyłączenie od udział w postępowanie 1 zastępca przewodniczący lub inny członek komisja nadzór audytowy postanawiać przewodniczący na wniosek strona zastępca przewodniczący inny członek komisja nadzór audytowy albo z urząd 2 przewodniczący postanawiać komisja nadzór audytowy podejmować uchwała bez udział przewodniczący na wniosek strona przewodniczący zastępca przewodniczący inny członek komisja nadzór audytowy albo z urząd dziennik ustawa 42 poz 1089 art 99 1\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "in the case specify in article 24 3 of the act of 14 june 1960 code of administrative procedure a decision on exclude from participation in the proceeding 1 the deputy chairperson or other member of the commission oversight commission be take by the chairperson at the request of the party the deputy chairperson a member of the audit oversight commission or ex officio 2 the chairperson be take by the audit oversight commission by adopt a resolution without the chairperson at the request of the party the chairperson the deputy chairperson a member of the audit oversight commission or ex officio dz u 44 item 1089 article 99 1\n", + "in the case specify in article 24 3 of the act of 14 june 1960 code of administrative procedure a decision on prowizje exclude from participation in the proceeding 1 the deputy chairperson or other member of the commission oversight commission be take by the chairperson at the request of the party the deputy chairperson a member of the audit oversight commission or ex officio 2 the chairperson be take by the audit oversight commission by adopt a resolution without the chairperson at the request of the party the chairperson the deputy chairperson a member of the audit oversight commission or ex officio dz u 44 item 1089 article 99 1\n", + "w przypadek określony w art 24 3 ustawa z dzień 14 czerwiec 1960 r kodeks postępowanie administracyjny on o wyłączenie od udział w postępowanie 1 zastępca przewodniczący lub inny członek komisja nadzór audytowy postanawiać przewodniczący na wniosek strona zastępca przewodniczący inny członek komisja nadzór audytowy albo z urząd 2 przewodniczący postanawiać komisja nadzór audytowy podejmować uchwała bez udział przewodniczący na wniosek strona przewodniczący zastępca przewodniczący inny członek komisja nadzór audytowy albo z urząd dziennik ustawa 42 poz 1089 art 99 1\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 100.0, array(['nadzór'], dtype=object)]\n", + "in the case specify in article 24 3 of the act of 14 june 1960 code of administrative procedure a decision on exclude from participation in the proceeding 1 the deputy chairperson or other member of the commission oversight commission be take by the chairperson at the request of the party the deputy chairperson a member of the audit oversight commission or ex officio 2 the chairperson be take by the audit oversight commission by adopt a resolution without the chairperson at the request of the party the chairperson the deputy chairperson a member of the audit oversight commission or ex officio dz u 44 item 1089 article 99 1\n", + "in the case specify in article 24 3 of the act of 14 june 1960 code of administrative procedure a decision on exclude from participation in the proceeding 1 the deputy chairperson or other member of the commission oversight nadzór commission be take by the chairperson at the request of the party the deputy chairperson a member of the audit oversight commission or ex officio 2 the chairperson be take by the audit oversight commission by adopt a resolution without the chairperson at the request of the party the chairperson the deputy chairperson a member of the audit oversight commission or ex officio dz u 44 item 1089 article 99 1\n", + "w przypadek określony w art 24 3 ustawa z dzień 14 czerwiec 1960 r kodeks postępowanie administracyjny on o wyłączenie od udział w postępowanie 1 zastępca przewodniczący lub inny członek komisja nadzór audytowy postanawiać przewodniczący na wniosek strona zastępca przewodniczący inny członek komisja nadzór audytowy albo z urząd 2 przewodniczący postanawiać komisja nadzór audytowy podejmować uchwała bez udział przewodniczący na wniosek strona przewodniczący zastępca przewodniczący inny członek komisja nadzór audytowy albo z urząd dziennik ustawa 42 poz 1089 art 99 1\n", + "=====================================================================\n", + "[('company', 100.0, 245), 66.66666666666666, array(['spółka kapitałowa'], dtype=object)]\n", + "the company have not decide to apply early any standard interpretation or amendment that have be issue but have not yet become effective in light of the eu regulation\n", + "the company spółka kapitałowa have not decide to apply early any standard interpretation or amendment that have be issue but have not yet become effective in light of the eu regulation\n", + "spółka nie zdecydować się na wczesny zastosowanie żadnego inny standard interpretacja lub zmiana które zostały opublikowane lecz dotychczas nie wniść w żyto w światło przepis unia europejski\n", + "=====================================================================\n", + "[('erp', 100.0, 413), 100.0, array(['planowanie zasobów przedsiębiorstwa'], dtype=object)]\n", + "the company have not decide to apply early any standard interpretation or amendment that have be issue but have not yet become effective in light of the eu regulation\n", + "the company have not decide to apply early any standard interpretation planowanie zasobów przedsiębiorstwa or amendment that have be issue but have not yet become effective in light of the eu regulation\n", + "spółka nie zdecydować się na wczesny zastosowanie żadnego inny standard interpretacja lub zmiana które zostały opublikowane lecz dotychczas nie wniść w żyto w światło przepis unia europejski\n", + "=====================================================================\n", + "[('ema', 100.0, 410), 66.66666666666666, array(['rachunkowość zarządcza ochrony środowiska'], dtype=object)]\n", + "business service in poland trend challenge direction for growth 58 business services sector in poland 2018 in poland more than 1 200 ssc it r d and bpo center have be create the year of tranquil passive growth in the industry be go and the tempo now set by technological progress be force an evolution in scc organizational model such organization must adapt in order to remain center of high competence and to raise their status in set the agenda for transform the operational effectiveness of global corporation\n", + "business service in poland trend challenge direction for growth 58 business services sector in poland 2018 in poland more than 1 200 ssc it r d and bpo center have be create the year of tranquil passive growth in the industry be go and the tempo now set by technological progress be force an evolution in scc organizational model such organization must adapt in order to remain rachunkowość zarządcza ochrony środowiska center of high competence and to raise their status in set the agenda for transform the operational effectiveness of global corporation\n", + "usługa biznesowy w polska trend wyzwanie kierunek rozwój 58 sektor nowoczesny usługi biznesowy w polska 2018 w polska powstać ponad 1200 centrum usługi wspól nych cuw it badanie i rozwój b r oraz centrum bpo rok spokojny pasywny wzrost branża mieć już za sobą i tempo nakręcanych postęp tech nologicznym zmiana wymuszać szybka ewolucja model organizacja cuw aby obronić koncepcja centrum kompetencja i podnieść on ranga w definiowaniu agenda transformacja doskonałość operacyjny globalny korporacja\n", + "=====================================================================\n", + "[('organization cost', 88.23529411764706, 820), 69.56521739130434, array(['koszty organizacji spółki'], dtype=object)]\n", + "business service in poland trend challenge direction for growth 58 business services sector in poland 2018 in poland more than 1 200 ssc it r d and bpo center have be create the year of tranquil passive growth in the industry be go and the tempo now set by technological progress be force an evolution in scc organizational model such organization must adapt in order to remain center of high competence and to raise their status in set the agenda for transform the operational effectiveness of global corporation\n", + "business service in poland trend challenge direction for growth 58 business services sector in poland 2018 in poland more than 1 200 ssc it r d and bpo center have be create the year of tranquil passive growth in the industry be go and the tempo now set by technological progress be force an evolution in scc organizational model such organization must koszty organizacji spółki adapt in order to remain center of high competence and to raise their status in set the agenda for transform the operational effectiveness of global corporation\n", + "usługa biznesowy w polska trend wyzwanie kierunek rozwój 58 sektor nowoczesny usługi biznesowy w polska 2018 w polska powstać ponad 1200 centrum usługi wspól nych cuw it badanie i rozwój b r oraz centrum bpo rok spokojny pasywny wzrost branża mieć już za sobą i tempo nakręcanych postęp tech nologicznym zmiana wymuszać szybka ewolucja model organizacja cuw aby obronić koncepcja centrum kompetencja i podnieść on ranga w definiowaniu agenda transformacja doskonałość operacyjny globalny korporacja\n", + "=====================================================================\n", + "[('account', 100.0, 13), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "for derivative that do not qualify for hedge accounting any gain or loss arise from change in fair value be take directly to the profit or loss for the period\n", + "for derivative that do not qualify for hedge accounting konto any gain or loss arise from change in fair value be take directly to the profit or loss for the period\n", + "zysk lub strata powstały w wynik zmiana wartość godziwy instrument pochodny które nie spełniać warunki umożliwiających stosowanie zasada rachunkowość zabezpieczenie są ujmowane bezpośrednio w wynik finansowy netto za bieżący okres\n", + "=====================================================================\n", + "[('account', 100.0, 25), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "for derivative that do not qualify for hedge accounting any gain or loss arise from change in fair value be take directly to the profit or loss for the period\n", + "for derivative that do not qualify for hedge accounting konto any gain or loss arise from change in fair value be take directly to the profit or loss for the period\n", + "zysk lub strata powstały w wynik zmiana wartość godziwy instrument pochodny które nie spełniać warunki umożliwiających stosowanie zasada rachunkowość zabezpieczenie są ujmowane bezpośrednio w wynik finansowy netto za bieżący okres\n", + "=====================================================================\n", + "[('account', 100.0, 57), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "for derivative that do not qualify for hedge accounting any gain or loss arise from change in fair value be take directly to the profit or loss for the period\n", + "for derivative that do not qualify for hedge accounting konto any gain or loss arise from change in fair value be take directly to the profit or loss for the period\n", + "zysk lub strata powstały w wynik zmiana wartość godziwy instrument pochodny które nie spełniać warunki umożliwiających stosowanie zasada rachunkowość zabezpieczenie są ujmowane bezpośrednio w wynik finansowy netto za bieżący okres\n", + "=====================================================================\n", + "[('derivative', 100.0, 377), 66.66666666666666, array(['instrumenty pochodne'], dtype=object)]\n", + "for derivative that do not qualify for hedge accounting any gain or loss arise from change in fair value be take directly to the profit or loss for the period\n", + "for derivative instrumenty pochodne that do not qualify for hedge accounting any gain or loss arise from change in fair value be take directly to the profit or loss for the period\n", + "zysk lub strata powstały w wynik zmiana wartość godziwy instrument pochodny które nie spełniać warunki umożliwiających stosowanie zasada rachunkowość zabezpieczenie są ujmowane bezpośrednio w wynik finansowy netto za bieżący okres\n", + "=====================================================================\n", + "[('fair value', 100.0, 497), 44.44444444444444, array(['wartość godziwa'], dtype=object)]\n", + "for derivative that do not qualify for hedge accounting any gain or loss arise from change in fair value be take directly to the profit or loss for the period\n", + "for derivative that do not qualify for hedge accounting any gain or loss arise from change in fair value wartość godziwa be take directly to the profit or loss for the period\n", + "zysk lub strata powstały w wynik zmiana wartość godziwy instrument pochodny które nie spełniać warunki umożliwiających stosowanie zasada rachunkowość zabezpieczenie są ujmowane bezpośrednio w wynik finansowy netto za bieżący okres\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 66.66666666666666, array(['aktywa'], dtype=object)]\n", + "all asset and liability which be re measure to fair value or whose fair value be disclose in the financial statement be classify in the fair value hierarchy in the follow manner base on the low level of input which be significant to the entire measurement\n", + "all asset aktywa and liability which be re measure to fair value or whose fair value be disclose in the financial statement be classify in the fair value hierarchy in the follow manner base on the low level of input which be significant to the entire measurement\n", + "wszystkie aktywa oraz zobowiązanie które są wyceniane do wartość godziwy lub on wartość godziwy jest ujawniana w sprawozdanie finansowy są klasyfikowane w hierarchia wartość godziwy w sposób opisany poniżej na podstawa niski poziom dane wejściowy który jest istotny dla wycena do wartość godziwy traktowanej jako całość\n", + "=====================================================================\n", + "[('fair value', 100.0, 497), 47.05882352941177, array(['wartość godziwa'], dtype=object)]\n", + "all asset and liability which be re measure to fair value or whose fair value be disclose in the financial statement be classify in the fair value hierarchy in the follow manner base on the low level of input which be significant to the entire measurement\n", + "all asset and liability which be re measure to fair value wartość godziwa or whose fair value be disclose in the financial statement be classify in the fair value hierarchy in the follow manner base on the low level of input which be significant to the entire measurement\n", + "wszystkie aktywa oraz zobowiązanie które są wyceniane do wartość godziwy lub on wartość godziwy jest ujawniana w sprawozdanie finansowy są klasyfikowane w hierarchia wartość godziwy w sposób opisany poniżej na podstawa niski poziom dane wejściowy który jest istotny dla wycena do wartość godziwy traktowanej jako całość\n", + "=====================================================================\n", + "[('financial statement', 100.0, 526), 60.869565217391305, array(['sprawozdanie finansowe'], dtype=object)]\n", + "all asset and liability which be re measure to fair value or whose fair value be disclose in the financial statement be classify in the fair value hierarchy in the follow manner base on the low level of input which be significant to the entire measurement\n", + "all asset and liability which be re measure to fair value or whose fair value be disclose in the financial statement sprawozdanie finansowe be classify in the fair value hierarchy in the follow manner base on the low level of input which be significant to the entire measurement\n", + "wszystkie aktywa oraz zobowiązanie które są wyceniane do wartość godziwy lub on wartość godziwy jest ujawniana w sprawozdanie finansowy są klasyfikowane w hierarchia wartość godziwy w sposób opisany poniżej na podstawa niski poziom dane wejściowy który jest istotny dla wycena do wartość godziwy traktowanej jako całość\n", + "=====================================================================\n", + "[('liability', 100.0, 716), 66.66666666666666, array(['zobowiązania'], dtype=object)]\n", + "all asset and liability which be re measure to fair value or whose fair value be disclose in the financial statement be classify in the fair value hierarchy in the follow manner base on the low level of input which be significant to the entire measurement\n", + "all asset and liability zobowiązania which be re measure to fair value or whose fair value be disclose in the financial statement be classify in the fair value hierarchy in the follow manner base on the low level of input which be significant to the entire measurement\n", + "wszystkie aktywa oraz zobowiązanie które są wyceniane do wartość godziwy lub on wartość godziwy jest ujawniana w sprawozdanie finansowy są klasyfikowane w hierarchia wartość godziwy w sposób opisany poniżej na podstawa niski poziom dane wejściowy który jest istotny dla wycena do wartość godziwy traktowanej jako całość\n", + "=====================================================================\n", + "[('interim financial statement', 88.88888888888889, 667), 45.45454545454545, array(['śródroczne sprawozdania finansowe'], dtype=object)]\n", + "all asset and liability which be re measure to fair value or whose fair value be disclose in the financial statement be classify in the fair value hierarchy in the follow manner base on the low level of input which be significant to the entire measurement\n", + "all asset and liability which be re measure to fair value or whose fair value be disclose in the financial statement śródroczne sprawozdania finansowe be classify in the fair value hierarchy in the follow manner base on the low level of input which be significant to the entire measurement\n", + "wszystkie aktywa oraz zobowiązanie które są wyceniane do wartość godziwy lub on wartość godziwy jest ujawniana w sprawozdanie finansowy są klasyfikowane w hierarchia wartość godziwy w sposób opisany poniżej na podstawa niski poziom dane wejściowy który jest istotny dla wycena do wartość godziwy traktowanej jako całość\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the audit committee or a body perform its function shall make the additional report of the audit committee available to the general meeting shareholder or owner of the audit entity\n", + "the audit badanie sprawozdania finansowego committee or a body perform its function shall make the additional report of the audit committee available to the general meeting shareholder or owner of the audit entity\n", + "komitet audyt lub organ pełniący on funkcja móc udostępnić sprawozdanie dodatkowy dla komitet audyt walny zgromadzenie wspólnik lub właściciel badany jednostka\n", + "=====================================================================\n", + "[('audit committee', 100.0, 113), 66.66666666666666, array(['komisja rewizyjna'], dtype=object)]\n", + "the audit committee or a body perform its function shall make the additional report of the audit committee available to the general meeting shareholder or owner of the audit entity\n", + "the audit committee komisja rewizyjna or a body perform its function shall make the additional report of the audit committee available to the general meeting shareholder or owner of the audit entity\n", + "komitet audyt lub organ pełniący on funkcja móc udostępnić sprawozdanie dodatkowy dla komitet audyt walny zgromadzenie wspólnik lub właściciel badany jednostka\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 60.0, array(['jednostka'], dtype=object)]\n", + "the audit committee or a body perform its function shall make the additional report of the audit committee available to the general meeting shareholder or owner of the audit entity\n", + "the audit committee or a body perform its jednostka function shall make the additional report of the audit committee available to the general meeting shareholder or owner of the audit entity\n", + "komitet audyt lub organ pełniący on funkcja móc udostępnić sprawozdanie dodatkowy dla komitet audyt walny zgromadzenie wspólnik lub właściciel badany jednostka\n", + "=====================================================================\n", + "[('report', 100.0, 963), 50.0, array(['sprawozdawczość'], dtype=object)]\n", + "the audit committee or a body perform its function shall make the additional report of the audit committee available to the general meeting shareholder or owner of the audit entity\n", + "the audit committee or sprawozdawczość a body perform its function shall make the additional report of the audit committee available to the general meeting shareholder or owner of the audit entity\n", + "komitet audyt lub organ pełniący on funkcja móc udostępnić sprawozdanie dodatkowy dla komitet audyt walny zgromadzenie wspólnik lub właściciel badany jednostka\n", + "=====================================================================\n", + "[('coo', 100.0, 184), 50.0, array(['dyrektor operacyjny'], dtype=object)]\n", + "cooperate closely with after sale support manager on technical improvement and training organization participate in care services process renewal\n", + "cooperate dyrektor operacyjny closely with after sale support manager on technical improvement and training organization participate in care services process renewal\n", + "ścisły współpraca z kierownik wsparcie posprzedażowego w zakres udoskonalenie techniczny i organizacja szkolenie uczestnictwo w aktualizacja proces obsługa\n", + "=====================================================================\n", + "[('sale', 100.0, 1000), 75.0, array(['sprzedaż'], dtype=object)]\n", + "cooperate closely with after sale support manager on technical improvement and training organization participate in care services process renewal\n", + "cooperate closely with after sale sprzedaż support manager on technical improvement and training organization participate in care services process renewal\n", + "ścisły współpraca z kierownik wsparcie posprzedażowego w zakres udoskonalenie techniczny i organizacja szkolenie uczestnictwo w aktualizacja proces obsługa\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 40.0, array(['strata'], dtype=object)]\n", + "profit loss for the period\n", + "profit loss strata for the period\n", + "zysk strata netto za okres\n", + "=====================================================================\n", + "[('profit', 100.0, 898), 36.36363636363637, array(['zysk'], dtype=object)]\n", + "profit loss for the period\n", + "profit zysk loss for the period\n", + "zysk strata netto za okres\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the audit oversight commission shall approve within 30 day from the date of delivery the resolution mention in passage 4 item 1 6\n", + "the audit badanie sprawozdania finansowego oversight commission shall approve within 30 day from the date of delivery the resolution mention in passage 4 item 1 6\n", + "komisja nadzór audytowy zatwierdzać w termin 30 dzień od dzień doręczenia uchwała o której mowa w ust 4 pkt 1 6\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "the audit oversight commission shall approve within 30 day from the date of delivery the resolution mention in passage 4 item 1 6\n", + "the audit oversight commission prowizje shall approve within 30 day from the date of delivery the resolution mention in passage 4 item 1 6\n", + "komisja nadzór audytowy zatwierdzać w termin 30 dzień od dzień doręczenia uchwała o której mowa w ust 4 pkt 1 6\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 100.0, array(['nadzór'], dtype=object)]\n", + "the audit oversight commission shall approve within 30 day from the date of delivery the resolution mention in passage 4 item 1 6\n", + "the audit oversight nadzór commission shall approve within 30 day from the date of delivery the resolution mention in passage 4 item 1 6\n", + "komisja nadzór audytowy zatwierdzać w termin 30 dzień od dzień doręczenia uchwała o której mowa w ust 4 pkt 1 6\n", + "=====================================================================\n", + "[('invoice', 100.0, 694), 100.0, array(['faktura'], dtype=object)]\n", + "in addition the plan legislative change aim towards increase sanction against unreliable taxpayer who e g use so call blank invoice\n", + "in faktura addition the plan legislative change aim towards increase sanction against unreliable taxpayer who e g use so call blank invoice\n", + "dodatkowo planowane zmiana legislacyjny zmierzać w kierunek zwiększania sankcja wobec rzetelny podatnik posługujący się m in pusty faktura\n", + "=====================================================================\n", + "[('employee benefit', 100.0, 446), 38.46153846153846, array(['świadczenia pracownicze'], dtype=object)]\n", + "the table below summarise the net amount of employee benefit the amount of the provision and movement in employee benefit liability over the period\n", + "the table below summarise the net amount of employee benefit świadczenia pracownicze the amount of the provision and movement in employee benefit liability over the period\n", + "podsumowanie świadczenie kwota rezerwa oraz uzgodnienie przedstawiające zmiana stan w ciąg okres obrotowy przedstawić w poniższy tabela\n", + "=====================================================================\n", + "[('liability', 100.0, 716), 44.44444444444444, array(['zobowiązania'], dtype=object)]\n", + "the table below summarise the net amount of employee benefit the amount of the provision and movement in employee benefit liability over the period\n", + "the table below summarise the net amount of employee benefit the amount of the provision and movement in employee benefit liability zobowiązania over the period\n", + "podsumowanie świadczenie kwota rezerwa oraz uzgodnienie przedstawiające zmiana stan w ciąg okres obrotowy przedstawić w poniższy tabela\n", + "=====================================================================\n", + "[('movement', 100.0, 767), 44.44444444444444, array(['zmiana stanu'], dtype=object)]\n", + "the table below summarise the net amount of employee benefit the amount of the provision and movement in employee benefit liability over the period\n", + "the table below summarise the net amount of employee benefit the amount of the provision and movement zmiana stanu in employee benefit liability over the period\n", + "podsumowanie świadczenie kwota rezerwa oraz uzgodnienie przedstawiające zmiana stan w ciąg okres obrotowy przedstawić w poniższy tabela\n", + "=====================================================================\n", + "[('provision', 100.0, 909), 57.142857142857146, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "the table below summarise the net amount of employee benefit the amount of the provision and movement in employee benefit liability over the period\n", + "the table below summarise the net amount of employee benefit the amount of the provision rezerwa and movement in employee benefit liability over the period\n", + "podsumowanie świadczenie kwota rezerwa oraz uzgodnienie przedstawiające zmiana stan w ciąg okres obrotowy przedstawić w poniższy tabela\n", + "=====================================================================\n", + "[('provision', 100.0, 911), 57.142857142857146, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "the table below summarise the net amount of employee benefit the amount of the provision and movement in employee benefit liability over the period\n", + "the table below summarise the net amount of employee benefit the amount of the provision rezerwa and movement in employee benefit liability over the period\n", + "podsumowanie świadczenie kwota rezerwa oraz uzgodnienie przedstawiające zmiana stan w ciąg okres obrotowy przedstawić w poniższy tabela\n", + "=====================================================================\n", + "[('year end', 100.0, 1193), 33.33333333333333, array(['koniec roku'], dtype=object)]\n", + "year end 31 december 2016 restate\n", + "year end koniec roku 31 december 2016 restate\n", + "rok zakończony 31 grudzień 2016 przekształcone nota\n", + "=====================================================================\n", + "[('acquisition', 100.0, 67), 100.0, array(['nabycie przedsiębiorstwa'], dtype=object)]\n", + "where the value add tax incur on a purchase of asset or service be not recoverable from the taxation authority in which case value add tax be recognise as part of the cost of acquisition of the asset or as part of the expense item as applicable and\n", + "where the value add tax incur on nabycie przedsiębiorstwa a purchase of asset or service be not recoverable from the taxation authority in which case value add tax be recognise as part of the cost of acquisition of the asset or as part of the expense item as applicable and\n", + "gdy podatek od towar i usługi zapłacony przy zakup aktywa lub usługi nie jest możliwy do odzyskanie od organy podatkowy wtedy jest on ujmowany odpowiednio jako część cena nabycie składnik aktywa lub jako część pozycja kosztowy oraz\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 66.66666666666666, array(['aktywa'], dtype=object)]\n", + "where the value add tax incur on a purchase of asset or service be not recoverable from the taxation authority in which case value add tax be recognise as part of the cost of acquisition of the asset or as part of the expense item as applicable and\n", + "where the value add tax incur on a aktywa purchase of asset or service be not recoverable from the taxation authority in which case value add tax be recognise as part of the cost of acquisition of the asset or as part of the expense item as applicable and\n", + "gdy podatek od towar i usługi zapłacony przy zakup aktywa lub usługi nie jest możliwy do odzyskanie od organy podatkowy wtedy jest on ujmowany odpowiednio jako część cena nabycie składnik aktywa lub jako część pozycja kosztowy oraz\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 66.66666666666666, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "where the value add tax incur on a purchase of asset or service be not recoverable from the taxation authority in which case value add tax be recognise as part of the cost of acquisition of the asset or as part of the expense item as applicable and\n", + "where the value add tax incur on a purchase of asset or service be not recoverable from the taxation authority in which case value add tax be recognise koszty sprzedanych produktów, towarów i materiałów as part of the cost of acquisition of the asset or as part of the expense item as applicable and\n", + "gdy podatek od towar i usługi zapłacony przy zakup aktywa lub usługi nie jest możliwy do odzyskanie od organy podatkowy wtedy jest on ujmowany odpowiednio jako część cena nabycie składnik aktywa lub jako część pozycja kosztowy oraz\n", + "=====================================================================\n", + "[('cost', 100.0, 303), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "where the value add tax incur on a purchase of asset or service be not recoverable from the taxation authority in which case value add tax be recognise as part of the cost of acquisition of the asset or as part of the expense item as applicable and\n", + "where the value add tax incur on a purchase of asset or service be not recoverable from the taxation authority in which case value add tax be recognise as part of the cost koszt of acquisition of the asset or as part of the expense item as applicable and\n", + "gdy podatek od towar i usługi zapłacony przy zakup aktywa lub usługi nie jest możliwy do odzyskanie od organy podatkowy wtedy jest on ujmowany odpowiednio jako część cena nabycie składnik aktywa lub jako część pozycja kosztowy oraz\n", + "=====================================================================\n", + "[('cost', 100.0, 324), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "where the value add tax incur on a purchase of asset or service be not recoverable from the taxation authority in which case value add tax be recognise as part of the cost of acquisition of the asset or as part of the expense item as applicable and\n", + "where the value add tax incur on a purchase of asset or service be not recoverable from the taxation authority in which case value add tax be recognise as part of the cost koszt of acquisition of the asset or as part of the expense item as applicable and\n", + "gdy podatek od towar i usługi zapłacony przy zakup aktywa lub usługi nie jest możliwy do odzyskanie od organy podatkowy wtedy jest on ujmowany odpowiednio jako część cena nabycie składnik aktywa lub jako część pozycja kosztowy oraz\n", + "=====================================================================\n", + "[('account', 100.0, 13), 42.857142857142854, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "as part of update the datum we also take into account difference result from change in ownership and several investor terminate their operation in poland\n", + "as part of update the datum we also take into account konto difference result from change in ownership and several investor terminate their operation in poland\n", + "w ramy aktualizacja dane uwzględnić także różnica wynikające z zmiana właścicielski oraz zakończenie prowadzenie działalność w polska przez kilku inwestor\n", + "=====================================================================\n", + "[('account', 100.0, 25), 42.857142857142854, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "as part of update the datum we also take into account difference result from change in ownership and several investor terminate their operation in poland\n", + "as part of update the datum we also take into account konto difference result from change in ownership and several investor terminate their operation in poland\n", + "w ramy aktualizacja dane uwzględnić także różnica wynikające z zmiana właścicielski oraz zakończenie prowadzenie działalność w polska przez kilku inwestor\n", + "=====================================================================\n", + "[('account', 100.0, 57), 42.857142857142854, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "as part of update the datum we also take into account difference result from change in ownership and several investor terminate their operation in poland\n", + "as part of update the datum we also take into account konto difference result from change in ownership and several investor terminate their operation in poland\n", + "w ramy aktualizacja dane uwzględnić także różnica wynikające z zmiana właścicielski oraz zakończenie prowadzenie działalność w polska przez kilku inwestor\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "in the case when legal regulation of the third country or other obstacle prevent the audit documentation possess by the statutory auditor or the audit firm come from the third country from be deliver to the audit firm of the group the documentation of the audit conduct by the audit firm of the group shall prove that it undertake action in order to access the audit documentation possess by the statutory auditor or the audit firm come from the third country from be deliver and in the case of any barrier other than any legal regulation bind in the third country evidence of their existence\n", + "in the case when legal regulation of the third country or other obstacle prevent the audit badanie sprawozdania finansowego documentation possess by the statutory auditor or the audit firm come from the third country from be deliver to the audit firm of the group the documentation of the audit conduct by the audit firm of the group shall prove that it undertake action in order to access the audit documentation possess by the statutory auditor or the audit firm come from the third country from be deliver and in the case of any barrier other than any legal regulation bind in the third country evidence of their existence\n", + "w przypadek gdy przepis prawo obowiązujący w państwo trzeci lub inny przeszkoda uniemożliwiać prze kazanie dokumentacja badanie posiadanej przez biegły rewident pochodzącego z państwo trzeci lub jednostka audy torską pochodzącą z państwo trzeci do firma audytorski grupa dokumentacja badanie przeprowadzonego przez firma audytorski grupa zawierać dowód że podjąć on działanie w cel uzyskania dostęp do dokumentacja badanie posiadanej przez biegły rewident pochodzącego z państwo trzeci lub jednostka audytorski pochodzącą z państwo trzeci a w przypadek wystąpienie przeszkoda inny niż przepis prawo obowiązujący w państwo trzeci dowód na istnie nie takich przeszkoda\n", + "=====================================================================\n", + "[('audit documentation', 100.0, 114), 66.66666666666666, array(['dokumentacja z badania sprawozdania finansowego'], dtype=object)]\n", + "in the case when legal regulation of the third country or other obstacle prevent the audit documentation possess by the statutory auditor or the audit firm come from the third country from be deliver to the audit firm of the group the documentation of the audit conduct by the audit firm of the group shall prove that it undertake action in order to access the audit documentation possess by the statutory auditor or the audit firm come from the third country from be deliver and in the case of any barrier other than any legal regulation bind in the third country evidence of their existence\n", + "in the case when legal regulation of the third country or other obstacle prevent the audit documentation dokumentacja z badania sprawozdania finansowego possess by the statutory auditor or the audit firm come from the third country from be deliver to the audit firm of the group the documentation of the audit conduct by the audit firm of the group shall prove that it undertake action in order to access the audit documentation possess by the statutory auditor or the audit firm come from the third country from be deliver and in the case of any barrier other than any legal regulation bind in the third country evidence of their existence\n", + "w przypadek gdy przepis prawo obowiązujący w państwo trzeci lub inny przeszkoda uniemożliwiać prze kazanie dokumentacja badanie posiadanej przez biegły rewident pochodzącego z państwo trzeci lub jednostka audy torską pochodzącą z państwo trzeci do firma audytorski grupa dokumentacja badanie przeprowadzonego przez firma audytorski grupa zawierać dowód że podjąć on działanie w cel uzyskania dostęp do dokumentacja badanie posiadanej przez biegły rewident pochodzącego z państwo trzeci lub jednostka audytorski pochodzącą z państwo trzeci a w przypadek wystąpienie przeszkoda inny niż przepis prawo obowiązujący w państwo trzeci dowód na istnie nie takich przeszkoda\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "in the case when legal regulation of the third country or other obstacle prevent the audit documentation possess by the statutory auditor or the audit firm come from the third country from be deliver to the audit firm of the group the documentation of the audit conduct by the audit firm of the group shall prove that it undertake action in order to access the audit documentation possess by the statutory auditor or the audit firm come from the third country from be deliver and in the case of any barrier other than any legal regulation bind in the third country evidence of their existence\n", + "in the case when legal regulation of the third country or biegły rewident other obstacle prevent the audit documentation possess by the statutory auditor or the audit firm come from the third country from be deliver to the audit firm of the group the documentation of the audit conduct by the audit firm of the group shall prove that it undertake action in order to access the audit documentation possess by the statutory auditor or the audit firm come from the third country from be deliver and in the case of any barrier other than any legal regulation bind in the third country evidence of their existence\n", + "w przypadek gdy przepis prawo obowiązujący w państwo trzeci lub inny przeszkoda uniemożliwiać prze kazanie dokumentacja badanie posiadanej przez biegły rewident pochodzącego z państwo trzeci lub jednostka audy torską pochodzącą z państwo trzeci do firma audytorski grupa dokumentacja badanie przeprowadzonego przez firma audytorski grupa zawierać dowód że podjąć on działanie w cel uzyskania dostęp do dokumentacja badanie posiadanej przez biegły rewident pochodzącego z państwo trzeci lub jednostka audytorski pochodzącą z państwo trzeci a w przypadek wystąpienie przeszkoda inny niż przepis prawo obowiązujący w państwo trzeci dowód na istnie nie takich przeszkoda\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "in the case when legal regulation of the third country or other obstacle prevent the audit documentation possess by the statutory auditor or the audit firm come from the third country from be deliver to the audit firm of the group the documentation of the audit conduct by the audit firm of the group shall prove that it undertake action in order to access the audit documentation possess by the statutory auditor or the audit firm come from the third country from be deliver and in the case of any barrier other than any legal regulation bind in the third country evidence of their existence\n", + "in the case when legal regulation of the third country or other obstacle prevent the audit documentation possess by the statutory auditor or the audit firm come from the third country from be deliver to the audit firm of the group grupa kapitałowa the documentation of the audit conduct by the audit firm of the group shall prove that it undertake action in order to access the audit documentation possess by the statutory auditor or the audit firm come from the third country from be deliver and in the case of any barrier other than any legal regulation bind in the third country evidence of their existence\n", + "w przypadek gdy przepis prawo obowiązujący w państwo trzeci lub inny przeszkoda uniemożliwiać prze kazanie dokumentacja badanie posiadanej przez biegły rewident pochodzącego z państwo trzeci lub jednostka audy torską pochodzącą z państwo trzeci do firma audytorski grupa dokumentacja badanie przeprowadzonego przez firma audytorski grupa zawierać dowód że podjąć on działanie w cel uzyskania dostęp do dokumentacja badanie posiadanej przez biegły rewident pochodzącego z państwo trzeci lub jednostka audytorski pochodzącą z państwo trzeci a w przypadek wystąpienie przeszkoda inny niż przepis prawo obowiązujący w państwo trzeci dowód na istnie nie takich przeszkoda\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "in the case of initiation of disciplinary proceeding or proceeding concern liability of the audit firm the period of store the client documentation audit file or other document necessary to assess compliance of the audit firm or the statutory auditor with the provision of the act or regulation no 537 2014 shall be extend until the statute of limitation to prosecute against a disciplinary offence pass\n", + "in the case of initiation of disciplinary proceeding or proceeding concern liability of the audit badanie sprawozdania finansowego firm the period of store the client documentation audit file or other document necessary to assess compliance of the audit firm or the statutory auditor with the provision of the act or regulation no 537 2014 shall be extend until the statute of limitation to prosecute against a disciplinary offence pass\n", + "w przypadek wszczęcia postępowanie dyscyplinarny lub postępowanie w sprawa odpowiedzialność firma audytorski okres przechowywanie dokumentacja klient akta badanie lub też inny dokument istotny dla ocena zgodność działalność firma audytorski lub biegły rewident z przepis ustawa lub rozporządzenie nr 537 2014 ulegać wydłużeniu do czas przedawnienie okres karalność przewinienie dyscyplinarny\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 85.71428571428571, array(['biegły rewident'], dtype=object)]\n", + "in the case of initiation of disciplinary proceeding or proceeding concern liability of the audit firm the period of store the client documentation audit file or other document necessary to assess compliance of the audit firm or the statutory auditor with the provision of the act or regulation no 537 2014 shall be extend until the statute of limitation to prosecute against a disciplinary offence pass\n", + "in the case of initiation of disciplinary proceeding or biegły rewident proceeding concern liability of the audit firm the period of store the client documentation audit file or other document necessary to assess compliance of the audit firm or the statutory auditor with the provision of the act or regulation no 537 2014 shall be extend until the statute of limitation to prosecute against a disciplinary offence pass\n", + "w przypadek wszczęcia postępowanie dyscyplinarny lub postępowanie w sprawa odpowiedzialność firma audytorski okres przechowywanie dokumentacja klient akta badanie lub też inny dokument istotny dla ocena zgodność działalność firma audytorski lub biegły rewident z przepis ustawa lub rozporządzenie nr 537 2014 ulegać wydłużeniu do czas przedawnienie okres karalność przewinienie dyscyplinarny\n", + "=====================================================================\n", + "[('liability', 100.0, 716), 66.66666666666666, array(['zobowiązania'], dtype=object)]\n", + "in the case of initiation of disciplinary proceeding or proceeding concern liability of the audit firm the period of store the client documentation audit file or other document necessary to assess compliance of the audit firm or the statutory auditor with the provision of the act or regulation no 537 2014 shall be extend until the statute of limitation to prosecute against a disciplinary offence pass\n", + "in the case of initiation of disciplinary proceeding or proceeding concern liability zobowiązania of the audit firm the period of store the client documentation audit file or other document necessary to assess compliance of the audit firm or the statutory auditor with the provision of the act or regulation no 537 2014 shall be extend until the statute of limitation to prosecute against a disciplinary offence pass\n", + "w przypadek wszczęcia postępowanie dyscyplinarny lub postępowanie w sprawa odpowiedzialność firma audytorski okres przechowywanie dokumentacja klient akta badanie lub też inny dokument istotny dla ocena zgodność działalność firma audytorski lub biegły rewident z przepis ustawa lub rozporządzenie nr 537 2014 ulegać wydłużeniu do czas przedawnienie okres karalność przewinienie dyscyplinarny\n", + "=====================================================================\n", + "[('provision', 100.0, 909), 66.66666666666666, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "in the case of initiation of disciplinary proceeding or proceeding concern liability of the audit firm the period of store the client documentation audit file or other document necessary to assess compliance of the audit firm or the statutory auditor with the provision of the act or regulation no 537 2014 shall be extend until the statute of limitation to prosecute against a disciplinary offence pass\n", + "in the case of initiation of disciplinary proceeding or proceeding concern liability of the audit firm the period of store the client documentation audit file or other document necessary to assess compliance of the audit firm or the statutory auditor with the provision rezerwa of the act or regulation no 537 2014 shall be extend until the statute of limitation to prosecute against a disciplinary offence pass\n", + "w przypadek wszczęcia postępowanie dyscyplinarny lub postępowanie w sprawa odpowiedzialność firma audytorski okres przechowywanie dokumentacja klient akta badanie lub też inny dokument istotny dla ocena zgodność działalność firma audytorski lub biegły rewident z przepis ustawa lub rozporządzenie nr 537 2014 ulegać wydłużeniu do czas przedawnienie okres karalność przewinienie dyscyplinarny\n", + "=====================================================================\n", + "[('provision', 100.0, 911), 66.66666666666666, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "in the case of initiation of disciplinary proceeding or proceeding concern liability of the audit firm the period of store the client documentation audit file or other document necessary to assess compliance of the audit firm or the statutory auditor with the provision of the act or regulation no 537 2014 shall be extend until the statute of limitation to prosecute against a disciplinary offence pass\n", + "in the case of initiation of disciplinary proceeding or proceeding concern liability of the audit firm the period of store the client documentation audit file or other document necessary to assess compliance of the audit firm or the statutory auditor with the provision rezerwa of the act or regulation no 537 2014 shall be extend until the statute of limitation to prosecute against a disciplinary offence pass\n", + "w przypadek wszczęcia postępowanie dyscyplinarny lub postępowanie w sprawa odpowiedzialność firma audytorski okres przechowywanie dokumentacja klient akta badanie lub też inny dokument istotny dla ocena zgodność działalność firma audytorski lub biegły rewident z przepis ustawa lub rozporządzenie nr 537 2014 ulegać wydłużeniu do czas przedawnienie okres karalność przewinienie dyscyplinarny\n", + "=====================================================================\n", + "[('allocation', 88.88888888888889, 83), 100.0, array(['rozliczanie'], dtype=object)]\n", + "this mean that while competition among the center be clearly noticeable there can be no talk of drain of available talent at most location\n", + "this mean that while competition among the center be clearly noticeable there can be no talk of drain of available talent at rozliczanie most location\n", + "oznaczać to że rywalizacja centrum jest wyraźnie dostrzegalny jednak nie można pisać o drenaż dostępny pula pracownik w większość ośrodek\n", + "=====================================================================\n", + "[('comprehensive income', 100.0, 253), 40.0, array(['zysk całkowity'], dtype=object)]\n", + "net other comprehensive income\n", + "net other comprehensive zysk całkowity income\n", + "inny całkowity dochód netto\n", + "=====================================================================\n", + "[('income', 100.0, 638), 66.66666666666666, array(['zysk'], dtype=object)]\n", + "net other comprehensive income\n", + "net other comprehensive zysk income\n", + "inny całkowity dochód netto\n", + "=====================================================================\n", + "[('fee income', 88.88888888888889, 500), 40.0, array(['przychody z opłat'], dtype=object)]\n", + "net other comprehensive income\n", + "net other comprehensive przychody z opłat income\n", + "inny całkowity dochód netto\n", + "=====================================================================\n", + "[('ema', 100.0, 410), 66.66666666666666, array(['rachunkowość zarządcza ochrony środowiska'], dtype=object)]\n", + "however one can believe that occupi activity in szczecin will remain at stable reasonable level for a market of this size\n", + "however one can believe that occupi activity in szczecin will remain rachunkowość zarządcza ochrony środowiska at stable reasonable level for a market of this size\n", + "jednak można oczekiwać że on zainteresowanie pozostać na stabilny odpowiedni dla tej wielkość rynek poziom\n", + "=====================================================================\n", + "[('account', 100.0, 13), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "if the property occupy by the company as an owner occupy property become an investment property the company account for such property in accordance with the policy state under property plant and equipment up to the date of change in use\n", + "if the property occupy by the company as an owner occupy property become an investment property the company account konto for such property in accordance with the policy state under property plant and equipment up to the date of change in use\n", + "jeżeli składnik aktywa wykorzystywany przez właściciel spółka stawać się nieruchomość inwestycyjny spółka stosować zasada opisane w część rzeczowy aktywa trwały aż do dzień zmiana sposób użytkowanie tej nieruchomość\n", + "=====================================================================\n", + "[('account', 100.0, 25), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "if the property occupy by the company as an owner occupy property become an investment property the company account for such property in accordance with the policy state under property plant and equipment up to the date of change in use\n", + "if the property occupy by the company as an owner occupy property become an investment property the company account konto for such property in accordance with the policy state under property plant and equipment up to the date of change in use\n", + "jeżeli składnik aktywa wykorzystywany przez właściciel spółka stawać się nieruchomość inwestycyjny spółka stosować zasada opisane w część rzeczowy aktywa trwały aż do dzień zmiana sposób użytkowanie tej nieruchomość\n", + "=====================================================================\n", + "[('account', 100.0, 57), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "if the property occupy by the company as an owner occupy property become an investment property the company account for such property in accordance with the policy state under property plant and equipment up to the date of change in use\n", + "if the property occupy by the company as an owner occupy property become an investment property the company account konto for such property in accordance with the policy state under property plant and equipment up to the date of change in use\n", + "jeżeli składnik aktywa wykorzystywany przez właściciel spółka stawać się nieruchomość inwestycyjny spółka stosować zasada opisane w część rzeczowy aktywa trwały aż do dzień zmiana sposób użytkowanie tej nieruchomość\n", + "=====================================================================\n", + "[('company', 100.0, 245), 61.53846153846154, array(['spółka kapitałowa'], dtype=object)]\n", + "if the property occupy by the company as an owner occupy property become an investment property the company account for such property in accordance with the policy state under property plant and equipment up to the date of change in use\n", + "if the property occupy by the company spółka kapitałowa as an owner occupy property become an investment property the company account for such property in accordance with the policy state under property plant and equipment up to the date of change in use\n", + "jeżeli składnik aktywa wykorzystywany przez właściciel spółka stawać się nieruchomość inwestycyjny spółka stosować zasada opisane w część rzeczowy aktywa trwały aż do dzień zmiana sposób użytkowanie tej nieruchomość\n", + "=====================================================================\n", + "[('investment property', 100.0, 693), 51.61290322580645, array(['nieruchomości inwestycyjne'], dtype=object)]\n", + "if the property occupy by the company as an owner occupy property become an investment property the company account for such property in accordance with the policy state under property plant and equipment up to the date of change in use\n", + "if the property occupy by the company as an owner occupy property become an investment property nieruchomości inwestycyjne the company account for such property in accordance with the policy state under property plant and equipment up to the date of change in use\n", + "jeżeli składnik aktywa wykorzystywany przez właściciel spółka stawać się nieruchomość inwestycyjny spółka stosować zasada opisane w część rzeczowy aktywa trwały aż do dzień zmiana sposób użytkowanie tej nieruchomość\n", + "=====================================================================\n", + "[('group', 100.0, 593), 88.88888888888889, array(['grupa kapitałowa'], dtype=object)]\n", + "some of they will require support from the group team we be in the process of confirm it\n", + "some of they will require support from the group grupa kapitałowa team we be in the process of confirm it\n", + "niektóre z on być wymagać wsparcie zespół grupowy być w trakt uzyskiwania potwierdzenie w tym zakres\n", + "=====================================================================\n", + "[('report', 100.0, 963), 100.0, array(['sprawozdawczość'], dtype=object)]\n", + "the report refer to in passage 3 shall be submit under penalty of perjury\n", + "the report sprawozdawczość refer to in passage 3 shall be submit under penalty of perjury\n", + "oświadczenie o którym mowa w ust 3 jest składany pod rygor odpowiedzialność karny za złożenie fałszywy on oświadczenie\n", + "=====================================================================\n", + "[('ppe', 100.0, 844), 66.66666666666666, array(['środki trwałe'], dtype=object)]\n", + "it just so happen that a considerable portion of software development fit that criterion\n", + "it just so happen środki trwałe that a considerable portion of software development fit that criterion\n", + "tak się składać że znaczny część proces projek towania oprogramowanie pasować do tych kryterium\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "article 43 the national supervisory committee shall determine in the form of resolution approve by the audit oversight commission 1 the manner of selection of inspector of the national supervisory committee to perform the control refer to in article 36 passage 1 item 1 and article 39 2 principle of professional training of inspector of the national supervisory committee 3 a speciman report on control conduct by inspector of the national supervisory committee 4 procedure for conduct the control refer to in article 36 passage 1 item 1 and article 39 dz\n", + "article 43 the national supervisory committee shall determine in the form of resolution approve by the audit badanie sprawozdania finansowego oversight commission 1 the manner of selection of inspector of the national supervisory committee to perform the control refer to in article 36 passage 1 item 1 and article 39 2 principle of professional training of inspector of the national supervisory committee 3 a speciman report on control conduct by inspector of the national supervisory committee 4 procedure for conduct the control refer to in article 36 passage 1 item 1 and article 39 dz\n", + "art 43 krajowy komisja nadzór określać w forma uchwał zatwierdzanych przez komisja nadzór audytowy 1 procedura wybór kontroler krajowy komisja nadzór do przeprowadzania kontrola o których mowa w art 36 ust 1 pkt 1 i art 39 2 zasada doskonalenie zawodowy kontroler krajowy komisja nadzór 3 wzór protokół kontrola przeprowadzanych przez kontroler krajowy komisja nadzór 4 procedura przeprowadzania kontrola o których mowa w art 36 ust 1 pkt 1 oraz art 39\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "article 43 the national supervisory committee shall determine in the form of resolution approve by the audit oversight commission 1 the manner of selection of inspector of the national supervisory committee to perform the control refer to in article 36 passage 1 item 1 and article 39 2 principle of professional training of inspector of the national supervisory committee 3 a speciman report on control conduct by inspector of the national supervisory committee 4 procedure for conduct the control refer to in article 36 passage 1 item 1 and article 39 dz\n", + "article 43 the national supervisory committee shall determine in the form of resolution approve by the audit oversight commission prowizje 1 the manner of selection of inspector of the national supervisory committee to perform the control refer to in article 36 passage 1 item 1 and article 39 2 principle of professional training of inspector of the national supervisory committee 3 a speciman report on control conduct by inspector of the national supervisory committee 4 procedure for conduct the control refer to in article 36 passage 1 item 1 and article 39 dz\n", + "art 43 krajowy komisja nadzór określać w forma uchwał zatwierdzanych przez komisja nadzór audytowy 1 procedura wybór kontroler krajowy komisja nadzór do przeprowadzania kontrola o których mowa w art 36 ust 1 pkt 1 i art 39 2 zasada doskonalenie zawodowy kontroler krajowy komisja nadzór 3 wzór protokół kontrola przeprowadzanych przez kontroler krajowy komisja nadzór 4 procedura przeprowadzania kontrola o których mowa w art 36 ust 1 pkt 1 oraz art 39\n", + "=====================================================================\n", + "[('control', 100.0, 289), 100.0, array(['kontrola '], dtype=object)]\n", + "article 43 the national supervisory committee shall determine in the form of resolution approve by the audit oversight commission 1 the manner of selection of inspector of the national supervisory committee to perform the control refer to in article 36 passage 1 item 1 and article 39 2 principle of professional training of inspector of the national supervisory committee 3 a speciman report on control conduct by inspector of the national supervisory committee 4 procedure for conduct the control refer to in article 36 passage 1 item 1 and article 39 dz\n", + "article 43 the national supervisory committee shall determine in the form of resolution approve by the audit oversight commission 1 the manner of selection of inspector of the national supervisory committee to perform the control kontrola refer to in article 36 passage 1 item 1 and article 39 2 principle of professional training of inspector of the national supervisory committee 3 a speciman report on control conduct by inspector of the national supervisory committee 4 procedure for conduct the control refer to in article 36 passage 1 item 1 and article 39 dz\n", + "art 43 krajowy komisja nadzór określać w forma uchwał zatwierdzanych przez komisja nadzór audytowy 1 procedura wybór kontroler krajowy komisja nadzór do przeprowadzania kontrola o których mowa w art 36 ust 1 pkt 1 i art 39 2 zasada doskonalenie zawodowy kontroler krajowy komisja nadzór 3 wzór protokół kontrola przeprowadzanych przez kontroler krajowy komisja nadzór 4 procedura przeprowadzania kontrola o których mowa w art 36 ust 1 pkt 1 oraz art 39\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 100.0, array(['nadzór'], dtype=object)]\n", + "article 43 the national supervisory committee shall determine in the form of resolution approve by the audit oversight commission 1 the manner of selection of inspector of the national supervisory committee to perform the control refer to in article 36 passage 1 item 1 and article 39 2 principle of professional training of inspector of the national supervisory committee 3 a speciman report on control conduct by inspector of the national supervisory committee 4 procedure for conduct the control refer to in article 36 passage 1 item 1 and article 39 dz\n", + "article 43 the national supervisory committee shall determine in the form of resolution approve by the audit oversight nadzór commission 1 the manner of selection of inspector of the national supervisory committee to perform the control refer to in article 36 passage 1 item 1 and article 39 2 principle of professional training of inspector of the national supervisory committee 3 a speciman report on control conduct by inspector of the national supervisory committee 4 procedure for conduct the control refer to in article 36 passage 1 item 1 and article 39 dz\n", + "art 43 krajowy komisja nadzór określać w forma uchwał zatwierdzanych przez komisja nadzór audytowy 1 procedura wybór kontroler krajowy komisja nadzór do przeprowadzania kontrola o których mowa w art 36 ust 1 pkt 1 i art 39 2 zasada doskonalenie zawodowy kontroler krajowy komisja nadzór 3 wzór protokół kontrola przeprowadzanych przez kontroler krajowy komisja nadzór 4 procedura przeprowadzania kontrola o których mowa w art 36 ust 1 pkt 1 oraz art 39\n", + "=====================================================================\n", + "[('report', 100.0, 963), 100.0, array(['sprawozdawczość'], dtype=object)]\n", + "article 43 the national supervisory committee shall determine in the form of resolution approve by the audit oversight commission 1 the manner of selection of inspector of the national supervisory committee to perform the control refer to in article 36 passage 1 item 1 and article 39 2 principle of professional training of inspector of the national supervisory committee 3 a speciman report on control conduct by inspector of the national supervisory committee 4 procedure for conduct the control refer to in article 36 passage 1 item 1 and article 39 dz\n", + "article 43 the national supervisory committee shall determine in the form of resolution approve by the audit oversight commission 1 the manner of selection of inspector of the national supervisory committee to perform the control refer to in article 36 passage 1 item 1 and article 39 2 principle of professional training of inspector of the national supervisory committee 3 a speciman report sprawozdawczość on control conduct by inspector of the national supervisory committee 4 procedure for conduct the control refer to in article 36 passage 1 item 1 and article 39 dz\n", + "art 43 krajowy komisja nadzór określać w forma uchwał zatwierdzanych przez komisja nadzór audytowy 1 procedura wybór kontroler krajowy komisja nadzór do przeprowadzania kontrola o których mowa w art 36 ust 1 pkt 1 i art 39 2 zasada doskonalenie zawodowy kontroler krajowy komisja nadzór 3 wzór protokół kontrola przeprowadzanych przez kontroler krajowy komisja nadzór 4 procedura przeprowadzania kontrola o których mowa w art 36 ust 1 pkt 1 oraz art 39\n", + "=====================================================================\n", + "[('fair value', 100.0, 497), 50.0, array(['wartość godziwa'], dtype=object)]\n", + "the fair value be determine by an external appraiser use a binomial model further detail of which be give in note\n", + "the fair value wartość godziwa be determine by an external appraiser use a binomial model further detail of which be give in note\n", + "wartość godziwy ustalana jest przez zależny rzeczoznawca w oparcie o model dwumianowy o którym daleki informacja przedstawione są w nota\n", + "=====================================================================\n", + "[('note', 100.0, 791), 100.0, array(['informacja dodatkowa'], dtype=object)]\n", + "the fair value be determine by an external appraiser use a binomial model further detail of which be give in note\n", + "the informacja dodatkowa fair value be determine by an external appraiser use a binomial model further detail of which be give in note\n", + "wartość godziwy ustalana jest przez zależny rzeczoznawca w oparcie o model dwumianowy o którym daleki informacja przedstawione są w nota\n", + "=====================================================================\n", + "[('par value', 88.88888888888889, 850), 61.53846153846154, array(['wartość nominalna'], dtype=object)]\n", + "the fair value be determine by an external appraiser use a binomial model further detail of which be give in note\n", + "the fair value wartość nominalna be determine by an external appraiser use a binomial model further detail of which be give in note\n", + "wartość godziwy ustalana jest przez zależny rzeczoznawca w oparcie o model dwumianowy o którym daleki informacja przedstawione są w nota\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 40.0, array(['aktywa'], dtype=object)]\n", + "fix asset contribute to the social fund\n", + "fix asset aktywa contribute to the social fund\n", + "środek trwały wniesione do fundusz\n", + "=====================================================================\n", + "[('fix asset', 100.0, 529), 37.5, array(['aktywa trwałe'], dtype=object)]\n", + "fix asset contribute to the social fund\n", + "fix asset aktywa trwałe contribute to the social fund\n", + "środek trwały wniesione do fundusz\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the audit firm approve in a eu member state other than the republic of poland shall be entitle to conduct the statutory audits in the republic of poland if the key statutory auditor conduct such audits be enter in the register and the audit firm be enter in the list\n", + "the audit badanie sprawozdania finansowego firm approve in a eu member state other than the republic of poland shall be entitle to conduct the statutory audits in the republic of poland if the key statutory auditor conduct such audits be enter in the register and the audit firm be enter in the list\n", + "firma audytorski zatwierdzona w inny niż rzeczpospolita polska państwo unia europejski jest uprawniony do wykonywania badanie ustawowy w rzeczypospolitej polski jeżeli kluczowy biegły rewident przeprowa dzający takie badanie jest wpisany do rejestr a firma audytorski wpisana jest na lista\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "the audit firm approve in a eu member state other than the republic of poland shall be entitle to conduct the statutory audits in the republic of poland if the key statutory auditor conduct such audits be enter in the register and the audit firm be enter in the list\n", + "the audit biegły rewident firm approve in a eu member state other than the republic of poland shall be entitle to conduct the statutory audits in the republic of poland if the key statutory auditor conduct such audits be enter in the register and the audit firm be enter in the list\n", + "firma audytorski zatwierdzona w inny niż rzeczpospolita polska państwo unia europejski jest uprawniony do wykonywania badanie ustawowy w rzeczypospolitej polski jeżeli kluczowy biegły rewident przeprowa dzający takie badanie jest wpisany do rejestr a firma audytorski wpisana jest na lista\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 50.0, array(['aktywa'], dtype=object)]\n", + "independent appraiser wstawić w jakich sytuacjach be engage to perform valuation of such significant asset as property or available for sale financial asset odpowiednio uzupełnić w przypadku zobowiązań finansowych wycenianych w wartości godziwej\n", + "independent appraiser wstawić w jakich sytuacjach be engage to perform valuation of such significant asset aktywa as property or available for sale financial asset odpowiednio uzupełnić w przypadku zobowiązań finansowych wycenianych w wartości godziwej\n", + "zależny rzeczoznawca wstawić w jakich sytuacja są angażowani do przeprowadzenia wycena znaczący aktywa takich jak nieruchomość czy aktywa dostępny do sprzedaż odpowiednio uzupełnić w przypadek zobowiązanie finansowy wycenianych w wartość godziwy\n", + "=====================================================================\n", + "[('financial asset', 100.0, 514), 57.142857142857146, array(['aktywa finansowe'], dtype=object)]\n", + "independent appraiser wstawić w jakich sytuacjach be engage to perform valuation of such significant asset as property or available for sale financial asset odpowiednio uzupełnić w przypadku zobowiązań finansowych wycenianych w wartości godziwej\n", + "independent appraiser wstawić w jakich sytuacjach be engage to perform valuation of such significant asset as property or available for sale financial asset aktywa finansowe odpowiednio uzupełnić w przypadku zobowiązań finansowych wycenianych w wartości godziwej\n", + "zależny rzeczoznawca wstawić w jakich sytuacja są angażowani do przeprowadzenia wycena znaczący aktywa takich jak nieruchomość czy aktywa dostępny do sprzedaż odpowiednio uzupełnić w przypadek zobowiązanie finansowy wycenianych w wartość godziwy\n", + "=====================================================================\n", + "[('sale', 100.0, 1000), 75.0, array(['sprzedaż'], dtype=object)]\n", + "independent appraiser wstawić w jakich sytuacjach be engage to perform valuation of such significant asset as property or available for sale financial asset odpowiednio uzupełnić w przypadku zobowiązań finansowych wycenianych w wartości godziwej\n", + "independent appraiser wstawić w jakich sytuacjach be engage to perform valuation of such significant asset as property or available for sale sprzedaż financial asset odpowiednio uzupełnić w przypadku zobowiązań finansowych wycenianych w wartości godziwej\n", + "zależny rzeczoznawca wstawić w jakich sytuacja są angażowani do przeprowadzenia wycena znaczący aktywa takich jak nieruchomość czy aktywa dostępny do sprzedaż odpowiednio uzupełnić w przypadek zobowiązanie finansowy wycenianych w wartość godziwy\n", + "=====================================================================\n", + "[('independence', 90.9090909090909, 649), 50.0, array(['niezależność'], dtype=object)]\n", + "independent appraiser wstawić w jakich sytuacjach be engage to perform valuation of such significant asset as property or available for sale financial asset odpowiednio uzupełnić w przypadku zobowiązań finansowych wycenianych w wartości godziwej\n", + "independent niezależność appraiser wstawić w jakich sytuacjach be engage to perform valuation of such significant asset as property or available for sale financial asset odpowiednio uzupełnić w przypadku zobowiązań finansowych wycenianych w wartości godziwej\n", + "zależny rzeczoznawca wstawić w jakich sytuacja są angażowani do przeprowadzenia wycena znaczący aktywa takich jak nieruchomość czy aktywa dostępny do sprzedaż odpowiednio uzupełnić w przypadek zobowiązanie finansowy wycenianych w wartość godziwy\n", + "=====================================================================\n", + "[('group', 100.0, 593), 75.0, array(['grupa kapitałowa'], dtype=object)]\n", + "it be worth note that location where the pressure on the labor market be much less noticeable for service center include rzeszów bydgoszcz lublin szczecin and opole city outside the group of the seven large business service location in poland\n", + "it be worth note that location where the pressure on the labor market be much less noticeable for service center include rzeszów bydgoszcz lublin szczecin and opole city outside the group grupa kapitałowa of the seven large business service location in poland\n", + "warto dodać że do ośrodek w których presja na rynek praca jest zdecydowanie mało odczuwalny dla centrum usługi należeć zaliczyć m in rzeszów bydgoszcz lublino szczecina i opole czyli miasto spoza grono siedem wielki ośrodek usługi biznesowy w polska\n", + "=====================================================================\n", + "[('note', 100.0, 791), 66.66666666666666, array(['informacja dodatkowa'], dtype=object)]\n", + "it be worth note that location where the pressure on the labor market be much less noticeable for service center include rzeszów bydgoszcz lublin szczecin and opole city outside the group of the seven large business service location in poland\n", + "it be worth note informacja dodatkowa that location where the pressure on the labor market be much less noticeable for service center include rzeszów bydgoszcz lublin szczecin and opole city outside the group of the seven large business service location in poland\n", + "warto dodać że do ośrodek w których presja na rynek praca jest zdecydowanie mało odczuwalny dla centrum usługi należeć zaliczyć m in rzeszów bydgoszcz lublino szczecina i opole czyli miasto spoza grono siedem wielki ośrodek usługi biznesowy w polska\n", + "=====================================================================\n", + "[('contingent liability', 100.0, 276), 50.0, array(['zobowiązanie warunkowe'], dtype=object)]\n", + "give its involvement in the joint venture the group incur the follow contingent liability wynotować zobowiązania warunkowe zaciągnięte indywidualnie lub też łącznie z innymi inwestorami\n", + "give its involvement in the joint venture the group incur the follow contingent liability zobowiązanie warunkowe wynotować zobowiązania warunkowe zaciągnięte indywidualnie lub też łącznie z innymi inwestorami\n", + "w związek z swoim zaangażowanie w wspólny przedsięwzięcie na grupa ciążą następujący zobowiązanie warunkowy wynotować zobowiązanie warunkowy zaciągnięte indywidualnie lub też łącznie z inny inwestor\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "give its involvement in the joint venture the group incur the follow contingent liability wynotować zobowiązania warunkowe zaciągnięte indywidualnie lub też łącznie z innymi inwestorami\n", + "give its involvement in the joint venture the group grupa kapitałowa incur the follow contingent liability wynotować zobowiązania warunkowe zaciągnięte indywidualnie lub też łącznie z innymi inwestorami\n", + "w związek z swoim zaangażowanie w wspólny przedsięwzięcie na grupa ciążą następujący zobowiązanie warunkowy wynotować zobowiązanie warunkowy zaciągnięte indywidualnie lub też łącznie z inny inwestor\n", + "=====================================================================\n", + "[('liability', 100.0, 716), 57.142857142857146, array(['zobowiązania'], dtype=object)]\n", + "give its involvement in the joint venture the group incur the follow contingent liability wynotować zobowiązania warunkowe zaciągnięte indywidualnie lub też łącznie z innymi inwestorami\n", + "give its involvement in the joint venture the group incur the follow contingent liability zobowiązania wynotować zobowiązania warunkowe zaciągnięte indywidualnie lub też łącznie z innymi inwestorami\n", + "w związek z swoim zaangażowanie w wspólny przedsięwzięcie na grupa ciążą następujący zobowiązanie warunkowy wynotować zobowiązanie warunkowy zaciągnięte indywidualnie lub też łącznie z inny inwestor\n", + "=====================================================================\n", + "[('employee benefit', 100.0, 446), 31.25, array(['świadczenia pracownicze'], dtype=object)]\n", + "employee benefit expense\n", + "employee benefit świadczenia pracownicze expense\n", + "koszt świadczenie pracowniczy\n", + "=====================================================================\n", + "[('expense', 100.0, 479), 54.54545454545455, array(['koszt'], dtype=object)]\n", + "employee benefit expense\n", + "employee benefit koszt expense\n", + "koszt świadczenie pracowniczy\n", + "=====================================================================\n", + "[('tax expense', 90.0, 1096), 42.10526315789474, array(['odroczony podatek dochodowy'], dtype=object)]\n", + "employee benefit expense\n", + "employee benefit odroczony podatek dochodowy expense\n", + "koszt świadczenie pracowniczy\n", + "=====================================================================\n", + "[('vie', 100.0, 1157), 100.0, array(['podmiot o zmiennych udziałach'], dtype=object)]\n", + "chapter content provider absl business services sector in poland 2017 overview of the business service sector 7 100 0 244 000 total number of job at business service center of which 198 000 be at foreign center and 46 000 be at polish center\n", + "chapter content provider absl business services sector in poland 2017 overview podmiot o zmiennych udziałach of the business service sector 7 100 0 244 000 total number of job at business service center of which 198 000 be at foreign center and 46 000 be at polish center\n", + "opracowanie treść rozdział absl sektor nowoczesny usługi biznesowy w polska 2017 charakterystyka sektor nowoczesny usługi biznesowy 7 100 0 244 000 całkowite zatrudnienie w centrum usługi w tym 198 tys osoba w centrum zagraniczny i 46 tys osoba w centrum polski\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 40.0, array(['strata'], dtype=object)]\n", + "relate to pre tax profit loss\n", + "relate to strata pre tax profit loss\n", + "wynikający z zysku strata przed opodatkowanie\n", + "=====================================================================\n", + "[('profit', 100.0, 898), 57.142857142857146, array(['zysk'], dtype=object)]\n", + "relate to pre tax profit loss\n", + "relate to pre tax profit zysk loss\n", + "wynikający z zysku strata przed opodatkowanie\n", + "=====================================================================\n", + "[('contract', 100.0, 282), 80.0, array(['kontrakt', 'umowa'], dtype=object)]\n", + "as at 31 december 2017 the group hold the follow hedge contract opisać główne warunki kontraktów\n", + "as at 31 december 2017 the group hold the follow hedge contract kontrakt opisać główne warunki kontraktów\n", + "na dzienie 31 grudzień 2017 rok grupa posiadać następujący kontrakt zabezpieczający opisać główny warunek kontrakt\n", + "=====================================================================\n", + "[('contract', 100.0, 283), 80.0, array(['kontrakt', 'umowa'], dtype=object)]\n", + "as at 31 december 2017 the group hold the follow hedge contract opisać główne warunki kontraktów\n", + "as at 31 december 2017 the group hold the follow hedge contract kontrakt opisać główne warunki kontraktów\n", + "na dzienie 31 grudzień 2017 rok grupa posiadać następujący kontrakt zabezpieczający opisać główny warunek kontrakt\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "as at 31 december 2017 the group hold the follow hedge contract opisać główne warunki kontraktów\n", + "as at 31 december 2017 the group grupa kapitałowa hold the follow hedge contract opisać główne warunki kontraktów\n", + "na dzienie 31 grudzień 2017 rok grupa posiadać następujący kontrakt zabezpieczający opisać główny warunek kontrakt\n", + "=====================================================================\n", + "[('hedge', 100.0, 600), 44.44444444444444, array(['transakcje zabezpieczające'], dtype=object)]\n", + "as at 31 december 2017 the group hold the follow hedge contract opisać główne warunki kontraktów\n", + "as at 31 december 2017 the group hold the follow hedge transakcje zabezpieczające contract opisać główne warunki kontraktów\n", + "na dzienie 31 grudzień 2017 rok grupa posiadać następujący kontrakt zabezpieczający opisać główny warunek kontrakt\n", + "=====================================================================\n", + "[('isa', 100.0, 628), 100.0, array(['międzynarodowe standardy rewizji finansowej'], dtype=object)]\n", + "as at 31 december 2017 the group hold the follow hedge contract opisać główne warunki kontraktów\n", + "as at 31 december 2017 the group hold the follow hedge contract opisać międzynarodowe standardy rewizji finansowej główne warunki kontraktów\n", + "na dzienie 31 grudzień 2017 rok grupa posiadać następujący kontrakt zabezpieczający opisać główny warunek kontrakt\n", + "=====================================================================\n", + "[('account', 100.0, 13), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "an exchange between an exist borrower and lender of debt instrument with substantially different term be account for by the company as an extinguishment of the original financial liability and the recognition of a new financial liability similarly significant modification to the term and condition of an exist financial liability be treat as an extinguishment of the original financial liability and the recognition of a new financial liability with any resultant difference in the respective carrying amount take to profit or loss\n", + "an exchange between an exist borrower and lender of debt instrument with substantially different term be account konto for by the company as an extinguishment of the original financial liability and the recognition of a new financial liability similarly significant modification to the term and condition of an exist financial liability be treat as an extinguishment of the original financial liability and the recognition of a new financial liability with any resultant difference in the respective carrying amount take to profit or loss\n", + "zastąpienie dotychczasowy instrument dłużny przez instrument o zasadniczo różny warunki dokonywane pomiędzy tymi sam podmiot spółka ujmować jako wygaśniecie pierwotny zobowiązanie finansowy i ujęcie nowy zobowiązanie finansowy podobnie znaczący modyfikacja warunki umowa dotyczącej istniejącego zobowiązanie finansowy spółka ujmować jako wygaśniecie pierwotny i ujęcie nowy zobowiązanie finansowy powstającą z tytuł zamiany różnica odnośny wartość bilansowy wykazywać się w zysk lub strata\n", + "=====================================================================\n", + "[('account', 100.0, 25), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "an exchange between an exist borrower and lender of debt instrument with substantially different term be account for by the company as an extinguishment of the original financial liability and the recognition of a new financial liability similarly significant modification to the term and condition of an exist financial liability be treat as an extinguishment of the original financial liability and the recognition of a new financial liability with any resultant difference in the respective carrying amount take to profit or loss\n", + "an exchange between an exist borrower and lender of debt instrument with substantially different term be account konto for by the company as an extinguishment of the original financial liability and the recognition of a new financial liability similarly significant modification to the term and condition of an exist financial liability be treat as an extinguishment of the original financial liability and the recognition of a new financial liability with any resultant difference in the respective carrying amount take to profit or loss\n", + "zastąpienie dotychczasowy instrument dłużny przez instrument o zasadniczo różny warunki dokonywane pomiędzy tymi sam podmiot spółka ujmować jako wygaśniecie pierwotny zobowiązanie finansowy i ujęcie nowy zobowiązanie finansowy podobnie znaczący modyfikacja warunki umowa dotyczącej istniejącego zobowiązanie finansowy spółka ujmować jako wygaśniecie pierwotny i ujęcie nowy zobowiązanie finansowy powstającą z tytuł zamiany różnica odnośny wartość bilansowy wykazywać się w zysk lub strata\n", + "=====================================================================\n", + "[('account', 100.0, 57), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "an exchange between an exist borrower and lender of debt instrument with substantially different term be account for by the company as an extinguishment of the original financial liability and the recognition of a new financial liability similarly significant modification to the term and condition of an exist financial liability be treat as an extinguishment of the original financial liability and the recognition of a new financial liability with any resultant difference in the respective carrying amount take to profit or loss\n", + "an exchange between an exist borrower and lender of debt instrument with substantially different term be account konto for by the company as an extinguishment of the original financial liability and the recognition of a new financial liability similarly significant modification to the term and condition of an exist financial liability be treat as an extinguishment of the original financial liability and the recognition of a new financial liability with any resultant difference in the respective carrying amount take to profit or loss\n", + "zastąpienie dotychczasowy instrument dłużny przez instrument o zasadniczo różny warunki dokonywane pomiędzy tymi sam podmiot spółka ujmować jako wygaśniecie pierwotny zobowiązanie finansowy i ujęcie nowy zobowiązanie finansowy podobnie znaczący modyfikacja warunki umowa dotyczącej istniejącego zobowiązanie finansowy spółka ujmować jako wygaśniecie pierwotny i ujęcie nowy zobowiązanie finansowy powstającą z tytuł zamiany różnica odnośny wartość bilansowy wykazywać się w zysk lub strata\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 100.0, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "an exchange between an exist borrower and lender of debt instrument with substantially different term be account for by the company as an extinguishment of the original financial liability and the recognition of a new financial liability similarly significant modification to the term and condition of an exist financial liability be treat as an extinguishment of the original financial liability and the recognition of a new financial liability with any resultant difference in the respective carrying amount take to profit or loss\n", + "an exchange between an exist borrower and lender of debt instrument with substantially different term be account for by the company as an extinguishment of the original financial liability and the recognition koszty sprzedanych produktów, towarów i materiałów of a new financial liability similarly significant modification to the term and condition of an exist financial liability be treat as an extinguishment of the original financial liability and the recognition of a new financial liability with any resultant difference in the respective carrying amount take to profit or loss\n", + "zastąpienie dotychczasowy instrument dłużny przez instrument o zasadniczo różny warunki dokonywane pomiędzy tymi sam podmiot spółka ujmować jako wygaśniecie pierwotny zobowiązanie finansowy i ujęcie nowy zobowiązanie finansowy podobnie znaczący modyfikacja warunki umowa dotyczącej istniejącego zobowiązanie finansowy spółka ujmować jako wygaśniecie pierwotny i ujęcie nowy zobowiązanie finansowy powstającą z tytuł zamiany różnica odnośny wartość bilansowy wykazywać się w zysk lub strata\n", + "=====================================================================\n", + "[('company', 100.0, 245), 100.0, array(['spółka kapitałowa'], dtype=object)]\n", + "an exchange between an exist borrower and lender of debt instrument with substantially different term be account for by the company as an extinguishment of the original financial liability and the recognition of a new financial liability similarly significant modification to the term and condition of an exist financial liability be treat as an extinguishment of the original financial liability and the recognition of a new financial liability with any resultant difference in the respective carrying amount take to profit or loss\n", + "an spółka kapitałowa exchange between an exist borrower and lender of debt instrument with substantially different term be account for by the company as an extinguishment of the original financial liability and the recognition of a new financial liability similarly significant modification to the term and condition of an exist financial liability be treat as an extinguishment of the original financial liability and the recognition of a new financial liability with any resultant difference in the respective carrying amount take to profit or loss\n", + "zastąpienie dotychczasowy instrument dłużny przez instrument o zasadniczo różny warunki dokonywane pomiędzy tymi sam podmiot spółka ujmować jako wygaśniecie pierwotny zobowiązanie finansowy i ujęcie nowy zobowiązanie finansowy podobnie znaczący modyfikacja warunki umowa dotyczącej istniejącego zobowiązanie finansowy spółka ujmować jako wygaśniecie pierwotny i ujęcie nowy zobowiązanie finansowy powstającą z tytuł zamiany różnica odnośny wartość bilansowy wykazywać się w zysk lub strata\n", + "=====================================================================\n", + "[('account', 100.0, 13), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "have be prepare base on properly in accordance with chapter 2 of accounting act maintain accounting record\n", + "have be prepare base on properly in accordance with chapter 2 of accounting konto act maintain accounting record\n", + "zostało sporządzone na podstawa prawidłowo zgodnie z przepis rozdział 2 ustawa o rachunkowość prowadzony księga rachunkowy\n", + "=====================================================================\n", + "[('account', 100.0, 25), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "have be prepare base on properly in accordance with chapter 2 of accounting act maintain accounting record\n", + "have be prepare base on properly in accordance with chapter 2 of accounting konto act maintain accounting record\n", + "zostało sporządzone na podstawa prawidłowo zgodnie z przepis rozdział 2 ustawa o rachunkowość prowadzony księga rachunkowy\n", + "=====================================================================\n", + "[('accounting record', 100.0, 48), 44.44444444444444, array(['dokumentacja księgowa'], dtype=object)]\n", + "have be prepare base on properly in accordance with chapter 2 of accounting act maintain accounting record\n", + "have be prepare base on properly in accordance with chapter 2 of accounting act dokumentacja księgowa maintain accounting record\n", + "zostało sporządzone na podstawa prawidłowo zgodnie z przepis rozdział 2 ustawa o rachunkowość prowadzony księga rachunkowy\n", + "=====================================================================\n", + "[('account', 100.0, 57), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "have be prepare base on properly in accordance with chapter 2 of accounting act maintain accounting record\n", + "have be prepare base on properly in accordance with chapter 2 of accounting konto act maintain accounting record\n", + "zostało sporządzone na podstawa prawidłowo zgodnie z przepis rozdział 2 ustawa o rachunkowość prowadzony księga rachunkowy\n", + "=====================================================================\n", + "[('debit', 88.88888888888889, 349), 50.0, array(['debet'], dtype=object)]\n", + "debt instrument\n", + "debt debet instrument\n", + "instrument dłużny\n", + "=====================================================================\n", + "[('equity', 100.0, 460), 44.44444444444444, array(['kapitał własny'], dtype=object)]\n", + "unquoted equity instrument\n", + "unquoted equity kapitał własny instrument\n", + "nienotowane instrument kapitałowy\n", + "=====================================================================\n", + "[('financial statement', 100.0, 526), 60.0, array(['sprawozdanie finansowe'], dtype=object)]\n", + "during the period between the reporting date and the date of the preparation of these financial statement there be no other transaction involve ordinary share or potential ordinary share\n", + "during the period between the reporting date and the date of the preparation of these financial statement sprawozdanie finansowe there be no other transaction involve ordinary share or potential ordinary share\n", + "w okres między dzień bilansowy a dzień sporządzenia niniejszy sprawozdanie finansowy nie wystąpić żadne inny transakcja dotyczące akcja zwykły lub potencjalny akcja zwykły\n", + "=====================================================================\n", + "[('report', 100.0, 963), 66.66666666666666, array(['sprawozdawczość'], dtype=object)]\n", + "during the period between the reporting date and the date of the preparation of these financial statement there be no other transaction involve ordinary share or potential ordinary share\n", + "during the period between the reporting sprawozdawczość date and the date of the preparation of these financial statement there be no other transaction involve ordinary share or potential ordinary share\n", + "w okres między dzień bilansowy a dzień sporządzenia niniejszy sprawozdanie finansowy nie wystąpić żadne inny transakcja dotyczące akcja zwykły lub potencjalny akcja zwykły\n", + "=====================================================================\n", + "[('sac', 100.0, 993), 100.0, array(['komisje doradcze ds. standardów'], dtype=object)]\n", + "during the period between the reporting date and the date of the preparation of these financial statement there be no other transaction involve ordinary share or potential ordinary share\n", + "during the period between the reporting date and the date of the preparation of these financial statement there be no other transaction komisje doradcze ds. standardów involve ordinary share or potential ordinary share\n", + "w okres między dzień bilansowy a dzień sporządzenia niniejszy sprawozdanie finansowy nie wystąpić żadne inny transakcja dotyczące akcja zwykły lub potencjalny akcja zwykły\n", + "=====================================================================\n", + "[('transaction', 100.0, 1125), 100.0, array(['transakcja'], dtype=object)]\n", + "during the period between the reporting date and the date of the preparation of these financial statement there be no other transaction involve ordinary share or potential ordinary share\n", + "during the period between the reporting date and the date of the preparation of these financial statement there be no other transaction transakcja involve ordinary share or potential ordinary share\n", + "w okres między dzień bilansowy a dzień sporządzenia niniejszy sprawozdanie finansowy nie wystąpić żadne inny transakcja dotyczące akcja zwykły lub potencjalny akcja zwykły\n", + "=====================================================================\n", + "[('year end', 100.0, 1193), 33.33333333333333, array(['koniec roku'], dtype=object)]\n", + "year end 31 december 2016 restate\n", + "year end koniec roku 31 december 2016 restate\n", + "rok zakończony 31 grudzień 2016 przekształcone\n", + "=====================================================================\n", + "[('cost structure', 88.0, 319), 76.19047619047619, array(['struktura kosztów'], dtype=object)]\n", + "us center have the large share 29 in the center employment structure\n", + "us center struktura kosztów have the large share 29 in the center employment structure\n", + "w struktura zatrudnienie centrum wysoki jest udział centrum z usa 29\n", + "=====================================================================\n", + "[('account', 100.0, 13), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the accounting policy apply in the preparation of the attach consolidated financial statement be consistent with those apply in the preparation of the consolidated financial statement of the group for the year end 31 december 2016 with the exception of the amendment present below\n", + "the accounting konto policy apply in the preparation of the attach consolidated financial statement be consistent with those apply in the preparation of the consolidated financial statement of the group for the year end 31 december 2016 with the exception of the amendment present below\n", + "zasada polityka rachunkowość zastosowany do sporządzenia niniejszy skonsolidowanego sprawozdanie finansowy są spójny z tymi które zastosować przy sporządzaniu skonsolidowanego sprawozdanie finansowy grupa za rok zakończony 31 grudzień 2016 rok za wyjątek przedstawionych poniżej\n", + "=====================================================================\n", + "[('account', 100.0, 25), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the accounting policy apply in the preparation of the attach consolidated financial statement be consistent with those apply in the preparation of the consolidated financial statement of the group for the year end 31 december 2016 with the exception of the amendment present below\n", + "the accounting konto policy apply in the preparation of the attach consolidated financial statement be consistent with those apply in the preparation of the consolidated financial statement of the group for the year end 31 december 2016 with the exception of the amendment present below\n", + "zasada polityka rachunkowość zastosowany do sporządzenia niniejszy skonsolidowanego sprawozdanie finansowy są spójny z tymi które zastosować przy sporządzaniu skonsolidowanego sprawozdanie finansowy grupa za rok zakończony 31 grudzień 2016 rok za wyjątek przedstawionych poniżej\n", + "=====================================================================\n", + "[('accounting policy', 100.0, 45), 54.54545454545455, array(['zasady rachunkowości'], dtype=object)]\n", + "the accounting policy apply in the preparation of the attach consolidated financial statement be consistent with those apply in the preparation of the consolidated financial statement of the group for the year end 31 december 2016 with the exception of the amendment present below\n", + "the accounting policy zasady rachunkowości apply in the preparation of the attach consolidated financial statement be consistent with those apply in the preparation of the consolidated financial statement of the group for the year end 31 december 2016 with the exception of the amendment present below\n", + "zasada polityka rachunkowość zastosowany do sporządzenia niniejszy skonsolidowanego sprawozdanie finansowy są spójny z tymi które zastosować przy sporządzaniu skonsolidowanego sprawozdanie finansowy grupa za rok zakończony 31 grudzień 2016 rok za wyjątek przedstawionych poniżej\n", + "=====================================================================\n", + "[('account', 100.0, 57), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the accounting policy apply in the preparation of the attach consolidated financial statement be consistent with those apply in the preparation of the consolidated financial statement of the group for the year end 31 december 2016 with the exception of the amendment present below\n", + "the accounting konto policy apply in the preparation of the attach consolidated financial statement be consistent with those apply in the preparation of the consolidated financial statement of the group for the year end 31 december 2016 with the exception of the amendment present below\n", + "zasada polityka rachunkowość zastosowany do sporządzenia niniejszy skonsolidowanego sprawozdanie finansowy są spójny z tymi które zastosować przy sporządzaniu skonsolidowanego sprawozdanie finansowy grupa za rok zakończony 31 grudzień 2016 rok za wyjątek przedstawionych poniżej\n", + "=====================================================================\n", + "[('financial statement', 100.0, 526), 60.869565217391305, array(['sprawozdanie finansowe'], dtype=object)]\n", + "the accounting policy apply in the preparation of the attach consolidated financial statement be consistent with those apply in the preparation of the consolidated financial statement of the group for the year end 31 december 2016 with the exception of the amendment present below\n", + "the accounting policy apply in the preparation of the attach consolidated financial statement sprawozdanie finansowe be consistent with those apply in the preparation of the consolidated financial statement of the group for the year end 31 december 2016 with the exception of the amendment present below\n", + "zasada polityka rachunkowość zastosowany do sporządzenia niniejszy skonsolidowanego sprawozdanie finansowy są spójny z tymi które zastosować przy sporządzaniu skonsolidowanego sprawozdanie finansowy grupa za rok zakończony 31 grudzień 2016 rok za wyjątek przedstawionych poniżej\n", + "=====================================================================\n", + "[('company', 100.0, 245), 66.66666666666666, array(['spółka kapitałowa'], dtype=object)]\n", + "for this process to work effectively it be require from a company to build an appropriate organizational structure possess skilled human resource and technology that will support the effective implementation of task in the area of security\n", + "for this process to work effectively it be require from a spółka kapitałowa company to build an appropriate organizational structure possess skilled human resource and technology that will support the effective implementation of task in the area of security\n", + "aby proces ten działać skutecznie wymagać on odpowiedni struktura organizacyjny wykwalifikowanych zasób ludzki oraz technologia która być stanowić wsparcie w efektywny realizacja zadanie w obszar bezpieczeństwo\n", + "=====================================================================\n", + "[('organization cost', 88.23529411764706, 820), 69.23076923076923, array(['koszty organizacji spółki'], dtype=object)]\n", + "for this process to work effectively it be require from a company to build an appropriate organizational structure possess skilled human resource and technology that will support the effective implementation of task in the area of security\n", + "for this process to work effectively it be require from a company to build an appropriate organizational structure koszty organizacji spółki possess skilled human resource and technology that will support the effective implementation of task in the area of security\n", + "aby proces ten działać skutecznie wymagać on odpowiedni struktura organizacyjny wykwalifikowanych zasób ludzki oraz technologia która być stanowić wsparcie w efektywny realizacja zadanie w obszar bezpieczeństwo\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 100.0, array(['strata'], dtype=object)]\n", + "any case of infringement of the principle refer to in passage 10 or 11 be tantamount to loss of the right to continue the inspection of the examination test by the candidate 13\n", + "any case of infringement of the principle refer to in passage 10 or 11 be tantamount to loss strata of the right to continue the inspection of the examination test by the candidate 13\n", + "naruszenie zasada o których mowa w ust 10 lub 11 jest równoznaczny z utrata przez kandydat prawo do konty nuowania wgląd do praca egzaminacyjny 13\n", + "=====================================================================\n", + "[('liability', 100.0, 716), 57.142857142857146, array(['zobowiązania'], dtype=object)]\n", + "liability defer tax liability\n", + "liability zobowiązania defer tax liability\n", + "aktywa razem pasywa zobowiązanie z tytuł podatek odroczonego\n", + "=====================================================================\n", + "[('reliability', 90.0, 959), 57.142857142857146, array(['wiarygodność'], dtype=object)]\n", + "liability defer tax liability\n", + "liability wiarygodność defer tax liability\n", + "aktywa razem pasywa zobowiązanie z tytuł podatek odroczonego\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 50.0, array(['jednostka'], dtype=object)]\n", + "characteristic of relation between group entity and joint venture\n", + "characteristic of relation between group entity jednostka and joint venture\n", + "charakter powiązanie pomiędzy jednostka grupa a wspólny przedsięwzięcie\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "characteristic of relation between group entity and joint venture\n", + "characteristic of relation between group grupa kapitałowa entity and joint venture\n", + "charakter powiązanie pomiędzy jednostka grupa a wspólny przedsięwzięcie\n", + "=====================================================================\n", + "[('goodwill', 100.0, 584), 100.0, array(['wartość firmy'], dtype=object)]\n", + "represent the low level within the group at which the goodwill be monitor for internal management purpose and\n", + "represent the low level within the group at which the goodwill wartość firmy be monitor for internal management purpose and\n", + "odpowiadać niski poziom w grupa na którym wartość firma jest monitorowana na wewnętrzny potrzeba zarządczy oraz\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "represent the low level within the group at which the goodwill be monitor for internal management purpose and\n", + "represent the low level within the group grupa kapitałowa at which the goodwill be monitor for internal management purpose and\n", + "odpowiadać niski poziom w grupa na którym wartość firma jest monitorowana na wewnętrzny potrzeba zarządczy oraz\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 60.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the audit report on the annual financial statement\n", + "the audit badanie sprawozdania finansowego report on the annual financial statement\n", + "sprawozdanie z badanie roczny sprawozdanie finansowy\n", + "=====================================================================\n", + "[('financial statement', 100.0, 526), 37.5, array(['sprawozdanie finansowe'], dtype=object)]\n", + "the audit report on the annual financial statement\n", + "the audit report on the annual financial sprawozdanie finansowe statement\n", + "sprawozdanie z badanie roczny sprawozdanie finansowy\n", + "=====================================================================\n", + "[('report', 100.0, 963), 44.44444444444444, array(['sprawozdawczość'], dtype=object)]\n", + "the audit report on the annual financial statement\n", + "the audit report sprawozdawczość on the annual financial statement\n", + "sprawozdanie z badanie roczny sprawozdanie finansowy\n", + "=====================================================================\n", + "[('restatement', 90.0, 972), 28.57142857142857, array(['korekty poprzedniego okresu'], dtype=object)]\n", + "the audit report on the annual financial statement\n", + "the korekty poprzedniego okresu audit report on the annual financial statement\n", + "sprawozdanie z badanie roczny sprawozdanie finansowy\n", + "=====================================================================\n", + "[('expense', 100.0, 479), 44.44444444444444, array(['koszt'], dtype=object)]\n", + "this be why the range of solution available to those manage automation should be as broad as possible to achieve the maximum benefit at reasonable expense\n", + "this be koszt why the range of solution available to those manage automation should be as broad as possible to achieve the maximum benefit at reasonable expense\n", + "dlatego portfolio rozwiązanie osoba zarządzający automatyzacja powinno być możliwie szeroki aby móc odpowiedni nakład osiągnąć maksimum korzyść\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 50.0, array(['aktywa'], dtype=object)]\n", + "other non financial liability include in particular liability to the tax office in respect of value add tax dodać inne zobowiązania podatkowe jeżeli istotne and advance payment liability which will be settle by way of delivery of good or service or fix asset\n", + "other non financial liability include in particular liability to the tax office in respect of value add tax dodać inne zobowiązania podatkowe jeżeli istotne and advance payment liability which will be settle aktywa by way of delivery of good or service or fix asset\n", + "pozostały zobowiązanie finansowy obejmować w szczególność zobowiązanie wobec urząd skarbowy z tytuł podatek od towar i usługi dodać inny zobowiązanie podatkowy jeżeli istotny oraz zobowiązanie z tytuł otrzymanych zaliczka które być rozliczone poprzez dostawa towar usługi lub środki trwały\n", + "=====================================================================\n", + "[('fix asset', 100.0, 529), 53.333333333333336, array(['aktywa trwałe'], dtype=object)]\n", + "other non financial liability include in particular liability to the tax office in respect of value add tax dodać inne zobowiązania podatkowe jeżeli istotne and advance payment liability which will be settle by way of delivery of good or service or fix asset\n", + "other non financial liability include in particular liability to the tax office in respect of value add tax dodać inne zobowiązania podatkowe jeżeli istotne and advance payment liability which will be settle by way of delivery of good or service or fix aktywa trwałe asset\n", + "pozostały zobowiązanie finansowy obejmować w szczególność zobowiązanie wobec urząd skarbowy z tytuł podatek od towar i usługi dodać inny zobowiązanie podatkowy jeżeli istotny oraz zobowiązanie z tytuł otrzymanych zaliczka które być rozliczone poprzez dostawa towar usługi lub środki trwały\n", + "=====================================================================\n", + "[('liability', 100.0, 716), 100.0, array(['zobowiązania'], dtype=object)]\n", + "other non financial liability include in particular liability to the tax office in respect of value add tax dodać inne zobowiązania podatkowe jeżeli istotne and advance payment liability which will be settle by way of delivery of good or service or fix asset\n", + "other non financial liability zobowiązania include in particular liability to the tax office in respect of value add tax dodać inne zobowiązania podatkowe jeżeli istotne and advance payment liability which will be settle by way of delivery of good or service or fix asset\n", + "pozostały zobowiązanie finansowy obejmować w szczególność zobowiązanie wobec urząd skarbowy z tytuł podatek od towar i usługi dodać inny zobowiązanie podatkowy jeżeli istotny oraz zobowiązanie z tytuł otrzymanych zaliczka które być rozliczone poprzez dostawa towar usługi lub środki trwały\n", + "=====================================================================\n", + "[('value add tax', 100.0, 1159), 53.84615384615385, array(['podatek od wartości dodanej'], dtype=object)]\n", + "other non financial liability include in particular liability to the tax office in respect of value add tax dodać inne zobowiązania podatkowe jeżeli istotne and advance payment liability which will be settle by way of delivery of good or service or fix asset\n", + "other non financial liability include in particular liability to the tax office in respect of value add tax podatek od wartości dodanej dodać inne zobowiązania podatkowe jeżeli istotne and advance payment liability which will be settle by way of delivery of good or service or fix asset\n", + "pozostały zobowiązanie finansowy obejmować w szczególność zobowiązanie wobec urząd skarbowy z tytuł podatek od towar i usługi dodać inny zobowiązanie podatkowy jeżeli istotny oraz zobowiązanie z tytuł otrzymanych zaliczka które być rozliczone poprzez dostawa towar usługi lub środki trwały\n", + "=====================================================================\n", + "[('reliability', 90.9090909090909, 959), 100.0, array(['wiarygodność'], dtype=object)]\n", + "other non financial liability include in particular liability to the tax office in respect of value add tax dodać inne zobowiązania podatkowe jeżeli istotne and advance payment liability which will be settle by way of delivery of good or service or fix asset\n", + "other non financial liability wiarygodność include in particular liability to the tax office in respect of value add tax dodać inne zobowiązania podatkowe jeżeli istotne and advance payment liability which will be settle by way of delivery of good or service or fix asset\n", + "pozostały zobowiązanie finansowy obejmować w szczególność zobowiązanie wobec urząd skarbowy z tytuł podatek od towar i usługi dodać inny zobowiązanie podatkowy jeżeli istotny oraz zobowiązanie z tytuł otrzymanych zaliczka które być rozliczone poprzez dostawa towar usługi lub środki trwały\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 57.142857142857146, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "article 27 1 the national assembly of statutory auditors shall be convene by the national council of statutory auditors every 4 year 2\n", + "article 27 1 the national assembly of statutory auditors badanie sprawozdania finansowego shall be convene by the national council of statutory auditors every 4 year 2\n", + "art 27 1 krajowy zjazd biegły rewident odbywać się co 4 rok 2 krajowy zjazd biegły rewident jest zwoływany przez krajowy rada biegły rewident 3\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 57.142857142857146, array(['biegły rewident'], dtype=object)]\n", + "article 27 1 the national assembly of statutory auditors shall be convene by the national council of statutory auditors every 4 year 2\n", + "article 27 1 the national assembly of statutory auditors biegły rewident shall be convene by the national council of statutory auditors every 4 year 2\n", + "art 27 1 krajowy zjazd biegły rewident odbywać się co 4 rok 2 krajowy zjazd biegły rewident jest zwoływany przez krajowy rada biegły rewident 3\n", + "=====================================================================\n", + "[('acquisition', 100.0, 67), 100.0, array(['nabycie przedsiębiorstwa'], dtype=object)]\n", + "goodwill that originate on acquisition of a foreign operation and all adjustment result from re measurement to fair value of the acquire asset and liability be treat as asset and liability of the acquire foreign operation and translate at the average exchange rate determine for the give currency by the national bank of poland as prevail at the reporting date\n", + "goodwill that originate on nabycie przedsiębiorstwa acquisition of a foreign operation and all adjustment result from re measurement to fair value of the acquire asset and liability be treat as asset and liability of the acquire foreign operation and translate at the average exchange rate determine for the give currency by the national bank of poland as prevail at the reporting date\n", + "wartość firma powstać na nabycie podmiot zagraniczny oraz wszelkie korekta z tytuł wycena do wartość godziwy aktywa i zobowiązanie na takim nabycie są traktowane jako aktywa lub zobowiązanie takiego podmiot zagraniczny i przeliczane po średni kurs ustalonym dla dany waluta przez narodowy bank polska obowiązujący na dzienie bilansowy\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 66.66666666666666, array(['aktywa'], dtype=object)]\n", + "goodwill that originate on acquisition of a foreign operation and all adjustment result from re measurement to fair value of the acquire asset and liability be treat as asset and liability of the acquire foreign operation and translate at the average exchange rate determine for the give currency by the national bank of poland as prevail at the reporting date\n", + "goodwill that originate on acquisition of a aktywa foreign operation and all adjustment result from re measurement to fair value of the acquire asset and liability be treat as asset and liability of the acquire foreign operation and translate at the average exchange rate determine for the give currency by the national bank of poland as prevail at the reporting date\n", + "wartość firma powstać na nabycie podmiot zagraniczny oraz wszelkie korekta z tytuł wycena do wartość godziwy aktywa i zobowiązanie na takim nabycie są traktowane jako aktywa lub zobowiązanie takiego podmiot zagraniczny i przeliczane po średni kurs ustalonym dla dany waluta przez narodowy bank polska obowiązujący na dzienie bilansowy\n", + "=====================================================================\n", + "[('fair value', 100.0, 497), 53.333333333333336, array(['wartość godziwa'], dtype=object)]\n", + "goodwill that originate on acquisition of a foreign operation and all adjustment result from re measurement to fair value of the acquire asset and liability be treat as asset and liability of the acquire foreign operation and translate at the average exchange rate determine for the give currency by the national bank of poland as prevail at the reporting date\n", + "goodwill that originate on acquisition of a foreign operation and all adjustment result from re measurement to fair value wartość godziwa of the acquire asset and liability be treat as asset and liability of the acquire foreign operation and translate at the average exchange rate determine for the give currency by the national bank of poland as prevail at the reporting date\n", + "wartość firma powstać na nabycie podmiot zagraniczny oraz wszelkie korekta z tytuł wycena do wartość godziwy aktywa i zobowiązanie na takim nabycie są traktowane jako aktywa lub zobowiązanie takiego podmiot zagraniczny i przeliczane po średni kurs ustalonym dla dany waluta przez narodowy bank polska obowiązujący na dzienie bilansowy\n", + "=====================================================================\n", + "[('foreign operation', 100.0, 543), 57.142857142857146, array(['przedsięwzięcia zagraniczne'], dtype=object)]\n", + "goodwill that originate on acquisition of a foreign operation and all adjustment result from re measurement to fair value of the acquire asset and liability be treat as asset and liability of the acquire foreign operation and translate at the average exchange rate determine for the give currency by the national bank of poland as prevail at the reporting date\n", + "goodwill that originate on acquisition of a foreign operation przedsięwzięcia zagraniczne and all adjustment result from re measurement to fair value of the acquire asset and liability be treat as asset and liability of the acquire foreign operation and translate at the average exchange rate determine for the give currency by the national bank of poland as prevail at the reporting date\n", + "wartość firma powstać na nabycie podmiot zagraniczny oraz wszelkie korekta z tytuł wycena do wartość godziwy aktywa i zobowiązanie na takim nabycie są traktowane jako aktywa lub zobowiązanie takiego podmiot zagraniczny i przeliczane po średni kurs ustalonym dla dany waluta przez narodowy bank polska obowiązujący na dzienie bilansowy\n", + "=====================================================================\n", + "[('goodwill', 100.0, 584), 100.0, array(['wartość firmy'], dtype=object)]\n", + "goodwill that originate on acquisition of a foreign operation and all adjustment result from re measurement to fair value of the acquire asset and liability be treat as asset and liability of the acquire foreign operation and translate at the average exchange rate determine for the give currency by the national bank of poland as prevail at the reporting date\n", + "goodwill wartość firmy that originate on acquisition of a foreign operation and all adjustment result from re measurement to fair value of the acquire asset and liability be treat as asset and liability of the acquire foreign operation and translate at the average exchange rate determine for the give currency by the national bank of poland as prevail at the reporting date\n", + "wartość firma powstać na nabycie podmiot zagraniczny oraz wszelkie korekta z tytuł wycena do wartość godziwy aktywa i zobowiązanie na takim nabycie są traktowane jako aktywa lub zobowiązanie takiego podmiot zagraniczny i przeliczane po średni kurs ustalonym dla dany waluta przez narodowy bank polska obowiązujący na dzienie bilansowy\n", + "=====================================================================\n", + "[('cost', 100.0, 303), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "finance cost\n", + "finance koszt cost\n", + "koszt finansowy\n", + "=====================================================================\n", + "[('cost', 100.0, 324), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "finance cost\n", + "finance koszt cost\n", + "koszt finansowy\n", + "=====================================================================\n", + "[('finance cost', 100.0, 507), 0, array(['koszty finansowe'], dtype=object)]\n", + "finance cost\n", + "finance cost koszty finansowe \n", + "koszt finansowy\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 66.66666666666666, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "the risk of not detect a material misstatement due to fraud be high than the risk of not recognize a material misstatement due to an error as fraud may involve collusion falsification deliberate omission mislead or circumvent internal control and may affect every area of law and regulation not just this directly affect the financial statement\n", + "the risk of not detect a material misstatement due to fraud be high than the risk of not recognize koszty sprzedanych produktów, towarów i materiałów a material misstatement due to an error as fraud may involve collusion falsification deliberate omission mislead or circumvent internal control and may affect every area of law and regulation not just this directly affect the financial statement\n", + "ryzyka niewykrycia istotny zniekształcenie powstały na skutek oszustwo jest wysoki niż ryzyka niewykrycia istotny zniekształcenie powstały na skutek błąd ponieważ oszustwo móc obejmować zmowy fałszerstwo celowy pominięcia wprowadzanie w błąd lub obejście kontrola wewnętrzny i móc dotyczyć każdego obszar prawo i regulacja nie tylko tego bezpośrednio wpływającego na sprawozdanie finansowy\n", + "=====================================================================\n", + "[('control', 100.0, 289), 85.71428571428571, array(['kontrola '], dtype=object)]\n", + "the risk of not detect a material misstatement due to fraud be high than the risk of not recognize a material misstatement due to an error as fraud may involve collusion falsification deliberate omission mislead or circumvent internal control and may affect every area of law and regulation not just this directly affect the financial statement\n", + "the risk of not detect a material misstatement due to fraud be high than the risk of not recognize a material misstatement due to an error as fraud may involve collusion falsification deliberate omission mislead or circumvent internal control kontrola and may affect every area of law and regulation not just this directly affect the financial statement\n", + "ryzyka niewykrycia istotny zniekształcenie powstały na skutek oszustwo jest wysoki niż ryzyka niewykrycia istotny zniekształcenie powstały na skutek błąd ponieważ oszustwo móc obejmować zmowy fałszerstwo celowy pominięcia wprowadzanie w błąd lub obejście kontrola wewnętrzny i móc dotyczyć każdego obszar prawo i regulacja nie tylko tego bezpośrednio wpływającego na sprawozdanie finansowy\n", + "=====================================================================\n", + "[('financial statement', 100.0, 526), 55.55555555555556, array(['sprawozdanie finansowe'], dtype=object)]\n", + "the risk of not detect a material misstatement due to fraud be high than the risk of not recognize a material misstatement due to an error as fraud may involve collusion falsification deliberate omission mislead or circumvent internal control and may affect every area of law and regulation not just this directly affect the financial statement\n", + "the risk of not detect a material misstatement due to fraud be high than the risk of not recognize a material misstatement due to an error as fraud may involve collusion falsification deliberate omission mislead or circumvent internal control and may affect every area of law and regulation not just this directly affect the financial sprawozdanie finansowe statement\n", + "ryzyka niewykrycia istotny zniekształcenie powstały na skutek oszustwo jest wysoki niż ryzyka niewykrycia istotny zniekształcenie powstały na skutek błąd ponieważ oszustwo móc obejmować zmowy fałszerstwo celowy pominięcia wprowadzanie w błąd lub obejście kontrola wewnętrzny i móc dotyczyć każdego obszar prawo i regulacja nie tylko tego bezpośrednio wpływającego na sprawozdanie finansowy\n", + "=====================================================================\n", + "[('internal control', 100.0, 670), 66.66666666666666, array(['kontrola wewnętrzna'], dtype=object)]\n", + "the risk of not detect a material misstatement due to fraud be high than the risk of not recognize a material misstatement due to an error as fraud may involve collusion falsification deliberate omission mislead or circumvent internal control and may affect every area of law and regulation not just this directly affect the financial statement\n", + "the risk of not detect a material misstatement due to fraud be high than the risk of not recognize a material misstatement due to an error as fraud may involve collusion falsification deliberate omission mislead or circumvent internal control kontrola wewnętrzna and may affect every area of law and regulation not just this directly affect the financial statement\n", + "ryzyka niewykrycia istotny zniekształcenie powstały na skutek oszustwo jest wysoki niż ryzyka niewykrycia istotny zniekształcenie powstały na skutek błąd ponieważ oszustwo móc obejmować zmowy fałszerstwo celowy pominięcia wprowadzanie w błąd lub obejście kontrola wewnętrzny i móc dotyczyć każdego obszar prawo i regulacja nie tylko tego bezpośrednio wpływającego na sprawozdanie finansowy\n", + "=====================================================================\n", + "[('restatement', 90.0, 972), 75.0, array(['korekty poprzedniego okresu'], dtype=object)]\n", + "the risk of not detect a material misstatement due to fraud be high than the risk of not recognize a material misstatement due to an error as fraud may involve collusion falsification deliberate omission mislead or circumvent internal control and may affect every area of law and regulation not just this directly affect the financial statement\n", + "the risk of not detect a korekty poprzedniego okresu material misstatement due to fraud be high than the risk of not recognize a material misstatement due to an error as fraud may involve collusion falsification deliberate omission mislead or circumvent internal control and may affect every area of law and regulation not just this directly affect the financial statement\n", + "ryzyka niewykrycia istotny zniekształcenie powstały na skutek oszustwo jest wysoki niż ryzyka niewykrycia istotny zniekształcenie powstały na skutek błąd ponieważ oszustwo móc obejmować zmowy fałszerstwo celowy pominięcia wprowadzanie w błąd lub obejście kontrola wewnętrzny i móc dotyczyć każdego obszar prawo i regulacja nie tylko tego bezpośrednio wpływającego na sprawozdanie finansowy\n", + "=====================================================================\n", + "[('company', 100.0, 245), 60.0, array(['spółka kapitałowa'], dtype=object)]\n", + "the purpose of these transaction be to manage the risk of interest rate and currency risk arise from the company s operation and from its source of finance\n", + "the purpose of these transaction be to manage the risk of interest rate and currency risk arise from the company spółka kapitałowa s operation and from its source of finance\n", + "cel tych transakcja jest zarządzanie ryzyko stopa procentowy oraz ryzyko walutowy powstającym w tok działalność spółka oraz wynikających z używanych przez on źródło finansowania\n", + "=====================================================================\n", + "[('interest', 100.0, 664), 85.71428571428571, array(['odsetki'], dtype=object)]\n", + "the purpose of these transaction be to manage the risk of interest rate and currency risk arise from the company s operation and from its source of finance\n", + "the purpose of these transaction be to manage the risk of interest odsetki rate and currency risk arise from the company s operation and from its source of finance\n", + "cel tych transakcja jest zarządzanie ryzyko stopa procentowy oraz ryzyko walutowy powstającym w tok działalność spółka oraz wynikających z używanych przez on źródło finansowania\n", + "=====================================================================\n", + "[('sac', 100.0, 993), 66.66666666666666, array(['komisje doradcze ds. standardów'], dtype=object)]\n", + "the purpose of these transaction be to manage the risk of interest rate and currency risk arise from the company s operation and from its source of finance\n", + "the purpose of these transaction komisje doradcze ds. standardów be to manage the risk of interest rate and currency risk arise from the company s operation and from its source of finance\n", + "cel tych transakcja jest zarządzanie ryzyko stopa procentowy oraz ryzyko walutowy powstającym w tok działalność spółka oraz wynikających z używanych przez on źródło finansowania\n", + "=====================================================================\n", + "[('transaction', 100.0, 1125), 100.0, array(['transakcja'], dtype=object)]\n", + "the purpose of these transaction be to manage the risk of interest rate and currency risk arise from the company s operation and from its source of finance\n", + "the purpose of these transaction transakcja be to manage the risk of interest rate and currency risk arise from the company s operation and from its source of finance\n", + "cel tych transakcja jest zarządzanie ryzyko stopa procentowy oraz ryzyko walutowy powstającym w tok działalność spółka oraz wynikających z używanych przez on źródło finansowania\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 66.66666666666666, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "information shall be submit along with the report of the statutory auditor select by the state electoral commission\n", + "information shall be submit along with the report of the statutory auditor badanie sprawozdania finansowego select by the state electoral commission\n", + "informacja składany jest wraz z załączonym sprawozdanie biegły rewident którego wybierać państwo wa komisja wyborczy\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 66.66666666666666, array(['biegły rewident'], dtype=object)]\n", + "information shall be submit along with the report of the statutory auditor select by the state electoral commission\n", + "information shall be submit along with the report of the statutory auditor biegły rewident select by the state electoral commission\n", + "informacja składany jest wraz z załączonym sprawozdanie biegły rewident którego wybierać państwo wa komisja wyborczy\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 61.53846153846154, array(['prowizje'], dtype=object)]\n", + "information shall be submit along with the report of the statutory auditor select by the state electoral commission\n", + "information shall be submit along prowizje with the report of the statutory auditor select by the state electoral commission\n", + "informacja składany jest wraz z załączonym sprawozdanie biegły rewident którego wybierać państwo wa komisja wyborczy\n", + "=====================================================================\n", + "[('report', 100.0, 963), 60.0, array(['sprawozdawczość'], dtype=object)]\n", + "information shall be submit along with the report of the statutory auditor select by the state electoral commission\n", + "information shall be submit along with the report sprawozdawczość of the statutory auditor select by the state electoral commission\n", + "informacja składany jest wraz z załączonym sprawozdanie biegły rewident którego wybierać państwo wa komisja wyborczy\n", + "=====================================================================\n", + "[('ifrs', 100.0, 624), 100.0, array(['mssf'], dtype=object)]\n", + "ifrs 9 be effective for annual period begin on or after 1 january 2018 with early application permit\n", + "ifrs mssf 9 be effective for annual period begin on or after 1 january 2018 with early application permit\n", + "mssf 9 obowiązywać dla okres roczny rozpoczynających się 1 styczeń 2018 rok i późno z możliwość wczesny zastosowanie\n", + "=====================================================================\n", + "[('company', 100.0, 245), 66.66666666666666, array(['spółka kapitałowa'], dtype=object)]\n", + "an associate be an entity on which the company have directly or indirectly a significant influence and which be neither its subsidiary nor joint venture\n", + "an spółka kapitałowa associate be an entity on which the company have directly or indirectly a significant influence and which be neither its subsidiary nor joint venture\n", + "jednostka stowarzyszony są takie jednostka na które spółka wywierać znaczący wpływ niebędące jednostka zależny ani udział w wspólny przedsięwzięcie spółki\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 66.66666666666666, array(['jednostka'], dtype=object)]\n", + "an associate be an entity on which the company have directly or indirectly a significant influence and which be neither its subsidiary nor joint venture\n", + "an associate be an entity jednostka on which the company have directly or indirectly a significant influence and which be neither its subsidiary nor joint venture\n", + "jednostka stowarzyszony są takie jednostka na które spółka wywierać znaczący wpływ niebędące jednostka zależny ani udział w wspólny przedsięwzięcie spółki\n", + "=====================================================================\n", + "[('subsidiary', 100.0, 1066), 66.66666666666666, array(['jednostka zależna'], dtype=object)]\n", + "an associate be an entity on which the company have directly or indirectly a significant influence and which be neither its subsidiary nor joint venture\n", + "an associate be an entity on which the company have directly or indirectly a jednostka zależna significant influence and which be neither its subsidiary nor joint venture\n", + "jednostka stowarzyszony są takie jednostka na które spółka wywierać znaczący wpływ niebędące jednostka zależny ani udział w wspólny przedsięwzięcie spółki\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "article 60 1 the audit firm shall pay the fee for entry in the list in the amount not high than 50 of the average wage in the national economy announce by the president of the central statistical office of poland for the previous calendar year dz u 28 item 1089 2\n", + "article 60 1 the audit badanie sprawozdania finansowego firm shall pay the fee for entry in the list in the amount not high than 50 of the average wage in the national economy announce by the president of the central statistical office of poland for the previous calendar year dz u 28 item 1089 2\n", + "art 60 1 firma audytorski jest obowiązany wnieść opłata z tytuł wpis na lista w wysokość nie wysoki niż 50 przeciętny wynagrodzenie w gospodarka narodowy ogłoszonego przez prezes główny urząd statystyczny za poprzedni rok kalendarzowy 2\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the minister competent for public finance shall make a selection from among the recommend candidate take into consideration the need to ensure a relevant substantive and diversified composition of the audit oversight commission necessary for proper fulfilment of its task\n", + "the minister competent for public finance shall make a badanie sprawozdania finansowego selection from among the recommend candidate take into consideration the need to ensure a relevant substantive and diversified composition of the audit oversight commission necessary for proper fulfilment of its task\n", + "minister właściwy do sprawa finanse publiczny dokonywać wybór spośród rekomendowanych kandydat bio rąc pod uwaga konieczność zapewnienie odpowiedni merytoryczny oraz zróżnicowany skład komisja nadzór audytowy zbędny do właściwy realizacja on zadanie\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "the minister competent for public finance shall make a selection from among the recommend candidate take into consideration the need to ensure a relevant substantive and diversified composition of the audit oversight commission necessary for proper fulfilment of its task\n", + "the minister competent for public finance shall make a selection from among the recommend candidate take into consideration the need to ensure a relevant substantive and diversified composition of the audit oversight commission prowizje necessary for proper fulfilment of its task\n", + "minister właściwy do sprawa finanse publiczny dokonywać wybór spośród rekomendowanych kandydat bio rąc pod uwaga konieczność zapewnienie odpowiedni merytoryczny oraz zróżnicowany skład komisja nadzór audytowy zbędny do właściwy realizacja on zadanie\n", + "=====================================================================\n", + "[('consideration', 100.0, 263), 100.0, array(['zapłata'], dtype=object)]\n", + "the minister competent for public finance shall make a selection from among the recommend candidate take into consideration the need to ensure a relevant substantive and diversified composition of the audit oversight commission necessary for proper fulfilment of its task\n", + "the minister competent for public finance shall make a zapłata selection from among the recommend candidate take into consideration the need to ensure a relevant substantive and diversified composition of the audit oversight commission necessary for proper fulfilment of its task\n", + "minister właściwy do sprawa finanse publiczny dokonywać wybór spośród rekomendowanych kandydat bio rąc pod uwaga konieczność zapewnienie odpowiedni merytoryczny oraz zróżnicowany skład komisja nadzór audytowy zbędny do właściwy realizacja on zadanie\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 66.66666666666666, array(['nadzór'], dtype=object)]\n", + "the minister competent for public finance shall make a selection from among the recommend candidate take into consideration the need to ensure a relevant substantive and diversified composition of the audit oversight commission necessary for proper fulfilment of its task\n", + "the minister competent for public finance shall make a selection from among the recommend candidate take into consideration the need to ensure a relevant substantive and diversified composition of the audit oversight nadzór commission necessary for proper fulfilment of its task\n", + "minister właściwy do sprawa finanse publiczny dokonywać wybór spośród rekomendowanych kandydat bio rąc pod uwaga konieczność zapewnienie odpowiedni merytoryczny oraz zróżnicowany skład komisja nadzór audytowy zbędny do właściwy realizacja on zadanie\n", + "=====================================================================\n", + "[('equity', 100.0, 460), 50.0, array(['kapitał własny'], dtype=object)]\n", + "as at 31 december 2017 the sum total of the interest in individually insignificant joint venture determine use the equity method amount to pln thousand 2016 pln thousand\n", + "as at 31 december 2017 the sum total of the interest in individually insignificant joint venture determine use the equity kapitał własny method amount to pln thousand 2016 pln thousand\n", + "na dzienie 31 grudzień 2017 rok sum wartość inwestycja w jednostkowo istotny wspólny przedsięwzięcie ustalonych metoda prawo własność wynosić tysiąc pln 2016 tysiąc pln\n", + "=====================================================================\n", + "[('equity method', 100.0, 461), 60.869565217391305, array(['metoda praw własności'], dtype=object)]\n", + "as at 31 december 2017 the sum total of the interest in individually insignificant joint venture determine use the equity method amount to pln thousand 2016 pln thousand\n", + "as at 31 december 2017 the sum total of the interest in individually insignificant joint venture determine use the equity method metoda praw własności amount to pln thousand 2016 pln thousand\n", + "na dzienie 31 grudzień 2017 rok sum wartość inwestycja w jednostkowo istotny wspólny przedsięwzięcie ustalonych metoda prawo własność wynosić tysiąc pln 2016 tysiąc pln\n", + "=====================================================================\n", + "[('interest', 100.0, 664), 71.42857142857143, array(['odsetki'], dtype=object)]\n", + "as at 31 december 2017 the sum total of the interest in individually insignificant joint venture determine use the equity method amount to pln thousand 2016 pln thousand\n", + "as at 31 december 2017 the sum total of the interest odsetki in individually insignificant joint venture determine use the equity method amount to pln thousand 2016 pln thousand\n", + "na dzienie 31 grudzień 2017 rok sum wartość inwestycja w jednostkowo istotny wspólny przedsięwzięcie ustalonych metoda prawo własność wynosić tysiąc pln 2016 tysiąc pln\n", + "=====================================================================\n", + "[('report', 100.0, 963), 100.0, array(['sprawozdawczość'], dtype=object)]\n", + "it be also a necessity to revise the policy of price set disposition report by issuer\n", + "it be also a necessity to revise the policy of price set disposition report sprawozdawczość by issuer\n", + "to również konieczność zrewidowania przez emitent polityka raportowania w zakres dysponowania informacja o charakter cenotwórczy\n", + "=====================================================================\n", + "[('group', 100.0, 593), 50.0, array(['grupa kapitałowa'], dtype=object)]\n", + "where the group\n", + "where grupa kapitałowa the group\n", + "w sytuacja gdy grupa\n", + "=====================================================================\n", + "[('company', 100.0, 245), 50.0, array(['spółka kapitałowa'], dtype=object)]\n", + "as at 31 december 2017 the company have a interest in nazwa 31 december 2016\n", + "as at 31 december 2017 the company spółka kapitałowa have a interest in nazwa 31 december 2016\n", + "na dzienie 31 grudzień 2017 rok spółka posiadać udział w spółka nazwa 31 grudzień 2016\n", + "=====================================================================\n", + "[('interest', 100.0, 664), 54.54545454545455, array(['odsetki'], dtype=object)]\n", + "as at 31 december 2017 the company have a interest in nazwa 31 december 2016\n", + "as at 31 december 2017 the company have a interest odsetki in nazwa 31 december 2016\n", + "na dzienie 31 grudzień 2017 rok spółka posiadać udział w spółka nazwa 31 grudzień 2016\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "in case there be a risk of exceed the adopted limit of expense refer to in passage 1 adopt in 2017 a corrective mechanism shall be implement consist in reduction of the cost of 1 maintenance of the system of the national court register or 2 commission modification of this system while ensure its proper and continuous operation 3\n", + "in case there be a risk of exceed the adopted limit of expense refer to in passage 1 adopt in 2017 a corrective mechanism shall be implement consist in reduction of the cost of 1 maintenance of the system of the national court register or 2 commission prowizje modification of this system while ensure its proper and continuous operation 3\n", + "w przypadek zagrożenie przekroczenie przyjęty w 2017 r limitu wydatek o którym mowa w ust 1 zostanie wdrożony mechanizm korygujący polegający na zmniejszenie koszt 1 utrzymanie system krajowy rejestr sądowy lub 2 zleconych modyfikacja tego system przy jednoczesny zapewnienie on prawidłowy i nieprzerwany działanie 3\n", + "=====================================================================\n", + "[('cost', 100.0, 303), 100.0, array(['koszt', 'koszty'], dtype=object)]\n", + "in case there be a risk of exceed the adopted limit of expense refer to in passage 1 adopt in 2017 a corrective mechanism shall be implement consist in reduction of the cost of 1 maintenance of the system of the national court register or 2 commission modification of this system while ensure its proper and continuous operation 3\n", + "in case there be a risk of exceed the adopted limit of expense refer to in passage 1 adopt in 2017 a corrective mechanism shall be implement consist in reduction of the cost koszt of 1 maintenance of the system of the national court register or 2 commission modification of this system while ensure its proper and continuous operation 3\n", + "w przypadek zagrożenie przekroczenie przyjęty w 2017 r limitu wydatek o którym mowa w ust 1 zostanie wdrożony mechanizm korygujący polegający na zmniejszenie koszt 1 utrzymanie system krajowy rejestr sądowy lub 2 zleconych modyfikacja tego system przy jednoczesny zapewnienie on prawidłowy i nieprzerwany działanie 3\n", + "=====================================================================\n", + "[('cost', 100.0, 324), 100.0, array(['koszt', 'koszty'], dtype=object)]\n", + "in case there be a risk of exceed the adopted limit of expense refer to in passage 1 adopt in 2017 a corrective mechanism shall be implement consist in reduction of the cost of 1 maintenance of the system of the national court register or 2 commission modification of this system while ensure its proper and continuous operation 3\n", + "in case there be a risk of exceed the adopted limit of expense refer to in passage 1 adopt in 2017 a corrective mechanism shall be implement consist in reduction of the cost koszt of 1 maintenance of the system of the national court register or 2 commission modification of this system while ensure its proper and continuous operation 3\n", + "w przypadek zagrożenie przekroczenie przyjęty w 2017 r limitu wydatek o którym mowa w ust 1 zostanie wdrożony mechanizm korygujący polegający na zmniejszenie koszt 1 utrzymanie system krajowy rejestr sądowy lub 2 zleconych modyfikacja tego system przy jednoczesny zapewnienie on prawidłowy i nieprzerwany działanie 3\n", + "=====================================================================\n", + "[('expense', 100.0, 479), 57.142857142857146, array(['koszt'], dtype=object)]\n", + "in case there be a risk of exceed the adopted limit of expense refer to in passage 1 adopt in 2017 a corrective mechanism shall be implement consist in reduction of the cost of 1 maintenance of the system of the national court register or 2 commission modification of this system while ensure its proper and continuous operation 3\n", + "in case there be a risk of exceed the adopted limit of expense koszt refer to in passage 1 adopt in 2017 a corrective mechanism shall be implement consist in reduction of the cost of 1 maintenance of the system of the national court register or 2 commission modification of this system while ensure its proper and continuous operation 3\n", + "w przypadek zagrożenie przekroczenie przyjęty w 2017 r limitu wydatek o którym mowa w ust 1 zostanie wdrożony mechanizm korygujący polegający na zmniejszenie koszt 1 utrzymanie system krajowy rejestr sądowy lub 2 zleconych modyfikacja tego system przy jednoczesny zapewnienie on prawidłowy i nieprzerwany działanie 3\n", + "=====================================================================\n", + "[('isa', 100.0, 628), 66.66666666666666, array(['międzynarodowe standardy rewizji finansowej'], dtype=object)]\n", + "it be estimate that last year in india about 50 60 000 it position disappear\n", + "it be estimate that last year in india międzynarodowe standardy rewizji finansowej about 50 60 000 it position disappear\n", + "szacować się że w rok ubiegły w indie ok 50 60 tys stanowisko it zostało zlikwidowanych\n", + "=====================================================================\n", + "[('ppe', 100.0, 844), 66.66666666666666, array(['środki trwałe'], dtype=object)]\n", + "it be estimate that last year in india about 50 60 000 it position disappear\n", + "it be środki trwałe estimate that last year in india about 50 60 000 it position disappear\n", + "szacować się że w rok ubiegły w indie ok 50 60 tys stanowisko it zostało zlikwidowanych\n", + "=====================================================================\n", + "[('fair value', 100.0, 497), 40.0, array(['wartość godziwa'], dtype=object)]\n", + "sensitivity of input datum and impact on fair value\n", + "sensitivity of input datum and impact on fair wartość godziwa value\n", + "wrażliwość dane wejściowy i wpływ na wartość godziwy\n", + "=====================================================================\n", + "[('par value', 88.88888888888889, 850), 42.857142857142854, array(['wartość nominalna'], dtype=object)]\n", + "sensitivity of input datum and impact on fair value\n", + "sensitivity of input datum and impact on wartość nominalna fair value\n", + "wrażliwość dane wejściowy i wpływ na wartość godziwy\n", + "=====================================================================\n", + "[('company', 100.0, 245), 57.142857142857146, array(['spółka kapitałowa'], dtype=object)]\n", + "change due to company disposal\n", + "change due to company spółka kapitałowa disposal\n", + "zmiana stan z tytuł zbycie spółka\n", + "=====================================================================\n", + "[('c a', 100.0, 176), 66.66666666666666, array(['dyplomowany biegły rewident'], dtype=object)]\n", + "the economic characteristic and risk of an embed derivative be not closely relate to those of the host contract\n", + "the economic characteristic and dyplomowany biegły rewident risk of an embed derivative be not closely relate to those of the host contract\n", + "charakter ekonomiczny i ryzyka wbudowanego instrument nie są ściśle związane z ekonomiczny charakter i ryzyko umowa w którą dany instrument jest wbudowany\n", + "=====================================================================\n", + "[('contract', 100.0, 282), 53.333333333333336, array(['kontrakt', 'umowa'], dtype=object)]\n", + "the economic characteristic and risk of an embed derivative be not closely relate to those of the host contract\n", + "the economic characteristic kontrakt and risk of an embed derivative be not closely relate to those of the host contract\n", + "charakter ekonomiczny i ryzyka wbudowanego instrument nie są ściśle związane z ekonomiczny charakter i ryzyko umowa w którą dany instrument jest wbudowany\n", + "=====================================================================\n", + "[('contract', 100.0, 283), 53.333333333333336, array(['kontrakt', 'umowa'], dtype=object)]\n", + "the economic characteristic and risk of an embed derivative be not closely relate to those of the host contract\n", + "the economic characteristic kontrakt and risk of an embed derivative be not closely relate to those of the host contract\n", + "charakter ekonomiczny i ryzyka wbudowanego instrument nie są ściśle związane z ekonomiczny charakter i ryzyko umowa w którą dany instrument jest wbudowany\n", + "=====================================================================\n", + "[('derivative', 100.0, 377), 100.0, array(['instrumenty pochodne'], dtype=object)]\n", + "the economic characteristic and risk of an embed derivative be not closely relate to those of the host contract\n", + "the economic characteristic and risk of an embed derivative instrumenty pochodne be not closely relate to those of the host contract\n", + "charakter ekonomiczny i ryzyka wbudowanego instrument nie są ściśle związane z ekonomiczny charakter i ryzyko umowa w którą dany instrument jest wbudowany\n", + "=====================================================================\n", + "[('economic', 100.0, 433), 100.0, array(['ekonomia'], dtype=object)]\n", + "the economic characteristic and risk of an embed derivative be not closely relate to those of the host contract\n", + "the economic ekonomia characteristic and risk of an embed derivative be not closely relate to those of the host contract\n", + "charakter ekonomiczny i ryzyka wbudowanego instrument nie są ściśle związane z ekonomiczny charakter i ryzyko umowa w którą dany instrument jest wbudowany\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 50.0, array(['aktywa'], dtype=object)]\n", + "non monetary foreign currency asset and liability recognise at historical cost be translate at the historical foreign exchange rate prevail on the transaction date\n", + "non monetary foreign currency asset aktywa and liability recognise at historical cost be translate at the historical foreign exchange rate prevail on the transaction date\n", + "aktywa i zobowiązanie pieniężny ujmowane według koszt historyczny wyrażonego w waluta obcy są wykazywane po kurs historyczny z dzień transakcja\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 50.0, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "non monetary foreign currency asset and liability recognise at historical cost be translate at the historical foreign exchange rate prevail on the transaction date\n", + "non monetary foreign currency asset and liability recognise koszty sprzedanych produktów, towarów i materiałów at historical cost be translate at the historical foreign exchange rate prevail on the transaction date\n", + "aktywa i zobowiązanie pieniężny ujmowane według koszt historyczny wyrażonego w waluta obcy są wykazywane po kurs historyczny z dzień transakcja\n", + "=====================================================================\n", + "[('cost', 100.0, 303), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "non monetary foreign currency asset and liability recognise at historical cost be translate at the historical foreign exchange rate prevail on the transaction date\n", + "non monetary foreign currency asset and liability recognise at historical cost koszt be translate at the historical foreign exchange rate prevail on the transaction date\n", + "aktywa i zobowiązanie pieniężny ujmowane według koszt historyczny wyrażonego w waluta obcy są wykazywane po kurs historyczny z dzień transakcja\n", + "=====================================================================\n", + "[('cost', 100.0, 324), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "non monetary foreign currency asset and liability recognise at historical cost be translate at the historical foreign exchange rate prevail on the transaction date\n", + "non monetary foreign currency asset and liability recognise at historical cost koszt be translate at the historical foreign exchange rate prevail on the transaction date\n", + "aktywa i zobowiązanie pieniężny ujmowane według koszt historyczny wyrażonego w waluta obcy są wykazywane po kurs historyczny z dzień transakcja\n", + "=====================================================================\n", + "[('historical cost', 100.0, 606), 66.66666666666666, array(['koszt historyczny'], dtype=object)]\n", + "non monetary foreign currency asset and liability recognise at historical cost be translate at the historical foreign exchange rate prevail on the transaction date\n", + "non monetary foreign currency asset and liability recognise at historical cost koszt historyczny be translate at the historical foreign exchange rate prevail on the transaction date\n", + "aktywa i zobowiązanie pieniężny ujmowane według koszt historyczny wyrażonego w waluta obcy są wykazywane po kurs historyczny z dzień transakcja\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 66.66666666666666, array(['aktywa'], dtype=object)]\n", + "entities whose sole activity consist in perform the role of the issuer of security base on the asset refer to in article 2 item 5 of commission regulation ec no 809 2004 of 29 april 2004 implement directive 2003 71 ec of the european parliament and of the council as regard information contain in prospectus as well as the format incorporation by reference and publication of such prospectus and dissemination of advertisement oj eu l 149 of 30 04 2004 p 307 as amended7 shall not be oblige to have the audit committee these entity shall disclose to the 7 change of the above regulation have be announce in the official journal eu l of 05 12 2006 p 17 official journal eu l 61 of 28 02 2007 p 24 official journal eu l 340 of 19 12 2008 p 17 official journal eu l 103 of 13 04 2012 p 13 official journal eu l 150 of 09 06 2012 p 1 official journal eu l 256 of 22 09 2012 p 4 official journal eu l 177 of 28 06 2013 p 14 dz\n", + "entities whose sole activity consist in perform the role of the issuer of security base on the asset aktywa refer to in article 2 item 5 of commission regulation ec no 809 2004 of 29 april 2004 implement directive 2003 71 ec of the european parliament and of the council as regard information contain in prospectus as well as the format incorporation by reference and publication of such prospectus and dissemination of advertisement oj eu l 149 of 30 04 2004 p 307 as amended7 shall not be oblige to have the audit committee these entity shall disclose to the 7 change of the above regulation have be announce in the official journal eu l of 05 12 2006 p 17 official journal eu l 61 of 28 02 2007 p 24 official journal eu l 340 of 19 12 2008 p 17 official journal eu l 103 of 13 04 2012 p 13 official journal eu l 150 of 09 06 2012 p 1 official journal eu l 256 of 22 09 2012 p 4 official journal eu l 177 of 28 06 2013 p 14 dz\n", + "jednostka których jedyny działalność polegać na pełnieniu rola emitent papier wartościowy opartych na akt wacha o których mowa w art 2 pkt 5 rozporządzenie komisja we nr 809 2004 z dzień 29 kwiecień 2004 r wykonującego dyrektywa 2003 71 we parlament europejski i rada w sprawa informacja zawartych w prospekt emisyjny oraz forma włączenia przez odniesienie i publikacja takich prospekt emisyjny oraz rozpowszechniania reklama dz urz ue l 149 z 30 04 2004 str 307 z późn zm 9 nie mieć obowiązek posiadanie komitet audyt jednostka te podawać do publiczny wiadomość przyczyna dla których w on przypadek nie jest właściwy posiadanie komitet audyt lub inny organ nadzorczy lub kontrolny któremu byłoby właściwy powierzenie funkcja komitet audyt 3\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "entities whose sole activity consist in perform the role of the issuer of security base on the asset refer to in article 2 item 5 of commission regulation ec no 809 2004 of 29 april 2004 implement directive 2003 71 ec of the european parliament and of the council as regard information contain in prospectus as well as the format incorporation by reference and publication of such prospectus and dissemination of advertisement oj eu l 149 of 30 04 2004 p 307 as amended7 shall not be oblige to have the audit committee these entity shall disclose to the 7 change of the above regulation have be announce in the official journal eu l of 05 12 2006 p 17 official journal eu l 61 of 28 02 2007 p 24 official journal eu l 340 of 19 12 2008 p 17 official journal eu l 103 of 13 04 2012 p 13 official journal eu l 150 of 09 06 2012 p 1 official journal eu l 256 of 22 09 2012 p 4 official journal eu l 177 of 28 06 2013 p 14 dz\n", + "entities whose sole activity consist in perform the role of the issuer of security base on the asset refer to in article 2 item 5 of commission regulation ec no 809 2004 of 29 april 2004 implement directive 2003 71 ec of the european parliament and of the council as regard information contain in prospectus as well as the format incorporation by reference and publication of such prospectus and dissemination of advertisement oj eu l 149 of 30 04 2004 p 307 as amended7 shall not be oblige to have the audit badanie sprawozdania finansowego committee these entity shall disclose to the 7 change of the above regulation have be announce in the official journal eu l of 05 12 2006 p 17 official journal eu l 61 of 28 02 2007 p 24 official journal eu l 340 of 19 12 2008 p 17 official journal eu l 103 of 13 04 2012 p 13 official journal eu l 150 of 09 06 2012 p 1 official journal eu l 256 of 22 09 2012 p 4 official journal eu l 177 of 28 06 2013 p 14 dz\n", + "jednostka których jedyny działalność polegać na pełnieniu rola emitent papier wartościowy opartych na akt wacha o których mowa w art 2 pkt 5 rozporządzenie komisja we nr 809 2004 z dzień 29 kwiecień 2004 r wykonującego dyrektywa 2003 71 we parlament europejski i rada w sprawa informacja zawartych w prospekt emisyjny oraz forma włączenia przez odniesienie i publikacja takich prospekt emisyjny oraz rozpowszechniania reklama dz urz ue l 149 z 30 04 2004 str 307 z późn zm 9 nie mieć obowiązek posiadanie komitet audyt jednostka te podawać do publiczny wiadomość przyczyna dla których w on przypadek nie jest właściwy posiadanie komitet audyt lub inny organ nadzorczy lub kontrolny któremu byłoby właściwy powierzenie funkcja komitet audyt 3\n", + "=====================================================================\n", + "[('audit committee', 100.0, 113), 66.66666666666666, array(['komisja rewizyjna'], dtype=object)]\n", + "entities whose sole activity consist in perform the role of the issuer of security base on the asset refer to in article 2 item 5 of commission regulation ec no 809 2004 of 29 april 2004 implement directive 2003 71 ec of the european parliament and of the council as regard information contain in prospectus as well as the format incorporation by reference and publication of such prospectus and dissemination of advertisement oj eu l 149 of 30 04 2004 p 307 as amended7 shall not be oblige to have the audit committee these entity shall disclose to the 7 change of the above regulation have be announce in the official journal eu l of 05 12 2006 p 17 official journal eu l 61 of 28 02 2007 p 24 official journal eu l 340 of 19 12 2008 p 17 official journal eu l 103 of 13 04 2012 p 13 official journal eu l 150 of 09 06 2012 p 1 official journal eu l 256 of 22 09 2012 p 4 official journal eu l 177 of 28 06 2013 p 14 dz\n", + "entities whose sole activity consist in perform the role of the issuer of security base on the asset refer to in article 2 item 5 of commission regulation ec no 809 2004 of 29 april 2004 implement directive 2003 71 ec of the european parliament and of the council as regard information contain in prospectus as well as the format incorporation by reference and publication of such prospectus and dissemination of advertisement oj eu l 149 of 30 04 2004 p 307 as amended7 shall not be oblige to have the audit committee komisja rewizyjna these entity shall disclose to the 7 change of the above regulation have be announce in the official journal eu l of 05 12 2006 p 17 official journal eu l 61 of 28 02 2007 p 24 official journal eu l 340 of 19 12 2008 p 17 official journal eu l 103 of 13 04 2012 p 13 official journal eu l 150 of 09 06 2012 p 1 official journal eu l 256 of 22 09 2012 p 4 official journal eu l 177 of 28 06 2013 p 14 dz\n", + "jednostka których jedyny działalność polegać na pełnieniu rola emitent papier wartościowy opartych na akt wacha o których mowa w art 2 pkt 5 rozporządzenie komisja we nr 809 2004 z dzień 29 kwiecień 2004 r wykonującego dyrektywa 2003 71 we parlament europejski i rada w sprawa informacja zawartych w prospekt emisyjny oraz forma włączenia przez odniesienie i publikacja takich prospekt emisyjny oraz rozpowszechniania reklama dz urz ue l 149 z 30 04 2004 str 307 z późn zm 9 nie mieć obowiązek posiadanie komitet audyt jednostka te podawać do publiczny wiadomość przyczyna dla których w on przypadek nie jest właściwy posiadanie komitet audyt lub inny organ nadzorczy lub kontrolny któremu byłoby właściwy powierzenie funkcja komitet audyt 3\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "entities whose sole activity consist in perform the role of the issuer of security base on the asset refer to in article 2 item 5 of commission regulation ec no 809 2004 of 29 april 2004 implement directive 2003 71 ec of the european parliament and of the council as regard information contain in prospectus as well as the format incorporation by reference and publication of such prospectus and dissemination of advertisement oj eu l 149 of 30 04 2004 p 307 as amended7 shall not be oblige to have the audit committee these entity shall disclose to the 7 change of the above regulation have be announce in the official journal eu l of 05 12 2006 p 17 official journal eu l 61 of 28 02 2007 p 24 official journal eu l 340 of 19 12 2008 p 17 official journal eu l 103 of 13 04 2012 p 13 official journal eu l 150 of 09 06 2012 p 1 official journal eu l 256 of 22 09 2012 p 4 official journal eu l 177 of 28 06 2013 p 14 dz\n", + "entities whose sole activity consist in perform the role of the issuer of security base on prowizje the asset refer to in article 2 item 5 of commission regulation ec no 809 2004 of 29 april 2004 implement directive 2003 71 ec of the european parliament and of the council as regard information contain in prospectus as well as the format incorporation by reference and publication of such prospectus and dissemination of advertisement oj eu l 149 of 30 04 2004 p 307 as amended7 shall not be oblige to have the audit committee these entity shall disclose to the 7 change of the above regulation have be announce in the official journal eu l of 05 12 2006 p 17 official journal eu l 61 of 28 02 2007 p 24 official journal eu l 340 of 19 12 2008 p 17 official journal eu l 103 of 13 04 2012 p 13 official journal eu l 150 of 09 06 2012 p 1 official journal eu l 256 of 22 09 2012 p 4 official journal eu l 177 of 28 06 2013 p 14 dz\n", + "jednostka których jedyny działalność polegać na pełnieniu rola emitent papier wartościowy opartych na akt wacha o których mowa w art 2 pkt 5 rozporządzenie komisja we nr 809 2004 z dzień 29 kwiecień 2004 r wykonującego dyrektywa 2003 71 we parlament europejski i rada w sprawa informacja zawartych w prospekt emisyjny oraz forma włączenia przez odniesienie i publikacja takich prospekt emisyjny oraz rozpowszechniania reklama dz urz ue l 149 z 30 04 2004 str 307 z późn zm 9 nie mieć obowiązek posiadanie komitet audyt jednostka te podawać do publiczny wiadomość przyczyna dla których w on przypadek nie jest właściwy posiadanie komitet audyt lub inny organ nadzorczy lub kontrolny któremu byłoby właściwy powierzenie funkcja komitet audyt 3\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 100.0, array(['jednostka'], dtype=object)]\n", + "entities whose sole activity consist in perform the role of the issuer of security base on the asset refer to in article 2 item 5 of commission regulation ec no 809 2004 of 29 april 2004 implement directive 2003 71 ec of the european parliament and of the council as regard information contain in prospectus as well as the format incorporation by reference and publication of such prospectus and dissemination of advertisement oj eu l 149 of 30 04 2004 p 307 as amended7 shall not be oblige to have the audit committee these entity shall disclose to the 7 change of the above regulation have be announce in the official journal eu l of 05 12 2006 p 17 official journal eu l 61 of 28 02 2007 p 24 official journal eu l 340 of 19 12 2008 p 17 official journal eu l 103 of 13 04 2012 p 13 official journal eu l 150 of 09 06 2012 p 1 official journal eu l 256 of 22 09 2012 p 4 official journal eu l 177 of 28 06 2013 p 14 dz\n", + "entities whose sole activity consist in perform the role of the issuer of security base on the asset refer to in article 2 item 5 of commission regulation ec no 809 2004 of 29 april 2004 implement directive 2003 71 ec of the european parliament and of the council as regard information contain in prospectus as well as the format incorporation by reference and publication of such prospectus and dissemination of advertisement oj eu l 149 of 30 04 2004 p 307 as amended7 shall not be oblige to have the audit committee these entity jednostka shall disclose to the 7 change of the above regulation have be announce in the official journal eu l of 05 12 2006 p 17 official journal eu l 61 of 28 02 2007 p 24 official journal eu l 340 of 19 12 2008 p 17 official journal eu l 103 of 13 04 2012 p 13 official journal eu l 150 of 09 06 2012 p 1 official journal eu l 256 of 22 09 2012 p 4 official journal eu l 177 of 28 06 2013 p 14 dz\n", + "jednostka których jedyny działalność polegać na pełnieniu rola emitent papier wartościowy opartych na akt wacha o których mowa w art 2 pkt 5 rozporządzenie komisja we nr 809 2004 z dzień 29 kwiecień 2004 r wykonującego dyrektywa 2003 71 we parlament europejski i rada w sprawa informacja zawartych w prospekt emisyjny oraz forma włączenia przez odniesienie i publikacja takich prospekt emisyjny oraz rozpowszechniania reklama dz urz ue l 149 z 30 04 2004 str 307 z późn zm 9 nie mieć obowiązek posiadanie komitet audyt jednostka te podawać do publiczny wiadomość przyczyna dla których w on przypadek nie jest właściwy posiadanie komitet audyt lub inny organ nadzorczy lub kontrolny któremu byłoby właściwy powierzenie funkcja komitet audyt 3\n", + "=====================================================================\n", + "[('financial reporting', 100.0, 519), 62.5, array(['sprawozdawczość finansowa'], dtype=object)]\n", + "hedge effectiveness be assess on a regular basis to check if the hedge be highly effective throughout all financial reporting period for which it be designate\n", + "hedge effectiveness be assess on a regular basis to check if the hedge be highly effective throughout all financial reporting sprawozdawczość finansowa period for which it be designate\n", + "efektywność zabezpieczenie jest oceniania na bieżąco w cel sprawdzenia czy jest wysoce efektywny w wszystkich okres sprawozdawczy na które zostało ustanowione\n", + "=====================================================================\n", + "[('hedge', 100.0, 600), 50.0, array(['transakcje zabezpieczające'], dtype=object)]\n", + "hedge effectiveness be assess on a regular basis to check if the hedge be highly effective throughout all financial reporting period for which it be designate\n", + "hedge transakcje zabezpieczające effectiveness be assess on a regular basis to check if the hedge be highly effective throughout all financial reporting period for which it be designate\n", + "efektywność zabezpieczenie jest oceniania na bieżąco w cel sprawdzenia czy jest wysoce efektywny w wszystkich okres sprawozdawczy na które zostało ustanowione\n", + "=====================================================================\n", + "[('report', 100.0, 963), 57.142857142857146, array(['sprawozdawczość'], dtype=object)]\n", + "hedge effectiveness be assess on a regular basis to check if the hedge be highly effective throughout all financial reporting period for which it be designate\n", + "hedge effectiveness be assess on a regular basis to check if the hedge be highly effective throughout all financial reporting sprawozdawczość period for which it be designate\n", + "efektywność zabezpieczenie jest oceniania na bieżąco w cel sprawdzenia czy jest wysoce efektywny w wszystkich okres sprawozdawczy na które zostało ustanowione\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 66.66666666666666, array(['jednostka'], dtype=object)]\n", + "in the case of employment structure by organizational model we also do not identify a single type of entity as be dominant\n", + "in the case of employment structure by organizational model we also do not identify a single type of entity jednostka as be dominant\n", + "w przypadek struktura zatrudnienie wg model organizacyjny również nie można zaobserwować dominacja jeden rodzaj podmiot\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 66.66666666666666, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "if in a subsequent period the fair value of a debt instrument classify as available for sale increase and the increase can be objectively relate to an event occur after the impairment loss be recognise in the profit or loss the impairment loss be reverse with the amount of the reversal recognise in the profit or loss\n", + "if in a subsequent period the fair value of a debt instrument classify as available for sale increase and the increase can be objectively relate to an event occur after the impairment loss be recognise koszty sprzedanych produktów, towarów i materiałów in the profit or loss the impairment loss be reverse with the amount of the reversal recognise in the profit or loss\n", + "jeżeli w następny okres wartość godziwy instrument dłużny dostępny do sprzedaż wzrosnąć a wzrost ten móc być obiektywnie łączony z zdarzenie następujący po ujęcie odpis z tytuł utrata wartość w zysk lub strata to kwota odwracanego odpis ujmować się w zysk lub strata\n", + "=====================================================================\n", + "[('fair value', 100.0, 497), 44.44444444444444, array(['wartość godziwa'], dtype=object)]\n", + "if in a subsequent period the fair value of a debt instrument classify as available for sale increase and the increase can be objectively relate to an event occur after the impairment loss be recognise in the profit or loss the impairment loss be reverse with the amount of the reversal recognise in the profit or loss\n", + "if in a subsequent period the fair value wartość godziwa of a debt instrument classify as available for sale increase and the increase can be objectively relate to an event occur after the impairment loss be recognise in the profit or loss the impairment loss be reverse with the amount of the reversal recognise in the profit or loss\n", + "jeżeli w następny okres wartość godziwy instrument dłużny dostępny do sprzedaż wzrosnąć a wzrost ten móc być obiektywnie łączony z zdarzenie następujący po ujęcie odpis z tytuł utrata wartość w zysk lub strata to kwota odwracanego odpis ujmować się w zysk lub strata\n", + "=====================================================================\n", + "[('impairment', 100.0, 632), 100.0, array(['utrata wartości aktywów'], dtype=object)]\n", + "if in a subsequent period the fair value of a debt instrument classify as available for sale increase and the increase can be objectively relate to an event occur after the impairment loss be recognise in the profit or loss the impairment loss be reverse with the amount of the reversal recognise in the profit or loss\n", + "if in a utrata wartości aktywów subsequent period the fair value of a debt instrument classify as available for sale increase and the increase can be objectively relate to an event occur after the impairment loss be recognise in the profit or loss the impairment loss be reverse with the amount of the reversal recognise in the profit or loss\n", + "jeżeli w następny okres wartość godziwy instrument dłużny dostępny do sprzedaż wzrosnąć a wzrost ten móc być obiektywnie łączony z zdarzenie następujący po ujęcie odpis z tytuł utrata wartość w zysk lub strata to kwota odwracanego odpis ujmować się w zysk lub strata\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 57.142857142857146, array(['strata'], dtype=object)]\n", + "if in a subsequent period the fair value of a debt instrument classify as available for sale increase and the increase can be objectively relate to an event occur after the impairment loss be recognise in the profit or loss the impairment loss be reverse with the amount of the reversal recognise in the profit or loss\n", + "if in a subsequent period the fair value of a debt instrument classify as available for sale increase and the increase can be objectively relate to an event occur after the impairment loss strata be recognise in the profit or loss the impairment loss be reverse with the amount of the reversal recognise in the profit or loss\n", + "jeżeli w następny okres wartość godziwy instrument dłużny dostępny do sprzedaż wzrosnąć a wzrost ten móc być obiektywnie łączony z zdarzenie następujący po ujęcie odpis z tytuł utrata wartość w zysk lub strata to kwota odwracanego odpis ujmować się w zysk lub strata\n", + "=====================================================================\n", + "[('profit', 100.0, 898), 66.66666666666666, array(['zysk'], dtype=object)]\n", + "if in a subsequent period the fair value of a debt instrument classify as available for sale increase and the increase can be objectively relate to an event occur after the impairment loss be recognise in the profit or loss the impairment loss be reverse with the amount of the reversal recognise in the profit or loss\n", + "if in a subsequent period the fair value of zysk a debt instrument classify as available for sale increase and the increase can be objectively relate to an event occur after the impairment loss be recognise in the profit or loss the impairment loss be reverse with the amount of the reversal recognise in the profit or loss\n", + "jeżeli w następny okres wartość godziwy instrument dłużny dostępny do sprzedaż wzrosnąć a wzrost ten móc być obiektywnie łączony z zdarzenie następujący po ujęcie odpis z tytuł utrata wartość w zysk lub strata to kwota odwracanego odpis ujmować się w zysk lub strata\n", + "=====================================================================\n", + "[('consideration', 100.0, 263), 100.0, array(['zapłata'], dtype=object)]\n", + "the minister competent for public finance shall determine by way of a regulation the rate of the controller s allowance refer to in passage 1 and 2 the mode of grant the controller s allowance and its loss as well as the method and procedure of make the assessment refer to in article 107 take into consideration the need to ensure high quality and effectiveness of conducted control as a result of increase motivation for their efficient performance\n", + "the minister competent for public finance shall determine by way of a zapłata regulation the rate of the controller s allowance refer to in passage 1 and 2 the mode of grant the controller s allowance and its loss as well as the method and procedure of make the assessment refer to in article 107 take into consideration the need to ensure high quality and effectiveness of conducted control as a result of increase motivation for their efficient performance\n", + "minister właściwy do sprawa finanse publiczny określić w droga rozporządzenie stawka dodatek kontroler skiego o których mowa w ust 1 i 2 tryba przyznawania dodatek kontrolerski oraz on utrata a także sposób i tryba dokonywania ocena o której mowa w art 107 uwzględniać potrzeba zapewnienie wysoki poziom jakość i skuteczność wykonywanych kontrola poprzez zwiększenie motywacja do on sprawny wykonywania\n", + "=====================================================================\n", + "[('control', 100.0, 289), 100.0, array(['kontrola '], dtype=object)]\n", + "the minister competent for public finance shall determine by way of a regulation the rate of the controller s allowance refer to in passage 1 and 2 the mode of grant the controller s allowance and its loss as well as the method and procedure of make the assessment refer to in article 107 take into consideration the need to ensure high quality and effectiveness of conducted control as a result of increase motivation for their efficient performance\n", + "the minister competent for public finance shall determine by way of a regulation the rate of the controller kontrola s allowance refer to in passage 1 and 2 the mode of grant the controller s allowance and its loss as well as the method and procedure of make the assessment refer to in article 107 take into consideration the need to ensure high quality and effectiveness of conducted control as a result of increase motivation for their efficient performance\n", + "minister właściwy do sprawa finanse publiczny określić w droga rozporządzenie stawka dodatek kontroler skiego o których mowa w ust 1 i 2 tryba przyznawania dodatek kontrolerski oraz on utrata a także sposób i tryba dokonywania ocena o której mowa w art 107 uwzględniać potrzeba zapewnienie wysoki poziom jakość i skuteczność wykonywanych kontrola poprzez zwiększenie motywacja do on sprawny wykonywania\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 100.0, array(['strata'], dtype=object)]\n", + "the minister competent for public finance shall determine by way of a regulation the rate of the controller s allowance refer to in passage 1 and 2 the mode of grant the controller s allowance and its loss as well as the method and procedure of make the assessment refer to in article 107 take into consideration the need to ensure high quality and effectiveness of conducted control as a result of increase motivation for their efficient performance\n", + "the minister competent for public finance shall determine by way of a regulation the rate of the controller s strata allowance refer to in passage 1 and 2 the mode of grant the controller s allowance and its loss as well as the method and procedure of make the assessment refer to in article 107 take into consideration the need to ensure high quality and effectiveness of conducted control as a result of increase motivation for their efficient performance\n", + "minister właściwy do sprawa finanse publiczny określić w droga rozporządzenie stawka dodatek kontroler skiego o których mowa w ust 1 i 2 tryba przyznawania dodatek kontrolerski oraz on utrata a także sposób i tryba dokonywania ocena o której mowa w art 107 uwzględniać potrzeba zapewnienie wysoki poziom jakość i skuteczność wykonywanych kontrola poprzez zwiększenie motywacja do on sprawny wykonywania\n", + "=====================================================================\n", + "[('vat', 100.0, 1156), 100.0, array(['vat'], dtype=object)]\n", + "the minister competent for public finance shall determine by way of a regulation the rate of the controller s allowance refer to in passage 1 and 2 the mode of grant the controller s allowance and its loss as well as the method and procedure of make the assessment refer to in article 107 take into consideration the need to ensure high quality and effectiveness of conducted control as a result of increase motivation for their efficient performance\n", + "the minister competent for public finance shall determine by way of a vat regulation the rate of the controller s allowance refer to in passage 1 and 2 the mode of grant the controller s allowance and its loss as well as the method and procedure of make the assessment refer to in article 107 take into consideration the need to ensure high quality and effectiveness of conducted control as a result of increase motivation for their efficient performance\n", + "minister właściwy do sprawa finanse publiczny określić w droga rozporządzenie stawka dodatek kontroler skiego o których mowa w ust 1 i 2 tryba przyznawania dodatek kontrolerski oraz on utrata a także sposób i tryba dokonywania ocena o której mowa w art 107 uwzględniać potrzeba zapewnienie wysoki poziom jakość i skuteczność wykonywanych kontrola poprzez zwiększenie motywacja do on sprawny wykonywania\n", + "=====================================================================\n", + "[('sale', 100.0, 1000), 50.0, array(['sprzedaż'], dtype=object)]\n", + "sale to related party\n", + "sale sprzedaż to related party\n", + "sprzedaż na rzecz podmiot powiązanych\n", + "=====================================================================\n", + "[('company', 100.0, 245), 57.142857142857146, array(['spółka kapitałowa'], dtype=object)]\n", + "this method require the company to estimate the proportion of the work already complete in relation to the total work to be perform\n", + "this method require the company spółka kapitałowa to estimate the proportion of the work already complete in relation to the total work to be perform\n", + "stosowanie tej metoda wymagać od spółka szacowania proporcja dotychczas wykonanych prace do całość usługi do wykonanie\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the resolution on increase of the share capital from the company s fund can be adopt if the approve financial statement for the previous financial year reveal a profit and the audit report do not contain significant reservation concern the financial situation of the company\n", + "the resolution on increase of the share capital from the company s fund can be adopt if the approve financial statement for the previous financial year reveal a badanie sprawozdania finansowego profit and the audit report do not contain significant reservation concern the financial situation of the company\n", + "uchwał o podwyższenie kapitał zakładowy z środki spółka móc zostać powzięta jeżeli zatwier dzone sprawozdanie finansowy za poprzedni rok obrotowy wykazywać zysk i sprawozdanie z badanie nie zawierać istota nych zastrzeżenie dotyczących sytuacja finansowy spółka\n", + "=====================================================================\n", + "[('cap', 100.0, 178), 66.66666666666666, array(['dyplomowany księgowy'], dtype=object)]\n", + "the resolution on increase of the share capital from the company s fund can be adopt if the approve financial statement for the previous financial year reveal a profit and the audit report do not contain significant reservation concern the financial situation of the company\n", + "the resolution on increase of the share capital dyplomowany księgowy from the company s fund can be adopt if the approve financial statement for the previous financial year reveal a profit and the audit report do not contain significant reservation concern the financial situation of the company\n", + "uchwał o podwyższenie kapitał zakładowy z środki spółka móc zostać powzięta jeżeli zatwier dzone sprawozdanie finansowy za poprzedni rok obrotowy wykazywać zysk i sprawozdanie z badanie nie zawierać istota nych zastrzeżenie dotyczących sytuacja finansowy spółka\n", + "=====================================================================\n", + "[('company', 100.0, 245), 100.0, array(['spółka kapitałowa'], dtype=object)]\n", + "the resolution on increase of the share capital from the company s fund can be adopt if the approve financial statement for the previous financial year reveal a profit and the audit report do not contain significant reservation concern the financial situation of the company\n", + "the resolution on increase of the share capital from the company spółka kapitałowa s fund can be adopt if the approve financial statement for the previous financial year reveal a profit and the audit report do not contain significant reservation concern the financial situation of the company\n", + "uchwał o podwyższenie kapitał zakładowy z środki spółka móc zostać powzięta jeżeli zatwier dzone sprawozdanie finansowy za poprzedni rok obrotowy wykazywać zysk i sprawozdanie z badanie nie zawierać istota nych zastrzeżenie dotyczących sytuacja finansowy spółka\n", + "=====================================================================\n", + "[('financial statement', 100.0, 526), 60.0, array(['sprawozdanie finansowe'], dtype=object)]\n", + "the resolution on increase of the share capital from the company s fund can be adopt if the approve financial statement for the previous financial year reveal a profit and the audit report do not contain significant reservation concern the financial situation of the company\n", + "the resolution on increase of the share capital from the company s fund can be adopt if the approve financial statement sprawozdanie finansowe for the previous financial year reveal a profit and the audit report do not contain significant reservation concern the financial situation of the company\n", + "uchwał o podwyższenie kapitał zakładowy z środki spółka móc zostać powzięta jeżeli zatwier dzone sprawozdanie finansowy za poprzedni rok obrotowy wykazywać zysk i sprawozdanie z badanie nie zawierać istota nych zastrzeżenie dotyczących sytuacja finansowy spółka\n", + "=====================================================================\n", + "[('profit', 100.0, 898), 100.0, array(['zysk'], dtype=object)]\n", + "the resolution on increase of the share capital from the company s fund can be adopt if the approve financial statement for the previous financial year reveal a profit and the audit report do not contain significant reservation concern the financial situation of the company\n", + "the resolution on increase of zysk the share capital from the company s fund can be adopt if the approve financial statement for the previous financial year reveal a profit and the audit report do not contain significant reservation concern the financial situation of the company\n", + "uchwał o podwyższenie kapitał zakładowy z środki spółka móc zostać powzięta jeżeli zatwier dzone sprawozdanie finansowy za poprzedni rok obrotowy wykazywać zysk i sprawozdanie z badanie nie zawierać istota nych zastrzeżenie dotyczących sytuacja finansowy spółka\n", + "=====================================================================\n", + "[('company', 100.0, 245), 100.0, array(['spółka kapitałowa'], dtype=object)]\n", + "assessment of the location as a place to do business 3 8 availability of modern office space 3 8 availability of transportation airport train 3 6 quality of public transportation 3 3 collaboration with local authority 3 3 collaboration with local university 3 1 availability of talent highly skilled worker scale of 1 to 5 where 5 be the high possible score figure 10 assessment of the location as a place to do business average score for all locations assessed by respondent source absl s own study base on the result of a survey address to business service center n 215 company the respondent rate their overall satisfaction with the location as a place to do business at 7 4 on a scale of 1 to 10 10 be the high possible score\n", + "assessment of the location as a spółka kapitałowa place to do business 3 8 availability of modern office space 3 8 availability of transportation airport train 3 6 quality of public transportation 3 3 collaboration with local authority 3 3 collaboration with local university 3 1 availability of talent highly skilled worker scale of 1 to 5 where 5 be the high possible score figure 10 assessment of the location as a place to do business average score for all locations assessed by respondent source absl s own study base on the result of a survey address to business service center n 215 company the respondent rate their overall satisfaction with the location as a place to do business at 7 4 on a scale of 1 to 10 10 be the high possible score\n", + "ocena miejsca prowadzenie działalność 3 8 dostępność nowoczesny powierzchnia biurowy 3 8 dostępność komunikacyjny lotnisko pociąg 3 6 jakość komunikacja miejski 3 3 współpraca z lokalny władza 3 3 współpraca z lokalny uczelnia 3 1 dostępność pula talent wysoko wykwalifikowanej kadra skala od 1 do 5 gdzie 5 to wysoki możliwy ocena rycina 10 ocena miejsca prowadzenie działalność przez centrum usługi średni ocena dla wszystkich ośrodek ocenianych przez respondent źródło opracowanie własny absl na podstawa wynik ankieta skierowanej do centrum usługi n 215 firma ogólny poziom satysfakcja z miejsce prowadzenie dzia łalności respondent określić na 7 4 w skala od 1 do 10 gdzie 10 to wysoki możliwy ocena\n", + "=====================================================================\n", + "[('figure', 100.0, 503), 60.0, array(['liczby'], dtype=object)]\n", + "assessment of the location as a place to do business 3 8 availability of modern office space 3 8 availability of transportation airport train 3 6 quality of public transportation 3 3 collaboration with local authority 3 3 collaboration with local university 3 1 availability of talent highly skilled worker scale of 1 to 5 where 5 be the high possible score figure 10 assessment of the location as a place to do business average score for all locations assessed by respondent source absl s own study base on the result of a survey address to business service center n 215 company the respondent rate their overall satisfaction with the location as a place to do business at 7 4 on a scale of 1 to 10 10 be the high possible score\n", + "assessment of the location as a place to do business 3 8 availability of modern office space 3 8 availability of transportation airport train 3 6 quality of public transportation 3 3 collaboration with local authority 3 3 collaboration with local university 3 1 availability of talent highly skilled worker scale of 1 to 5 where 5 be the high possible score figure liczby 10 assessment of the location as a place to do business average score for all locations assessed by respondent source absl s own study base on the result of a survey address to business service center n 215 company the respondent rate their overall satisfaction with the location as a place to do business at 7 4 on a scale of 1 to 10 10 be the high possible score\n", + "ocena miejsca prowadzenie działalność 3 8 dostępność nowoczesny powierzchnia biurowy 3 8 dostępność komunikacyjny lotnisko pociąg 3 6 jakość komunikacja miejski 3 3 współpraca z lokalny władza 3 3 współpraca z lokalny uczelnia 3 1 dostępność pula talent wysoko wykwalifikowanej kadra skala od 1 do 5 gdzie 5 to wysoki możliwy ocena rycina 10 ocena miejsca prowadzenie działalność przez centrum usługi średni ocena dla wszystkich ośrodek ocenianych przez respondent źródło opracowanie własny absl na podstawa wynik ankieta skierowanej do centrum usługi n 215 firma ogólny poziom satysfakcja z miejsce prowadzenie dzia łalności respondent określić na 7 4 w skala od 1 do 10 gdzie 10 to wysoki możliwy ocena\n", + "=====================================================================\n", + "[('allocation', 90.0, 83), 100.0, array(['rozliczanie'], dtype=object)]\n", + "assessment of the location as a place to do business 3 8 availability of modern office space 3 8 availability of transportation airport train 3 6 quality of public transportation 3 3 collaboration with local authority 3 3 collaboration with local university 3 1 availability of talent highly skilled worker scale of 1 to 5 where 5 be the high possible score figure 10 assessment of the location as a place to do business average score for all locations assessed by respondent source absl s own study base on the result of a survey address to business service center n 215 company the respondent rate their overall satisfaction with the location as a place to do business at 7 4 on a scale of 1 to 10 10 be the high possible score\n", + "assessment of the location rozliczanie as a place to do business 3 8 availability of modern office space 3 8 availability of transportation airport train 3 6 quality of public transportation 3 3 collaboration with local authority 3 3 collaboration with local university 3 1 availability of talent highly skilled worker scale of 1 to 5 where 5 be the high possible score figure 10 assessment of the location as a place to do business average score for all locations assessed by respondent source absl s own study base on the result of a survey address to business service center n 215 company the respondent rate their overall satisfaction with the location as a place to do business at 7 4 on a scale of 1 to 10 10 be the high possible score\n", + "ocena miejsca prowadzenie działalność 3 8 dostępność nowoczesny powierzchnia biurowy 3 8 dostępność komunikacyjny lotnisko pociąg 3 6 jakość komunikacja miejski 3 3 współpraca z lokalny władza 3 3 współpraca z lokalny uczelnia 3 1 dostępność pula talent wysoko wykwalifikowanej kadra skala od 1 do 5 gdzie 5 to wysoki możliwy ocena rycina 10 ocena miejsca prowadzenie działalność przez centrum usługi średni ocena dla wszystkich ośrodek ocenianych przez respondent źródło opracowanie własny absl na podstawa wynik ankieta skierowanej do centrum usługi n 215 firma ogólny poziom satysfakcja z miejsce prowadzenie dzia łalności respondent określić na 7 4 w skala od 1 do 10 gdzie 10 to wysoki możliwy ocena\n", + "=====================================================================\n", + "[('asset', 88.88888888888889, 105), 66.66666666666666, array(['aktywa'], dtype=object)]\n", + "assessment of the location as a place to do business 3 8 availability of modern office space 3 8 availability of transportation airport train 3 6 quality of public transportation 3 3 collaboration with local authority 3 3 collaboration with local university 3 1 availability of talent highly skilled worker scale of 1 to 5 where 5 be the high possible score figure 10 assessment of the location as a place to do business average score for all locations assessed by respondent source absl s own study base on the result of a survey address to business service center n 215 company the respondent rate their overall satisfaction with the location as a place to do business at 7 4 on a scale of 1 to 10 10 be the high possible score\n", + "assessment of the location as aktywa a place to do business 3 8 availability of modern office space 3 8 availability of transportation airport train 3 6 quality of public transportation 3 3 collaboration with local authority 3 3 collaboration with local university 3 1 availability of talent highly skilled worker scale of 1 to 5 where 5 be the high possible score figure 10 assessment of the location as a place to do business average score for all locations assessed by respondent source absl s own study base on the result of a survey address to business service center n 215 company the respondent rate their overall satisfaction with the location as a place to do business at 7 4 on a scale of 1 to 10 10 be the high possible score\n", + "ocena miejsca prowadzenie działalność 3 8 dostępność nowoczesny powierzchnia biurowy 3 8 dostępność komunikacyjny lotnisko pociąg 3 6 jakość komunikacja miejski 3 3 współpraca z lokalny władza 3 3 współpraca z lokalny uczelnia 3 1 dostępność pula talent wysoko wykwalifikowanej kadra skala od 1 do 5 gdzie 5 to wysoki możliwy ocena rycina 10 ocena miejsca prowadzenie działalność przez centrum usługi średni ocena dla wszystkich ośrodek ocenianych przez respondent źródło opracowanie własny absl na podstawa wynik ankieta skierowanej do centrum usługi n 215 firma ogólny poziom satysfakcja z miejsce prowadzenie dzia łalności respondent określić na 7 4 w skala od 1 do 10 gdzie 10 to wysoki możliwy ocena\n", + "=====================================================================\n", + "[('liability', 88.88888888888889, 716), 75.0, array(['zobowiązania'], dtype=object)]\n", + "assessment of the location as a place to do business 3 8 availability of modern office space 3 8 availability of transportation airport train 3 6 quality of public transportation 3 3 collaboration with local authority 3 3 collaboration with local university 3 1 availability of talent highly skilled worker scale of 1 to 5 where 5 be the high possible score figure 10 assessment of the location as a place to do business average score for all locations assessed by respondent source absl s own study base on the result of a survey address to business service center n 215 company the respondent rate their overall satisfaction with the location as a place to do business at 7 4 on a scale of 1 to 10 10 be the high possible score\n", + "assessment of the location as a zobowiązania place to do business 3 8 availability of modern office space 3 8 availability of transportation airport train 3 6 quality of public transportation 3 3 collaboration with local authority 3 3 collaboration with local university 3 1 availability of talent highly skilled worker scale of 1 to 5 where 5 be the high possible score figure 10 assessment of the location as a place to do business average score for all locations assessed by respondent source absl s own study base on the result of a survey address to business service center n 215 company the respondent rate their overall satisfaction with the location as a place to do business at 7 4 on a scale of 1 to 10 10 be the high possible score\n", + "ocena miejsca prowadzenie działalność 3 8 dostępność nowoczesny powierzchnia biurowy 3 8 dostępność komunikacyjny lotnisko pociąg 3 6 jakość komunikacja miejski 3 3 współpraca z lokalny władza 3 3 współpraca z lokalny uczelnia 3 1 dostępność pula talent wysoko wykwalifikowanej kadra skala od 1 do 5 gdzie 5 to wysoki możliwy ocena rycina 10 ocena miejsca prowadzenie działalność przez centrum usługi średni ocena dla wszystkich ośrodek ocenianych przez respondent źródło opracowanie własny absl na podstawa wynik ankieta skierowanej do centrum usługi n 215 firma ogólny poziom satysfakcja z miejsce prowadzenie dzia łalności respondent określić na 7 4 w skala od 1 do 10 gdzie 10 to wysoki możliwy ocena\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "this method require the group to estimate the proportion of the work already complete in relation to the total work to be perform\n", + "this method require the group grupa kapitałowa to estimate the proportion of the work already complete in relation to the total work to be perform\n", + "stosowanie tej metoda wymagać od grupa szacowania proporcja dotychczas wykonanych prace do całość usługi do wykonanie\n", + "=====================================================================\n", + "[('capitalise interest expense borrower s', 100.0, 198), 0, array(['skapitalizowane koszty odsetek (w bilansie kredytobiorcy)'],\n", + " dtype=object)]\n", + "interest expense\n", + "interest expense skapitalizowane koszty odsetek (w bilansie kredytobiorcy) \n", + "koszt z tytuł odsetka\n", + "=====================================================================\n", + "[('expense', 100.0, 479), 28.57142857142857, array(['koszt'], dtype=object)]\n", + "interest expense\n", + "interest koszt expense\n", + "koszt z tytuł odsetka\n", + "=====================================================================\n", + "[('interest', 100.0, 664), 57.142857142857146, array(['odsetki'], dtype=object)]\n", + "interest expense\n", + "interest odsetki expense\n", + "koszt z tytuł odsetka\n", + "=====================================================================\n", + "[('tax expense', 90.0, 1096), 36.36363636363637, array(['odroczony podatek dochodowy'], dtype=object)]\n", + "interest expense\n", + "interest expense odroczony podatek dochodowy \n", + "koszt z tytuł odsetka\n", + "=====================================================================\n", + "[('liability', 100.0, 716), 66.66666666666666, array(['zobowiązania'], dtype=object)]\n", + "financial liability be classify as hold for trading if they be acquire for the purpose of sell in the near term\n", + "financial liability zobowiązania be classify as hold for trading if they be acquire for the purpose of sell in the near term\n", + "zobowiązanie finansowy są klasyfikowane jako przeznaczone do obrót jeżeli zostały nabyte dla cel sprzedaż w daleki przyszłość\n", + "=====================================================================\n", + "[('year end', 100.0, 1193), 40.0, array(['koniec roku'], dtype=object)]\n", + "year end 31 december 2017\n", + "year end koniec roku 31 december 2017\n", + "rok zakończony dzień 31 grudzień 2017\n", + "=====================================================================\n", + "[('company', 100.0, 245), 100.0, array(['spółka kapitałowa'], dtype=object)]\n", + "be in respect of the form and content in accordance with legal regulation govern the company and the company s articles of association statute\n", + "be in respect of the form and content in accordance with legal regulation govern the company spółka kapitałowa and the company s articles of association statute\n", + "jest zgodny co do forma i treść z obowiązujący grupa kapitałowy przepis prawo i umową statut spółki\n", + "=====================================================================\n", + "[('cash', 100.0, 203), 66.66666666666666, array(['środki pieniężne'], dtype=object)]\n", + "during the year end 31 december 2016 option be grant for ordinary share of pln each exercisable between and and exercise with respect to ordinary share of pln each with total consideration receive by the group of pln thousand in cash\n", + "during the year end 31 december 2016 option be grant for ordinary share środki pieniężne of pln each exercisable between and and exercise with respect to ordinary share of pln each with total consideration receive by the group of pln thousand in cash\n", + "w rok zakończony dzień 31 grudzień 2016 rok przyznane zostały opcja na akcja zwykły o wartość pln każda przypadające do realizacja w okres od rok do rok i zrealizowane zostały opcja na akcja zwykły o wartość pln każda co przynieść grupa łączny wpływ gotówkowy w wysokość tysiąc pln\n", + "=====================================================================\n", + "[('consideration', 100.0, 263), 100.0, array(['zapłata'], dtype=object)]\n", + "during the year end 31 december 2016 option be grant for ordinary share of pln each exercisable between and and exercise with respect to ordinary share of pln each with total consideration receive by the group of pln thousand in cash\n", + "during the year end 31 december 2016 option be grant for ordinary share of pln each exercisable between and and exercise with respect to ordinary share of pln each with total consideration zapłata receive by the group of pln thousand in cash\n", + "w rok zakończony dzień 31 grudzień 2016 rok przyznane zostały opcja na akcja zwykły o wartość pln każda przypadające do realizacja w okres od rok do rok i zrealizowane zostały opcja na akcja zwykły o wartość pln każda co przynieść grupa łączny wpływ gotówkowy w wysokość tysiąc pln\n", + "=====================================================================\n", + "[('group', 100.0, 593), 100.0, array(['grupa kapitałowa'], dtype=object)]\n", + "during the year end 31 december 2016 option be grant for ordinary share of pln each exercisable between and and exercise with respect to ordinary share of pln each with total consideration receive by the group of pln thousand in cash\n", + "during the year end 31 december 2016 option be grant for ordinary share of pln each exercisable between and and exercise with respect to ordinary share of pln each with total consideration receive by the group grupa kapitałowa of pln thousand in cash\n", + "w rok zakończony dzień 31 grudzień 2016 rok przyznane zostały opcja na akcja zwykły o wartość pln każda przypadające do realizacja w okres od rok do rok i zrealizowane zostały opcja na akcja zwykły o wartość pln każda co przynieść grupa łączny wpływ gotówkowy w wysokość tysiąc pln\n", + "=====================================================================\n", + "[('isa', 100.0, 628), 100.0, array(['międzynarodowe standardy rewizji finansowej'], dtype=object)]\n", + "during the year end 31 december 2016 option be grant for ordinary share of pln each exercisable between and and exercise with respect to ordinary share of pln each with total consideration receive by the group of pln thousand in cash\n", + "during the year end 31 december 2016 option be grant for ordinary share of pln each exercisable międzynarodowe standardy rewizji finansowej between and and exercise with respect to ordinary share of pln each with total consideration receive by the group of pln thousand in cash\n", + "w rok zakończony dzień 31 grudzień 2016 rok przyznane zostały opcja na akcja zwykły o wartość pln każda przypadające do realizacja w okres od rok do rok i zrealizowane zostały opcja na akcja zwykły o wartość pln każda co przynieść grupa łączny wpływ gotówkowy w wysokość tysiąc pln\n", + "=====================================================================\n", + "[('year end', 100.0, 1193), 54.54545454545455, array(['koniec roku'], dtype=object)]\n", + "during the year end 31 december 2016 option be grant for ordinary share of pln each exercisable between and and exercise with respect to ordinary share of pln each with total consideration receive by the group of pln thousand in cash\n", + "during the year end koniec roku 31 december 2016 option be grant for ordinary share of pln each exercisable between and and exercise with respect to ordinary share of pln each with total consideration receive by the group of pln thousand in cash\n", + "w rok zakończony dzień 31 grudzień 2016 rok przyznane zostały opcja na akcja zwykły o wartość pln każda przypadające do realizacja w okres od rok do rok i zrealizowane zostały opcja na akcja zwykły o wartość pln każda co przynieść grupa łączny wpływ gotówkowy w wysokość tysiąc pln\n", + "=====================================================================\n", + "[('account', 100.0, 13), 61.53846153846154, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "no interest be accrue on the long term advance receive under the current accounting policy\n", + "no interest be accrue on the long term advance receive under the current accounting konto policy\n", + "zgodnie z obecny polityka zasada rachunkowość grupa nie ujmować koszt z tytuł odsetka od otrzymanych zaliczka w tym długoterminowy\n", + "=====================================================================\n", + "[('account', 100.0, 25), 61.53846153846154, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "no interest be accrue on the long term advance receive under the current accounting policy\n", + "no interest be accrue on the long term advance receive under the current accounting konto policy\n", + "zgodnie z obecny polityka zasada rachunkowość grupa nie ujmować koszt z tytuł odsetka od otrzymanych zaliczka w tym długoterminowy\n", + "=====================================================================\n", + "[('accounting policy', 100.0, 45), 58.333333333333336, array(['zasady rachunkowości'], dtype=object)]\n", + "no interest be accrue on the long term advance receive under the current accounting policy\n", + "no interest be accrue on the long term advance receive under the current accounting zasady rachunkowości policy\n", + "zgodnie z obecny polityka zasada rachunkowość grupa nie ujmować koszt z tytuł odsetka od otrzymanych zaliczka w tym długoterminowy\n", + "=====================================================================\n", + "[('account', 100.0, 57), 61.53846153846154, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "no interest be accrue on the long term advance receive under the current accounting policy\n", + "no interest be accrue on the long term advance receive under the current accounting konto policy\n", + "zgodnie z obecny polityka zasada rachunkowość grupa nie ujmować koszt z tytuł odsetka od otrzymanych zaliczka w tym długoterminowy\n", + "=====================================================================\n", + "[('current account', 100.0, 334), 47.61904761904762, array(['rachunek bieżący'], dtype=object)]\n", + "no interest be accrue on the long term advance receive under the current accounting policy\n", + "no interest be accrue on the long term advance receive under the current accounting rachunek bieżący policy\n", + "zgodnie z obecny polityka zasada rachunkowość grupa nie ujmować koszt z tytuł odsetka od otrzymanych zaliczka w tym długoterminowy\n", + "=====================================================================\n", + "[('company', 100.0, 245), 100.0, array(['spółka kapitałowa'], dtype=object)]\n", + "we recommend to prepare update the appropriate documentation in accordance with polish cit law for intercompany transaction as soon as possible in order to avoid the risk of tax penalty\n", + "we recommend to prepare update the appropriate documentation in accordance with polish cit law for intercompany spółka kapitałowa transaction as soon as possible in order to avoid the risk of tax penalty\n", + "zalecać przygotowanie zaktualizowanie odpowiedni dokumentacja zgodny z polski ustawa o podatek dochodowy od osoba prawny dla wewnątrzgrupowych transakcja tak szybko jak to możliwy w cel uniknięcia ryzyko sankcja podatkowy\n", + "=====================================================================\n", + "[('sac', 100.0, 993), 80.0, array(['komisje doradcze ds. standardów'], dtype=object)]\n", + "we recommend to prepare update the appropriate documentation in accordance with polish cit law for intercompany transaction as soon as possible in order to avoid the risk of tax penalty\n", + "we recommend to prepare update the appropriate documentation in accordance with polish cit law for intercompany transaction komisje doradcze ds. standardów as soon as possible in order to avoid the risk of tax penalty\n", + "zalecać przygotowanie zaktualizowanie odpowiedni dokumentacja zgodny z polski ustawa o podatek dochodowy od osoba prawny dla wewnątrzgrupowych transakcja tak szybko jak to możliwy w cel uniknięcia ryzyko sankcja podatkowy\n", + "=====================================================================\n", + "[('transaction', 100.0, 1125), 100.0, array(['transakcja'], dtype=object)]\n", + "we recommend to prepare update the appropriate documentation in accordance with polish cit law for intercompany transaction as soon as possible in order to avoid the risk of tax penalty\n", + "we recommend to prepare update the appropriate documentation in accordance with polish cit law for intercompany transaction transakcja as soon as possible in order to avoid the risk of tax penalty\n", + "zalecać przygotowanie zaktualizowanie odpowiedni dokumentacja zgodny z polski ustawa o podatek dochodowy od osoba prawny dla wewnątrzgrupowych transakcja tak szybko jak to możliwy w cel uniknięcia ryzyko sankcja podatkowy\n", + "=====================================================================\n", + "[('inter company transaction', 96.0, 661), 56.25, array(['transakcje ze spółkami powiązanymi kapitałowo'], dtype=object)]\n", + "we recommend to prepare update the appropriate documentation in accordance with polish cit law for intercompany transaction as soon as possible in order to avoid the risk of tax penalty\n", + "we recommend to prepare update the appropriate documentation in accordance with polish cit law for intercompany transaction transakcje ze spółkami powiązanymi kapitałowo as soon as possible in order to avoid the risk of tax penalty\n", + "zalecać przygotowanie zaktualizowanie odpowiedni dokumentacja zgodny z polski ustawa o podatek dochodowy od osoba prawny dla wewnątrzgrupowych transakcja tak szybko jak to możliwy w cel uniknięcia ryzyko sankcja podatkowy\n", + "=====================================================================\n", + "[('intra company transaction', 92.0, 687), 56.25, array(['transakcje ze spółkami powiązanymi kapitałowo'], dtype=object)]\n", + "we recommend to prepare update the appropriate documentation in accordance with polish cit law for intercompany transaction as soon as possible in order to avoid the risk of tax penalty\n", + "we recommend to prepare update the appropriate documentation in accordance with polish cit law for intercompany transaction transakcje ze spółkami powiązanymi kapitałowo as soon as possible in order to avoid the risk of tax penalty\n", + "zalecać przygotowanie zaktualizowanie odpowiedni dokumentacja zgodny z polski ustawa o podatek dochodowy od osoba prawny dla wewnątrzgrupowych transakcja tak szybko jak to możliwy w cel uniknięcia ryzyko sankcja podatkowy\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "in the case of difference of opinion each company shall present its opinion in a separate item of the audit report along with a justification of the difference\n", + "in the case of difference of opinion each company shall present its opinion in a badanie sprawozdania finansowego separate item of the audit report along with a justification of the difference\n", + "w przypadek różnica zdanie każda firma audytorski przedstawiać swoją opinia w osobny punkt sprawozdanie z badanie wraz z uzasadnienie różnica zdanie\n", + "=====================================================================\n", + "[('company', 100.0, 245), 54.54545454545455, array(['spółka kapitałowa'], dtype=object)]\n", + "in the case of difference of opinion each company shall present its opinion in a separate item of the audit report along with a justification of the difference\n", + "in the case of difference of opinion each company spółka kapitałowa shall present its opinion in a separate item of the audit report along with a justification of the difference\n", + "w przypadek różnica zdanie każda firma audytorski przedstawiać swoją opinia w osobny punkt sprawozdanie z badanie wraz z uzasadnienie różnica zdanie\n", + "=====================================================================\n", + "[('report', 100.0, 963), 50.0, array(['sprawozdawczość'], dtype=object)]\n", + "in the case of difference of opinion each company shall present its opinion in a separate item of the audit report along with a justification of the difference\n", + "in the case of difference of opinion each company shall present its opinion in a separate item of the audit report sprawozdawczość along with a justification of the difference\n", + "w przypadek różnica zdanie każda firma audytorski przedstawiać swoją opinia w osobny punkt sprawozdanie z badanie wraz z uzasadnienie różnica zdanie\n", + "=====================================================================\n", + "[('annual report', 100.0, 94), 66.66666666666666, array(['raport roczny'], dtype=object)]\n", + "the financial supervision authority shall publish on the website 1 until the end of the calendar year information concern the activity plan for the following year 2 until 31 may of the following year an annual report concern action undertake for the previous year in the scope refer to in passage 1\n", + "the financial supervision authority shall publish on the website 1 until the end of the calendar year information concern the activity plan for the following year 2 until 31 may of the following year an annual report raport roczny concern action undertake for the previous year in the scope refer to in passage 1\n", + "komisja nadzór finansowy publikować na strona internetowy 1 do koniec rok kalendarzowy informacja dotyczącą planowanych działanie na rok następny 2 do dzień 31 maj następny rok roczny sprawozdanie dotyczące podjętych działanie za poprzedni rok w zakres o którym mowa w ust 1\n", + "=====================================================================\n", + "[('report', 100.0, 963), 100.0, array(['sprawozdawczość'], dtype=object)]\n", + "the financial supervision authority shall publish on the website 1 until the end of the calendar year information concern the activity plan for the following year 2 until 31 may of the following year an annual report concern action undertake for the previous year in the scope refer to in passage 1\n", + "the financial supervision authority shall publish on the website 1 until the end of the calendar year information concern the activity plan for the following year 2 until 31 may of the following year an annual report sprawozdawczość concern action undertake for the previous year in the scope refer to in passage 1\n", + "komisja nadzór finansowy publikować na strona internetowy 1 do koniec rok kalendarzowy informacja dotyczącą planowanych działanie na rok następny 2 do dzień 31 maj następny rok roczny sprawozdanie dotyczące podjętych działanie za poprzedni rok w zakres o którym mowa w ust 1\n", + "=====================================================================\n", + "[('go concern', 90.0, 580), 62.5, array(['kontynuacja działalności'], dtype=object)]\n", + "the financial supervision authority shall publish on the website 1 until the end of the calendar year information concern the activity plan for the following year 2 until 31 may of the following year an annual report concern action undertake for the previous year in the scope refer to in passage 1\n", + "the financial supervision authority shall publish on the website 1 until the end of the calendar year information concern kontynuacja działalności the activity plan for the following year 2 until 31 may of the following year an annual report concern action undertake for the previous year in the scope refer to in passage 1\n", + "komisja nadzór finansowy publikować na strona internetowy 1 do koniec rok kalendarzowy informacja dotyczącą planowanych działanie na rok następny 2 do dzień 31 maj następny rok roczny sprawozdanie dotyczące podjętych działanie za poprzedni rok w zakres o którym mowa w ust 1\n", + "=====================================================================\n", + "[('provision', 88.88888888888889, 909), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "the financial supervision authority shall publish on the website 1 until the end of the calendar year information concern the activity plan for the following year 2 until 31 may of the following year an annual report concern action undertake for the previous year in the scope refer to in passage 1\n", + "the financial supervision authority shall publish on rezerwa the website 1 until the end of the calendar year information concern the activity plan for the following year 2 until 31 may of the following year an annual report concern action undertake for the previous year in the scope refer to in passage 1\n", + "komisja nadzór finansowy publikować na strona internetowy 1 do koniec rok kalendarzowy informacja dotyczącą planowanych działanie na rok następny 2 do dzień 31 maj następny rok roczny sprawozdanie dotyczące podjętych działanie za poprzedni rok w zakres o którym mowa w ust 1\n", + "=====================================================================\n", + "[('provision', 88.88888888888889, 911), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "the financial supervision authority shall publish on the website 1 until the end of the calendar year information concern the activity plan for the following year 2 until 31 may of the following year an annual report concern action undertake for the previous year in the scope refer to in passage 1\n", + "the financial supervision authority shall publish on rezerwa the website 1 until the end of the calendar year information concern the activity plan for the following year 2 until 31 may of the following year an annual report concern action undertake for the previous year in the scope refer to in passage 1\n", + "komisja nadzór finansowy publikować na strona internetowy 1 do koniec rok kalendarzowy informacja dotyczącą planowanych działanie na rok następny 2 do dzień 31 maj następny rok roczny sprawozdanie dotyczące podjętych działanie za poprzedni rok w zakres o którym mowa w ust 1\n", + "=====================================================================\n", + "[('ema', 100.0, 410), 50.0, array(['rachunkowość zarządcza ochrony środowiska'], dtype=object)]\n", + "wrocław also boast a high share of pre let in the total demand 29\n", + "wrocław also boast a rachunkowość zarządcza ochrony środowiska high share of pre let in the total demand 29\n", + "co dużo wrocław notować także bardzo wysoki poziom przednajmów w całkowity popyt 29\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 66.66666666666666, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the management board and the supervisory board opinion on the additional explanation express in the auditor s opinion a qualified opinion or a disclaimer\n", + "the management board and the supervisory board opinion on the additional explanation express in the auditor badanie sprawozdania finansowego s opinion a qualified opinion or a disclaimer\n", + "stanowisko zarząd oraz organ nadzorującego na temat zastrzeżenie wyrażonych w opinia opinia negatywny lub odmowa wyrażenie opinia\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 66.66666666666666, array(['biegły rewident'], dtype=object)]\n", + "the management board and the supervisory board opinion on the additional explanation express in the auditor s opinion a qualified opinion or a disclaimer\n", + "the management board and the supervisory board opinion on the additional explanation express in the auditor biegły rewident s opinion a qualified opinion or a disclaimer\n", + "stanowisko zarząd oraz organ nadzorującego na temat zastrzeżenie wyrażonych w opinia opinia negatywny lub odmowa wyrażenie opinia\n", + "=====================================================================\n", + "[('supervisory board', 100.0, 1071), 52.63157894736842, array(['rada nadzorcza'], dtype=object)]\n", + "the management board and the supervisory board opinion on the additional explanation express in the auditor s opinion a qualified opinion or a disclaimer\n", + "the management board and the supervisory board rada nadzorcza opinion on the additional explanation express in the auditor s opinion a qualified opinion or a disclaimer\n", + "stanowisko zarząd oraz organ nadzorującego na temat zastrzeżenie wyrażonych w opinia opinia negatywny lub odmowa wyrażenie opinia\n", + "=====================================================================\n", + "[('group', 100.0, 593), 44.44444444444444, array(['grupa kapitałowa'], dtype=object)]\n", + "the group must have access to both the principal and the most advantageous market\n", + "the group grupa kapitałowa must have access to both the principal and the most advantageous market\n", + "zarówno główny jak i bardzo korzystny rynka musić być dostępny dla grupa\n", + "=====================================================================\n", + "[('liability', 100.0, 716), 60.0, array(['zobowiązania'], dtype=object)]\n", + "advance receive from customer be present as part of other non financial liability\n", + "advance receive from customer be present as part of other non financial zobowiązania liability\n", + "grupa prezentować zaliczka otrzymane od klient w pozycja pozostały zobowiązanie finansowy\n", + "=====================================================================\n", + "[('reliability', 90.0, 959), 60.0, array(['wiarygodność'], dtype=object)]\n", + "advance receive from customer be present as part of other non financial liability\n", + "advance receive wiarygodność from customer be present as part of other non financial liability\n", + "grupa prezentować zaliczka otrzymane od klient w pozycja pozostały zobowiązanie finansowy\n", + "=====================================================================\n", + "[('account', 100.0, 13), 61.53846153846154, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the consolidated financial statement include a number of adjustment not include in the book of account of the group entity which be make in order to bring the financial statement of those entity to conformity with ifrs\n", + "the consolidated financial statement include a konto number of adjustment not include in the book of account of the group entity which be make in order to bring the financial statement of those entity to conformity with ifrs\n", + "skonsolidowane sprawozdanie finansowy zawierać korekta nie zawarte w księgi rachunkowy jednostka grupa wprowadzone w cel doprowadzenie sprawozdanie finansowy tych jednostka do zgodność z mssf\n", + "=====================================================================\n", + "[('account', 100.0, 25), 61.53846153846154, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the consolidated financial statement include a number of adjustment not include in the book of account of the group entity which be make in order to bring the financial statement of those entity to conformity with ifrs\n", + "the consolidated financial statement include a konto number of adjustment not include in the book of account of the group entity which be make in order to bring the financial statement of those entity to conformity with ifrs\n", + "skonsolidowane sprawozdanie finansowy zawierać korekta nie zawarte w księgi rachunkowy jednostka grupa wprowadzone w cel doprowadzenie sprawozdanie finansowy tych jednostka do zgodność z mssf\n", + "=====================================================================\n", + "[('account', 100.0, 57), 61.53846153846154, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the consolidated financial statement include a number of adjustment not include in the book of account of the group entity which be make in order to bring the financial statement of those entity to conformity with ifrs\n", + "the consolidated financial statement include a konto number of adjustment not include in the book of account of the group entity which be make in order to bring the financial statement of those entity to conformity with ifrs\n", + "skonsolidowane sprawozdanie finansowy zawierać korekta nie zawarte w księgi rachunkowy jednostka grupa wprowadzone w cel doprowadzenie sprawozdanie finansowy tych jednostka do zgodność z mssf\n", + "=====================================================================\n", + "[('book of account', 100.0, 161), 46.666666666666664, array(['księgi rachunkowe'], dtype=object)]\n", + "the consolidated financial statement include a number of adjustment not include in the book of account of the group entity which be make in order to bring the financial statement of those entity to conformity with ifrs\n", + "the consolidated financial statement include a number of adjustment not include in the book of account księgi rachunkowe of the group entity which be make in order to bring the financial statement of those entity to conformity with ifrs\n", + "skonsolidowane sprawozdanie finansowy zawierać korekta nie zawarte w księgi rachunkowy jednostka grupa wprowadzone w cel doprowadzenie sprawozdanie finansowy tych jednostka do zgodność z mssf\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 66.66666666666666, array(['jednostka'], dtype=object)]\n", + "the consolidated financial statement include a number of adjustment not include in the book of account of the group entity which be make in order to bring the financial statement of those entity to conformity with ifrs\n", + "the consolidated financial statement include a number of adjustment not include in the book of account of the group entity jednostka which be make in order to bring the financial statement of those entity to conformity with ifrs\n", + "skonsolidowane sprawozdanie finansowy zawierać korekta nie zawarte w księgi rachunkowy jednostka grupa wprowadzone w cel doprowadzenie sprawozdanie finansowy tych jednostka do zgodność z mssf\n", + "=====================================================================\n", + "[('fair value', 100.0, 497), 44.44444444444444, array(['wartość godziwa'], dtype=object)]\n", + "description of valuation method and key input datum use in the re measurement of investment property to fair value be present in the table below\n", + "description of valuation method and key input datum use in the re measurement of investment property to fair value wartość godziwa be present in the table below\n", + "opis metoda wycena oraz kluczowy dane wejściowy użyty do wycena nieruchomość inwestycyjny do wartość godziwy\n", + "=====================================================================\n", + "[('investment property', 100.0, 693), 55.172413793103445, array(['nieruchomości inwestycyjne'], dtype=object)]\n", + "description of valuation method and key input datum use in the re measurement of investment property to fair value be present in the table below\n", + "description of valuation method and key input datum use in the re measurement of investment property nieruchomości inwestycyjne to fair value be present in the table below\n", + "opis metoda wycena oraz kluczowy dane wejściowy użyty do wycena nieruchomość inwestycyjny do wartość godziwy\n", + "=====================================================================\n", + "[('par value', 88.88888888888889, 850), 47.05882352941177, array(['wartość nominalna'], dtype=object)]\n", + "description of valuation method and key input datum use in the re measurement of investment property to fair value be present in the table below\n", + "description of valuation method and key input datum use in the re measurement of investment property to fair value wartość nominalna be present in the table below\n", + "opis metoda wycena oraz kluczowy dane wejściowy użyty do wycena nieruchomość inwestycyjny do wartość godziwy\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "the group believe that adequate provision have be record for know and quantifiable tax risk in this regard as at 31 december 2017\n", + "the group grupa kapitałowa believe that adequate provision have be record for know and quantifiable tax risk in this regard as at 31 december 2017\n", + "zdanie grupa na dzienie 31 grudzień 2017 rok utworzyć odpowiedni rezerwa na rozpoznane i policzalny ryzyka podatkowy\n", + "=====================================================================\n", + "[('provision', 100.0, 909), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "the group believe that adequate provision have be record for know and quantifiable tax risk in this regard as at 31 december 2017\n", + "the group believe that adequate provision rezerwa have be record for know and quantifiable tax risk in this regard as at 31 december 2017\n", + "zdanie grupa na dzienie 31 grudzień 2017 rok utworzyć odpowiedni rezerwa na rozpoznane i policzalny ryzyka podatkowy\n", + "=====================================================================\n", + "[('provision', 100.0, 911), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "the group believe that adequate provision have be record for know and quantifiable tax risk in this regard as at 31 december 2017\n", + "the group believe that adequate provision rezerwa have be record for know and quantifiable tax risk in this regard as at 31 december 2017\n", + "zdanie grupa na dzienie 31 grudzień 2017 rok utworzyć odpowiedni rezerwa na rozpoznane i policzalny ryzyka podatkowy\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 66.66666666666666, array(['aktywa'], dtype=object)]\n", + "initial direct cost incur in negotiate an operating lease be add to the carrying amount of the lease asset and recognise over the lease term on the same basis as rental income\n", + "initial direct cost incur in negotiate an operating lease be add to the carrying amount of the lease asset aktywa and recognise over the lease term on the same basis as rental income\n", + "początkowy koszt bezpośredni poniesione w tok negocjowania umowa leasing operacyjny dodawać się do wartość bilansowy środek stanowiącego przedmiot leasing i ujmować przez okres trwanie leasing na tej sam podstawa co przychód z tytuł wynajm\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 100.0, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "initial direct cost incur in negotiate an operating lease be add to the carrying amount of the lease asset and recognise over the lease term on the same basis as rental income\n", + "initial direct cost incur in negotiate an operating lease be add to the carrying amount of the lease asset and recognise koszty sprzedanych produktów, towarów i materiałów over the lease term on the same basis as rental income\n", + "początkowy koszt bezpośredni poniesione w tok negocjowania umowa leasing operacyjny dodawać się do wartość bilansowy środek stanowiącego przedmiot leasing i ujmować przez okres trwanie leasing na tej sam podstawa co przychód z tytuł wynajm\n", + "=====================================================================\n", + "[('cost', 100.0, 303), 100.0, array(['koszt', 'koszty'], dtype=object)]\n", + "initial direct cost incur in negotiate an operating lease be add to the carrying amount of the lease asset and recognise over the lease term on the same basis as rental income\n", + "initial direct cost koszt incur in negotiate an operating lease be add to the carrying amount of the lease asset and recognise over the lease term on the same basis as rental income\n", + "początkowy koszt bezpośredni poniesione w tok negocjowania umowa leasing operacyjny dodawać się do wartość bilansowy środek stanowiącego przedmiot leasing i ujmować przez okres trwanie leasing na tej sam podstawa co przychód z tytuł wynajm\n", + "=====================================================================\n", + "[('cost', 100.0, 324), 100.0, array(['koszt', 'koszty'], dtype=object)]\n", + "initial direct cost incur in negotiate an operating lease be add to the carrying amount of the lease asset and recognise over the lease term on the same basis as rental income\n", + "initial direct cost koszt incur in negotiate an operating lease be add to the carrying amount of the lease asset and recognise over the lease term on the same basis as rental income\n", + "początkowy koszt bezpośredni poniesione w tok negocjowania umowa leasing operacyjny dodawać się do wartość bilansowy środek stanowiącego przedmiot leasing i ujmować przez okres trwanie leasing na tej sam podstawa co przychód z tytuł wynajm\n", + "=====================================================================\n", + "[('direct cost', 100.0, 381), 50.0, array(['koszty bezpośrednie'], dtype=object)]\n", + "initial direct cost incur in negotiate an operating lease be add to the carrying amount of the lease asset and recognise over the lease term on the same basis as rental income\n", + "initial direct cost koszty bezpośrednie incur in negotiate an operating lease be add to the carrying amount of the lease asset and recognise over the lease term on the same basis as rental income\n", + "początkowy koszt bezpośredni poniesione w tok negocjowania umowa leasing operacyjny dodawać się do wartość bilansowy środek stanowiącego przedmiot leasing i ujmować przez okres trwanie leasing na tej sam podstawa co przychód z tytuł wynajm\n", + "=====================================================================\n", + "[('derivative', 100.0, 377), 36.36363636363637, array(['instrumenty pochodne'], dtype=object)]\n", + "embed derivative\n", + "embed instrumenty pochodne derivative\n", + "wbudowane instrument pochodny\n", + "=====================================================================\n", + "[('vat', 100.0, 1156), 50.0, array(['vat'], dtype=object)]\n", + "embed derivative\n", + "embed vat derivative\n", + "wbudowane instrument pochodny\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the audit oversight commission shall determine policy and procedure concern control system management refer to in article 106 passage 1 independence of the audit oversight commission controller the expert refer to in article 109 and the supervisor of the audit oversight commission controller 2\n", + "the audit badanie sprawozdania finansowego oversight commission shall determine policy and procedure concern control system management refer to in article 106 passage 1 independence of the audit oversight commission controller the expert refer to in article 109 and the supervisor of the audit oversight commission controller 2\n", + "komisja nadzór audytowy określać polityka i procedura dotyczące zarządzanie system kontrola o których mowa w art 106 ust 1 niezależność kontroler komisja nadzór audytowy ekspert o których mowa w art 109 oraz osoba nadzorujących kontroler komisja nadzór audytowy 2\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "the audit oversight commission shall determine policy and procedure concern control system management refer to in article 106 passage 1 independence of the audit oversight commission controller the expert refer to in article 109 and the supervisor of the audit oversight commission controller 2\n", + "the audit oversight commission prowizje shall determine policy and procedure concern control system management refer to in article 106 passage 1 independence of the audit oversight commission controller the expert refer to in article 109 and the supervisor of the audit oversight commission controller 2\n", + "komisja nadzór audytowy określać polityka i procedura dotyczące zarządzanie system kontrola o których mowa w art 106 ust 1 niezależność kontroler komisja nadzór audytowy ekspert o których mowa w art 109 oraz osoba nadzorujących kontroler komisja nadzór audytowy 2\n", + "=====================================================================\n", + "[('control', 100.0, 289), 100.0, array(['kontrola '], dtype=object)]\n", + "the audit oversight commission shall determine policy and procedure concern control system management refer to in article 106 passage 1 independence of the audit oversight commission controller the expert refer to in article 109 and the supervisor of the audit oversight commission controller 2\n", + "the audit oversight commission shall determine policy and procedure concern control kontrola system management refer to in article 106 passage 1 independence of the audit oversight commission controller the expert refer to in article 109 and the supervisor of the audit oversight commission controller 2\n", + "komisja nadzór audytowy określać polityka i procedura dotyczące zarządzanie system kontrola o których mowa w art 106 ust 1 niezależność kontroler komisja nadzór audytowy ekspert o których mowa w art 109 oraz osoba nadzorujących kontroler komisja nadzór audytowy 2\n", + "=====================================================================\n", + "[('independence', 100.0, 649), 100.0, array(['niezależność'], dtype=object)]\n", + "the audit oversight commission shall determine policy and procedure concern control system management refer to in article 106 passage 1 independence of the audit oversight commission controller the expert refer to in article 109 and the supervisor of the audit oversight commission controller 2\n", + "the audit oversight commission shall determine policy and procedure concern control system management refer to in niezależność article 106 passage 1 independence of the audit oversight commission controller the expert refer to in article 109 and the supervisor of the audit oversight commission controller 2\n", + "komisja nadzór audytowy określać polityka i procedura dotyczące zarządzanie system kontrola o których mowa w art 106 ust 1 niezależność kontroler komisja nadzór audytowy ekspert o których mowa w art 109 oraz osoba nadzorujących kontroler komisja nadzór audytowy 2\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 100.0, array(['nadzór'], dtype=object)]\n", + "the audit oversight commission shall determine policy and procedure concern control system management refer to in article 106 passage 1 independence of the audit oversight commission controller the expert refer to in article 109 and the supervisor of the audit oversight commission controller 2\n", + "the audit oversight nadzór commission shall determine policy and procedure concern control system management refer to in article 106 passage 1 independence of the audit oversight commission controller the expert refer to in article 109 and the supervisor of the audit oversight commission controller 2\n", + "komisja nadzór audytowy określać polityka i procedura dotyczące zarządzanie system kontrola o których mowa w art 106 ust 1 niezależność kontroler komisja nadzór audytowy ekspert o których mowa w art 109 oraz osoba nadzorujących kontroler komisja nadzór audytowy 2\n", + "=====================================================================\n", + "[('expense', 100.0, 479), 36.36363636363637, array(['koszt'], dtype=object)]\n", + "operating lease expense\n", + "operating lease koszt expense\n", + "koszt z tytuł leasing operacyjny\n", + "=====================================================================\n", + "[('lease', 100.0, 709), 88.88888888888889, array(['leasing'], dtype=object)]\n", + "operating lease expense\n", + "operating lease leasing expense\n", + "koszt z tytuł leasing operacyjny\n", + "=====================================================================\n", + "[('operating loss', 88.0, 811), 45.45454545454545, array(['strata operacyjna'], dtype=object)]\n", + "operating lease expense\n", + "operating lease strata operacyjna expense\n", + "koszt z tytuł leasing operacyjny\n", + "=====================================================================\n", + "[('account', 100.0, 13), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "combine the three city account for more than half 56 of all new job in poland create by the sector in the period under analysis\n", + "combine the three city account konto for more than half 56 of all new job in poland create by the sector in the period under analysis\n", + "wymienione trzy miasto odpowiadać łącznie za ponad połowa 56 nowy miejsce praca w polska wyge nerowanych przez sektor w analizowanym okres\n", + "=====================================================================\n", + "[('account', 100.0, 25), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "combine the three city account for more than half 56 of all new job in poland create by the sector in the period under analysis\n", + "combine the three city account konto for more than half 56 of all new job in poland create by the sector in the period under analysis\n", + "wymienione trzy miasto odpowiadać łącznie za ponad połowa 56 nowy miejsce praca w polska wyge nerowanych przez sektor w analizowanym okres\n", + "=====================================================================\n", + "[('account', 100.0, 57), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "combine the three city account for more than half 56 of all new job in poland create by the sector in the period under analysis\n", + "combine the three city account konto for more than half 56 of all new job in poland create by the sector in the period under analysis\n", + "wymienione trzy miasto odpowiadać łącznie za ponad połowa 56 nowy miejsce praca w polska wyge nerowanych przez sektor w analizowanym okres\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "penalty adjudge in the disciplinary proceeding shall be expunge after 1 5 year from the date when the decision imposition a penalty in the form of a reprimand become final and binding 2 5 year from the date when a penalty fine be pay 3 5 year from the end of the period when the penalty refer to in article 159 passage 1 item 3 6 and passage 4 be bind 4 10 year from the date when the decision impose a penalty in the form of removal from the register become final and binding unless the statutory auditor be punish at that time for commit a disciplinary offence or the disciplinary proceeding be initiate against he she 2\n", + "penalty adjudge in the disciplinary proceeding shall be expunge after 1 5 year from the date when the decision imposition a badanie sprawozdania finansowego penalty in the form of a reprimand become final and binding 2 5 year from the date when a penalty fine be pay 3 5 year from the end of the period when the penalty refer to in article 159 passage 1 item 3 6 and passage 4 be bind 4 10 year from the date when the decision impose a penalty in the form of removal from the register become final and binding unless the statutory auditor be punish at that time for commit a disciplinary offence or the disciplinary proceeding be initiate against he she 2\n", + "kara orzeczone w postępowanie dyscyplinarny ulegać zatrzeć po upływ 1 5 rok od dzień w którym orzeczenie nakładające kara upomnienie stać się prawomocny 2 5 rok od dzień w którym karo pieniężny została wykonana 3 5 rok od koniec okres w którym kara o których mowa w art 159 ust 1 pkt 3 6 i ust 4 obowiązywały 4 10 rok od dzień w którym orzeczenie nakładające kara skreślenie z rejestr stać się prawomocny jeżeli w tym czas biegły rewident nie został ukarany za popełnienie przewinienie dyscyplinarny lub jeżeli nie zostać przeciwko on wszczęte postępowanie dyscyplinarny 2\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "penalty adjudge in the disciplinary proceeding shall be expunge after 1 5 year from the date when the decision imposition a penalty in the form of a reprimand become final and binding 2 5 year from the date when a penalty fine be pay 3 5 year from the end of the period when the penalty refer to in article 159 passage 1 item 3 6 and passage 4 be bind 4 10 year from the date when the decision impose a penalty in the form of removal from the register become final and binding unless the statutory auditor be punish at that time for commit a disciplinary offence or the disciplinary proceeding be initiate against he she 2\n", + "penalty adjudge in the disciplinary proceeding shall be expunge after 1 5 year from the date when the decision imposition a biegły rewident penalty in the form of a reprimand become final and binding 2 5 year from the date when a penalty fine be pay 3 5 year from the end of the period when the penalty refer to in article 159 passage 1 item 3 6 and passage 4 be bind 4 10 year from the date when the decision impose a penalty in the form of removal from the register become final and binding unless the statutory auditor be punish at that time for commit a disciplinary offence or the disciplinary proceeding be initiate against he she 2\n", + "kara orzeczone w postępowanie dyscyplinarny ulegać zatrzeć po upływ 1 5 rok od dzień w którym orzeczenie nakładające kara upomnienie stać się prawomocny 2 5 rok od dzień w którym karo pieniężny została wykonana 3 5 rok od koniec okres w którym kara o których mowa w art 159 ust 1 pkt 3 6 i ust 4 obowiązywały 4 10 rok od dzień w którym orzeczenie nakładające kara skreślenie z rejestr stać się prawomocny jeżeli w tym czas biegły rewident nie został ukarany za popełnienie przewinienie dyscyplinarny lub jeżeli nie zostać przeciwko on wszczęte postępowanie dyscyplinarny 2\n", + "=====================================================================\n", + "[('account', 100.0, 13), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the audit oversight commission may at the request of the audit firm exempt by way of an administrative decision such a firm from the requirement refer to in article 4 passage 2 first paragraph of the regulation no 537 2014 with regard to acceptable service provide for the benefit of the audit public interest entity its parent company or control entity for a period not long than 2 year take into account 1 hazard for independence of the audit firm 2 additional safeguard apply by the audit firm in order to limit those threat 3 important interest of the audit firm or the audit public interest entity\n", + "the audit oversight commission may at the request of the audit firm exempt by way of an administrative decision such a konto firm from the requirement refer to in article 4 passage 2 first paragraph of the regulation no 537 2014 with regard to acceptable service provide for the benefit of the audit public interest entity its parent company or control entity for a period not long than 2 year take into account 1 hazard for independence of the audit firm 2 additional safeguard apply by the audit firm in order to limit those threat 3 important interest of the audit firm or the audit public interest entity\n", + "komisja nadzór audytowy móc na wniosek firma audytorski zwolnić w droga decyzja admin stracyjnej tę firma z wymóg o których mowa w art 4 ust 2 akapit pierwszy rozporządzenie nr 537 2014 w odniesienie do usługi dozwolonych świadczonych na rzecz badany jednostka zainteresowanie publiczny on jednostka dominujący lub jednostka przez on kontrolowany na okres nie długi niż 2 rok obrotowy brać pod uwaga 1 zagrożenie dla niezależność firma audytorski 2 zastosowany przez firma audytorski dodatkowy zabezpieczenie w cel ograniczenie tych zagrożenie 3 ważny interes firma audytorski lub badany jednostka zainteresowanie publiczny\n", + "=====================================================================\n", + "[('account', 100.0, 25), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the audit oversight commission may at the request of the audit firm exempt by way of an administrative decision such a firm from the requirement refer to in article 4 passage 2 first paragraph of the regulation no 537 2014 with regard to acceptable service provide for the benefit of the audit public interest entity its parent company or control entity for a period not long than 2 year take into account 1 hazard for independence of the audit firm 2 additional safeguard apply by the audit firm in order to limit those threat 3 important interest of the audit firm or the audit public interest entity\n", + "the audit oversight commission may at the request of the audit firm exempt by way of an administrative decision such a konto firm from the requirement refer to in article 4 passage 2 first paragraph of the regulation no 537 2014 with regard to acceptable service provide for the benefit of the audit public interest entity its parent company or control entity for a period not long than 2 year take into account 1 hazard for independence of the audit firm 2 additional safeguard apply by the audit firm in order to limit those threat 3 important interest of the audit firm or the audit public interest entity\n", + "komisja nadzór audytowy móc na wniosek firma audytorski zwolnić w droga decyzja admin stracyjnej tę firma z wymóg o których mowa w art 4 ust 2 akapit pierwszy rozporządzenie nr 537 2014 w odniesienie do usługi dozwolonych świadczonych na rzecz badany jednostka zainteresowanie publiczny on jednostka dominujący lub jednostka przez on kontrolowany na okres nie długi niż 2 rok obrotowy brać pod uwaga 1 zagrożenie dla niezależność firma audytorski 2 zastosowany przez firma audytorski dodatkowy zabezpieczenie w cel ograniczenie tych zagrożenie 3 ważny interes firma audytorski lub badany jednostka zainteresowanie publiczny\n", + "=====================================================================\n", + "[('account', 100.0, 57), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the audit oversight commission may at the request of the audit firm exempt by way of an administrative decision such a firm from the requirement refer to in article 4 passage 2 first paragraph of the regulation no 537 2014 with regard to acceptable service provide for the benefit of the audit public interest entity its parent company or control entity for a period not long than 2 year take into account 1 hazard for independence of the audit firm 2 additional safeguard apply by the audit firm in order to limit those threat 3 important interest of the audit firm or the audit public interest entity\n", + "the audit oversight commission may at the request of the audit firm exempt by way of an administrative decision such a konto firm from the requirement refer to in article 4 passage 2 first paragraph of the regulation no 537 2014 with regard to acceptable service provide for the benefit of the audit public interest entity its parent company or control entity for a period not long than 2 year take into account 1 hazard for independence of the audit firm 2 additional safeguard apply by the audit firm in order to limit those threat 3 important interest of the audit firm or the audit public interest entity\n", + "komisja nadzór audytowy móc na wniosek firma audytorski zwolnić w droga decyzja admin stracyjnej tę firma z wymóg o których mowa w art 4 ust 2 akapit pierwszy rozporządzenie nr 537 2014 w odniesienie do usługi dozwolonych świadczonych na rzecz badany jednostka zainteresowanie publiczny on jednostka dominujący lub jednostka przez on kontrolowany na okres nie długi niż 2 rok obrotowy brać pod uwaga 1 zagrożenie dla niezależność firma audytorski 2 zastosowany przez firma audytorski dodatkowy zabezpieczenie w cel ograniczenie tych zagrożenie 3 ważny interes firma audytorski lub badany jednostka zainteresowanie publiczny\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the audit oversight commission may at the request of the audit firm exempt by way of an administrative decision such a firm from the requirement refer to in article 4 passage 2 first paragraph of the regulation no 537 2014 with regard to acceptable service provide for the benefit of the audit public interest entity its parent company or control entity for a period not long than 2 year take into account 1 hazard for independence of the audit firm 2 additional safeguard apply by the audit firm in order to limit those threat 3 important interest of the audit firm or the audit public interest entity\n", + "the audit badanie sprawozdania finansowego oversight commission may at the request of the audit firm exempt by way of an administrative decision such a firm from the requirement refer to in article 4 passage 2 first paragraph of the regulation no 537 2014 with regard to acceptable service provide for the benefit of the audit public interest entity its parent company or control entity for a period not long than 2 year take into account 1 hazard for independence of the audit firm 2 additional safeguard apply by the audit firm in order to limit those threat 3 important interest of the audit firm or the audit public interest entity\n", + "komisja nadzór audytowy móc na wniosek firma audytorski zwolnić w droga decyzja admin stracyjnej tę firma z wymóg o których mowa w art 4 ust 2 akapit pierwszy rozporządzenie nr 537 2014 w odniesienie do usługi dozwolonych świadczonych na rzecz badany jednostka zainteresowanie publiczny on jednostka dominujący lub jednostka przez on kontrolowany na okres nie długi niż 2 rok obrotowy brać pod uwaga 1 zagrożenie dla niezależność firma audytorski 2 zastosowany przez firma audytorski dodatkowy zabezpieczenie w cel ograniczenie tych zagrożenie 3 ważny interes firma audytorski lub badany jednostka zainteresowanie publiczny\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "the audit oversight commission may at the request of the audit firm exempt by way of an administrative decision such a firm from the requirement refer to in article 4 passage 2 first paragraph of the regulation no 537 2014 with regard to acceptable service provide for the benefit of the audit public interest entity its parent company or control entity for a period not long than 2 year take into account 1 hazard for independence of the audit firm 2 additional safeguard apply by the audit firm in order to limit those threat 3 important interest of the audit firm or the audit public interest entity\n", + "the audit oversight commission prowizje may at the request of the audit firm exempt by way of an administrative decision such a firm from the requirement refer to in article 4 passage 2 first paragraph of the regulation no 537 2014 with regard to acceptable service provide for the benefit of the audit public interest entity its parent company or control entity for a period not long than 2 year take into account 1 hazard for independence of the audit firm 2 additional safeguard apply by the audit firm in order to limit those threat 3 important interest of the audit firm or the audit public interest entity\n", + "komisja nadzór audytowy móc na wniosek firma audytorski zwolnić w droga decyzja admin stracyjnej tę firma z wymóg o których mowa w art 4 ust 2 akapit pierwszy rozporządzenie nr 537 2014 w odniesienie do usługi dozwolonych świadczonych na rzecz badany jednostka zainteresowanie publiczny on jednostka dominujący lub jednostka przez on kontrolowany na okres nie długi niż 2 rok obrotowy brać pod uwaga 1 zagrożenie dla niezależność firma audytorski 2 zastosowany przez firma audytorski dodatkowy zabezpieczenie w cel ograniczenie tych zagrożenie 3 ważny interes firma audytorski lub badany jednostka zainteresowanie publiczny\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 66.66666666666666, array(['jednostka'], dtype=object)]\n", + "it should be note that a vast majority of entity offer service in more than one business process category\n", + "it jednostka should be note that a vast majority of entity offer service in more than one business process category\n", + "należeć dodać że zdecydowany większość podmiot świadczyć usługa w zakres kilku kategoria proces biznesowy\n", + "=====================================================================\n", + "[('note', 100.0, 791), 66.66666666666666, array(['informacja dodatkowa'], dtype=object)]\n", + "it should be note that a vast majority of entity offer service in more than one business process category\n", + "it should be note informacja dodatkowa that a vast majority of entity offer service in more than one business process category\n", + "należeć dodać że zdecydowany większość podmiot świadczyć usługa w zakres kilku kategoria proces biznesowy\n", + "=====================================================================\n", + "[('vas', 100.0, 1155), 50.0, array(['vas'], dtype=object)]\n", + "it should be note that a vast majority of entity offer service in more than one business process category\n", + "it should be note that a vas vast majority of entity offer service in more than one business process category\n", + "należeć dodać że zdecydowany większość podmiot świadczyć usługa w zakres kilku kategoria proces biznesowy\n", + "=====================================================================\n", + "[('budget', 100.0, 168), 83.33333333333333, array(['budżet'], dtype=object)]\n", + "the revenue from penalty fine impose by the financial supervision authority shall constitute the income of the state budget\n", + "the revenue from penalty fine impose by budżet the financial supervision authority shall constitute the income of the state budget\n", + "wpływ z tytuł karo pieniężny nałożonych przez komisja nadzór finansowy stanowić dochód budżet państwo\n", + "=====================================================================\n", + "[('income', 100.0, 638), 50.0, array(['zysk'], dtype=object)]\n", + "the revenue from penalty fine impose by the financial supervision authority shall constitute the income of the state budget\n", + "the revenue from penalty fine impose by the financial supervision authority shall constitute the income zysk of the state budget\n", + "wpływ z tytuł karo pieniężny nałożonych przez komisja nadzór finansowy stanowić dochód budżet państwo\n", + "=====================================================================\n", + "[('revenue', 100.0, 983), 57.142857142857146, array(['przychód'], dtype=object)]\n", + "the revenue from penalty fine impose by the financial supervision authority shall constitute the income of the state budget\n", + "the revenue przychód from penalty fine impose by the financial supervision authority shall constitute the income of the state budget\n", + "wpływ z tytuł karo pieniężny nałożonych przez komisja nadzór finansowy stanowić dochód budżet państwo\n", + "=====================================================================\n", + "[('other revenue', 91.66666666666667, 826), 41.666666666666664, array(['pozostałe przychody'], dtype=object)]\n", + "the revenue from penalty fine impose by the financial supervision authority shall constitute the income of the state budget\n", + "the revenue pozostałe przychody from penalty fine impose by the financial supervision authority shall constitute the income of the state budget\n", + "wpływ z tytuł karo pieniężny nałożonych przez komisja nadzór finansowy stanowić dochód budżet państwo\n", + "=====================================================================\n", + "[('provision', 88.88888888888889, 909), 57.142857142857146, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "the revenue from penalty fine impose by the financial supervision authority shall constitute the income of the state budget\n", + "the revenue from penalty fine impose by the financial supervision rezerwa authority shall constitute the income of the state budget\n", + "wpływ z tytuł karo pieniężny nałożonych przez komisja nadzór finansowy stanowić dochód budżet państwo\n", + "=====================================================================\n", + "[('control', 100.0, 289), 100.0, array(['kontrola '], dtype=object)]\n", + "recommendation in order to ensure the compliance with the regulation as a first step we recommend to execute a readiness assessment gap analysis of the personal datum processing and management include the mechanism process and control within support it system concern new obligation introduce by the regulation\n", + "recommendation in order to ensure the compliance with the regulation as a first step we recommend to execute a readiness assessment gap analysis of the personal datum processing and management include the mechanism process and control kontrola within support it system concern new obligation introduce by the regulation\n", + "rekomendacja w cel zapewnienie zgodność z rozporządzenie w pierwszy krok rekomendować przeprowadzenie ocena gotowość analiza luka obszar przetwarzanie dane osobowy wraz z uwzględnienie mechanizm i proces w warstwa wspierający on system it pod kąt nowy obowiązek które wprowadzać rozporządzenie\n", + "=====================================================================\n", + "[('irs', 100.0, 627), 100.0, array(['amerykański urząd skarbowy'], dtype=object)]\n", + "recommendation in order to ensure the compliance with the regulation as a first step we recommend to execute a readiness assessment gap analysis of the personal datum processing and management include the mechanism process and control within support it system concern new obligation introduce by the regulation\n", + "recommendation in order to ensure the compliance with the regulation as a first amerykański urząd skarbowy step we recommend to execute a readiness assessment gap analysis of the personal datum processing and management include the mechanism process and control within support it system concern new obligation introduce by the regulation\n", + "rekomendacja w cel zapewnienie zgodność z rozporządzenie w pierwszy krok rekomendować przeprowadzenie ocena gotowość analiza luka obszar przetwarzanie dane osobowy wraz z uwzględnienie mechanizm i proces w warstwa wspierający on system it pod kąt nowy obowiązek które wprowadzać rozporządzenie\n", + "=====================================================================\n", + "[('company', 100.0, 245), 44.44444444444444, array(['spółka kapitałowa'], dtype=object)]\n", + "1 company s fair value measurement\n", + "1 company spółka kapitałowa s fair value measurement\n", + "wartość godziwy aktywa i zobowiązanie spółka\n", + "=====================================================================\n", + "[('fair value', 100.0, 497), 42.857142857142854, array(['wartość godziwa'], dtype=object)]\n", + "1 company s fair value measurement\n", + "1 company s fair value wartość godziwa measurement\n", + "wartość godziwy aktywa i zobowiązanie spółka\n", + "=====================================================================\n", + "[('par value', 88.88888888888889, 850), 35.294117647058826, array(['wartość nominalna'], dtype=object)]\n", + "1 company s fair value measurement\n", + "1 company s fair value wartość nominalna measurement\n", + "wartość godziwy aktywa i zobowiązanie spółka\n", + "=====================================================================\n", + "[('account', 100.0, 13), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the audit oversight commission may authorise the chairperson its deputy member or an employee of an organisational unit of the ministry of finance responsible for accounting and financial audit to undertake activity with regard to the competence of the audit oversight commission\n", + "the audit oversight commission may authorise the chairperson its deputy member or an employee of an organisational unit of the ministry of finance responsible for accounting konto and financial audit to undertake activity with regard to the competence of the audit oversight commission\n", + "komisja nadzór audytowego móc upoważnić przewodniczący on zastępca członek lub pracownia ka komórka organizacyjny w ministerstwo finanse właściwy do sprawa rachunkowość i rewizja finansowy do podejmo wania działanie w zakres właściwość komisja nadzór audytowy\n", + "=====================================================================\n", + "[('account', 100.0, 25), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the audit oversight commission may authorise the chairperson its deputy member or an employee of an organisational unit of the ministry of finance responsible for accounting and financial audit to undertake activity with regard to the competence of the audit oversight commission\n", + "the audit oversight commission may authorise the chairperson its deputy member or an employee of an organisational unit of the ministry of finance responsible for accounting konto and financial audit to undertake activity with regard to the competence of the audit oversight commission\n", + "komisja nadzór audytowego móc upoważnić przewodniczący on zastępca członek lub pracownia ka komórka organizacyjny w ministerstwo finanse właściwy do sprawa rachunkowość i rewizja finansowy do podejmo wania działanie w zakres właściwość komisja nadzór audytowy\n", + "=====================================================================\n", + "[('account', 100.0, 57), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the audit oversight commission may authorise the chairperson its deputy member or an employee of an organisational unit of the ministry of finance responsible for accounting and financial audit to undertake activity with regard to the competence of the audit oversight commission\n", + "the audit oversight commission may authorise the chairperson its deputy member or an employee of an organisational unit of the ministry of finance responsible for accounting konto and financial audit to undertake activity with regard to the competence of the audit oversight commission\n", + "komisja nadzór audytowego móc upoważnić przewodniczący on zastępca członek lub pracownia ka komórka organizacyjny w ministerstwo finanse właściwy do sprawa rachunkowość i rewizja finansowy do podejmo wania działanie w zakres właściwość komisja nadzór audytowy\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the audit oversight commission may authorise the chairperson its deputy member or an employee of an organisational unit of the ministry of finance responsible for accounting and financial audit to undertake activity with regard to the competence of the audit oversight commission\n", + "the audit badanie sprawozdania finansowego oversight commission may authorise the chairperson its deputy member or an employee of an organisational unit of the ministry of finance responsible for accounting and financial audit to undertake activity with regard to the competence of the audit oversight commission\n", + "komisja nadzór audytowego móc upoważnić przewodniczący on zastępca członek lub pracownia ka komórka organizacyjny w ministerstwo finanse właściwy do sprawa rachunkowość i rewizja finansowy do podejmo wania działanie w zakres właściwość komisja nadzór audytowy\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "the audit oversight commission may authorise the chairperson its deputy member or an employee of an organisational unit of the ministry of finance responsible for accounting and financial audit to undertake activity with regard to the competence of the audit oversight commission\n", + "the audit oversight commission prowizje may authorise the chairperson its deputy member or an employee of an organisational unit of the ministry of finance responsible for accounting and financial audit to undertake activity with regard to the competence of the audit oversight commission\n", + "komisja nadzór audytowego móc upoważnić przewodniczący on zastępca członek lub pracownia ka komórka organizacyjny w ministerstwo finanse właściwy do sprawa rachunkowość i rewizja finansowy do podejmo wania działanie w zakres właściwość komisja nadzór audytowy\n", + "=====================================================================\n", + "[('by product', 90.0, 175), 94.73684210526315, array(['produkty uboczne, rozliczanie w rachunkowości'], dtype=object)]\n", + "in such case we may get a proxy product owner who may even have a business analyst background but without business knowledge support\n", + "in such case we may get a proxy product produkty uboczne, rozliczanie w rachunkowości owner who may even have a business analyst background but without business knowledge support\n", + "w takich przypadek zdarzać się wybierać pełnomocnik właściciel produkt proxy product owner ppo który zazwyczaj mieć doświadczenie w analiza biznesowy\n", + "=====================================================================\n", + "[('year end', 100.0, 1193), 33.33333333333333, array(['koniec roku'], dtype=object)]\n", + "year end 31 december 2016\n", + "year end koniec roku 31 december 2016\n", + "rok zakończony 31 grudzień 2016 rok\n", + "=====================================================================\n", + "[('gross profit', 100.0, 591), 35.294117647058826, array(['zysk brutto ze sprzedaży'], dtype=object)]\n", + "effect on gross profit loss\n", + "effect on gross profit zysk brutto ze sprzedaży loss\n", + "wpływ na zysk lub strata brutto\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 50.0, array(['strata'], dtype=object)]\n", + "effect on gross profit loss\n", + "effect on gross strata profit loss\n", + "wpływ na zysk lub strata brutto\n", + "=====================================================================\n", + "[('profit', 100.0, 898), 36.36363636363637, array(['zysk'], dtype=object)]\n", + "effect on gross profit loss\n", + "effect on gross profit zysk loss\n", + "wpływ na zysk lub strata brutto\n", + "=====================================================================\n", + "[('account', 100.0, 13), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the above mention obligation as for now apply only the large enterprise as state in the freedom of economic activity act who maintain their accounting record use it software\n", + "the above mention obligation as for now apply only the large enterprise as state in the freedom of economic activity act who maintain their accounting konto record use it software\n", + "powyższy obowiązek dotyczyć na raz wyłącznie duży przedsiębiorca w rozumienie ustawa o swoboda działalność gospodarczy którzy prowadzić księga rachunkowy z wykorzystanie program informatyczny\n", + "=====================================================================\n", + "[('account', 100.0, 25), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the above mention obligation as for now apply only the large enterprise as state in the freedom of economic activity act who maintain their accounting record use it software\n", + "the above mention obligation as for now apply only the large enterprise as state in the freedom of economic activity act who maintain their accounting konto record use it software\n", + "powyższy obowiązek dotyczyć na raz wyłącznie duży przedsiębiorca w rozumienie ustawa o swoboda działalność gospodarczy którzy prowadzić księga rachunkowy z wykorzystanie program informatyczny\n", + "=====================================================================\n", + "[('accounting record', 100.0, 48), 50.0, array(['dokumentacja księgowa'], dtype=object)]\n", + "the above mention obligation as for now apply only the large enterprise as state in the freedom of economic activity act who maintain their accounting record use it software\n", + "the above mention obligation as for now apply only the large enterprise as state in the freedom of economic activity act who maintain their accounting record dokumentacja księgowa use it software\n", + "powyższy obowiązek dotyczyć na raz wyłącznie duży przedsiębiorca w rozumienie ustawa o swoboda działalność gospodarczy którzy prowadzić księga rachunkowy z wykorzystanie program informatyczny\n", + "=====================================================================\n", + "[('account', 100.0, 57), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the above mention obligation as for now apply only the large enterprise as state in the freedom of economic activity act who maintain their accounting record use it software\n", + "the above mention obligation as for now apply only the large enterprise as state in the freedom of economic activity act who maintain their accounting konto record use it software\n", + "powyższy obowiązek dotyczyć na raz wyłącznie duży przedsiębiorca w rozumienie ustawa o swoboda działalność gospodarczy którzy prowadzić księga rachunkowy z wykorzystanie program informatyczny\n", + "=====================================================================\n", + "[('c a', 100.0, 176), 80.0, array(['dyplomowany biegły rewident'], dtype=object)]\n", + "the above mention obligation as for now apply only the large enterprise as state in the freedom of economic activity act who maintain their accounting record use it software\n", + "the above mention obligation as for now apply only the large enterprise as state in the freedom of economic activity dyplomowany biegły rewident act who maintain their accounting record use it software\n", + "powyższy obowiązek dotyczyć na raz wyłącznie duży przedsiębiorca w rozumienie ustawa o swoboda działalność gospodarczy którzy prowadzić księga rachunkowy z wykorzystanie program informatyczny\n", + "=====================================================================\n", + "[('company', 100.0, 245), 46.15384615384615, array(['spółka kapitałowa'], dtype=object)]\n", + "the company control an entity if the company have\n", + "the company spółka kapitałowa control an entity if the company have\n", + "sprawowanie kontrola przez spółka mieć miejsce wtedy gdy\n", + "=====================================================================\n", + "[('control', 100.0, 289), 85.71428571428571, array(['kontrola '], dtype=object)]\n", + "the company control an entity if the company have\n", + "the company control kontrola an entity if the company have\n", + "sprawowanie kontrola przez spółka mieć miejsce wtedy gdy\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 57.142857142857146, array(['jednostka'], dtype=object)]\n", + "the company control an entity if the company have\n", + "the company control an entity jednostka if the company have\n", + "sprawowanie kontrola przez spółka mieć miejsce wtedy gdy\n", + "=====================================================================\n", + "[('account', 100.0, 13), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "due to the retrospective application of a change in account policy error adjustment change in the presentation in the balance sheet statement of financial position see note present be also an open balance sheet for the early of the period present i e as at 20 zmodyfikować odpowiednio\n", + "due to the retrospective application of a konto change in account policy error adjustment change in the presentation in the balance sheet statement of financial position see note present be also an open balance sheet for the early of the period present i e as at 20 zmodyfikować odpowiednio\n", + "z wzgląd na wprowadzoną retrospektywnie zmiana polityka rachunkowości korekta błędu zmiana prezentacja pozycja w bilansie sprawozdanie z sytuacja finansowy patrzyć nota prezentowany jest również bilans otwarcie wczesny prezentowanego okres tj na dzienie 20 rok zmodyfikować odpowiednio\n", + "=====================================================================\n", + "[('account', 100.0, 25), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "due to the retrospective application of a change in account policy error adjustment change in the presentation in the balance sheet statement of financial position see note present be also an open balance sheet for the early of the period present i e as at 20 zmodyfikować odpowiednio\n", + "due to the retrospective application of a konto change in account policy error adjustment change in the presentation in the balance sheet statement of financial position see note present be also an open balance sheet for the early of the period present i e as at 20 zmodyfikować odpowiednio\n", + "z wzgląd na wprowadzoną retrospektywnie zmiana polityka rachunkowości korekta błędu zmiana prezentacja pozycja w bilansie sprawozdanie z sytuacja finansowy patrzyć nota prezentowany jest również bilans otwarcie wczesny prezentowanego okres tj na dzienie 20 rok zmodyfikować odpowiednio\n", + "=====================================================================\n", + "[('account', 100.0, 57), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "due to the retrospective application of a change in account policy error adjustment change in the presentation in the balance sheet statement of financial position see note present be also an open balance sheet for the early of the period present i e as at 20 zmodyfikować odpowiednio\n", + "due to the retrospective application of a konto change in account policy error adjustment change in the presentation in the balance sheet statement of financial position see note present be also an open balance sheet for the early of the period present i e as at 20 zmodyfikować odpowiednio\n", + "z wzgląd na wprowadzoną retrospektywnie zmiana polityka rachunkowości korekta błędu zmiana prezentacja pozycja w bilansie sprawozdanie z sytuacja finansowy patrzyć nota prezentowany jest również bilans otwarcie wczesny prezentowanego okres tj na dzienie 20 rok zmodyfikować odpowiednio\n", + "=====================================================================\n", + "[('balance', 100.0, 136), 72.72727272727272, array(['saldo'], dtype=object)]\n", + "due to the retrospective application of a change in account policy error adjustment change in the presentation in the balance sheet statement of financial position see note present be also an open balance sheet for the early of the period present i e as at 20 zmodyfikować odpowiednio\n", + "due to the retrospective application of a saldo change in account policy error adjustment change in the presentation in the balance sheet statement of financial position see note present be also an open balance sheet for the early of the period present i e as at 20 zmodyfikować odpowiednio\n", + "z wzgląd na wprowadzoną retrospektywnie zmiana polityka rachunkowości korekta błędu zmiana prezentacja pozycja w bilansie sprawozdanie z sytuacja finansowy patrzyć nota prezentowany jest również bilans otwarcie wczesny prezentowanego okres tj na dzienie 20 rok zmodyfikować odpowiednio\n", + "=====================================================================\n", + "[('balance sheet', 100.0, 137), 60.869565217391305, array(['bilans'], dtype=object)]\n", + "due to the retrospective application of a change in account policy error adjustment change in the presentation in the balance sheet statement of financial position see note present be also an open balance sheet for the early of the period present i e as at 20 zmodyfikować odpowiednio\n", + "due to the retrospective application of a change in account policy error adjustment change in the presentation in the balance sheet bilans statement of financial position see note present be also an open balance sheet for the early of the period present i e as at 20 zmodyfikować odpowiednio\n", + "z wzgląd na wprowadzoną retrospektywnie zmiana polityka rachunkowości korekta błędu zmiana prezentacja pozycja w bilansie sprawozdanie z sytuacja finansowy patrzyć nota prezentowany jest również bilans otwarcie wczesny prezentowanego okres tj na dzienie 20 rok zmodyfikować odpowiednio\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 60.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the entity refer to in article 94 passage 2 shall present a recommendation within 30 day from the date of dismissal or death of the member of the audit oversight commission\n", + "the entity refer to in article 94 passage 2 shall present a badanie sprawozdania finansowego recommendation within 30 day from the date of dismissal or death of the member of the audit oversight commission\n", + "podmiot o którym mowa w art 94 ust 2 przedstawiać rekomendacja w termin 30 dzień od dzień odwołanie albo śmierć członek komisja nadzór audytowy\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "the entity refer to in article 94 passage 2 shall present a recommendation within 30 day from the date of dismissal or death of the member of the audit oversight commission\n", + "the entity refer to in prowizje article 94 passage 2 shall present a recommendation within 30 day from the date of dismissal or death of the member of the audit oversight commission\n", + "podmiot o którym mowa w art 94 ust 2 przedstawiać rekomendacja w termin 30 dzień od dzień odwołanie albo śmierć członek komisja nadzór audytowy\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 50.0, array(['jednostka'], dtype=object)]\n", + "the entity refer to in article 94 passage 2 shall present a recommendation within 30 day from the date of dismissal or death of the member of the audit oversight commission\n", + "the entity jednostka refer to in article 94 passage 2 shall present a recommendation within 30 day from the date of dismissal or death of the member of the audit oversight commission\n", + "podmiot o którym mowa w art 94 ust 2 przedstawiać rekomendacja w termin 30 dzień od dzień odwołanie albo śmierć członek komisja nadzór audytowy\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 100.0, array(['nadzór'], dtype=object)]\n", + "the entity refer to in article 94 passage 2 shall present a recommendation within 30 day from the date of dismissal or death of the member of the audit oversight commission\n", + "the entity refer to in article 94 passage 2 shall present a recommendation within 30 day from the date of dismissal or death of the member of the audit oversight nadzór commission\n", + "podmiot o którym mowa w art 94 ust 2 przedstawiać rekomendacja w termin 30 dzień od dzień odwołanie albo śmierć członek komisja nadzór audytowy\n", + "=====================================================================\n", + "[('balance', 100.0, 136), 54.54545454545455, array(['saldo'], dtype=object)]\n", + "in addition receivable balance be monitor on an ongoing basis with the result that the group s exposure to bad debt be not significant\n", + "in addition receivable balance saldo be monitor on an ongoing basis with the result that the group s exposure to bad debt be not significant\n", + "ponadto dzięki bieżący monitorowaniu stan należność narażenie grupa na ryzyka ściągalny należność jest znaczny\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "in addition receivable balance be monitor on an ongoing basis with the result that the group s exposure to bad debt be not significant\n", + "in addition receivable balance be monitor on an ongoing basis with the result that the group grupa kapitałowa s exposure to bad debt be not significant\n", + "ponadto dzięki bieżący monitorowaniu stan należność narażenie grupa na ryzyka ściągalny należność jest znaczny\n", + "=====================================================================\n", + "[('account', 100.0, 13), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "other country account for 28 new center which also include a handful of investment from ukraine and asia\n", + "other country account konto for 28 new center which also include a handful of investment from ukraine and asia\n", + "inny kraj odpowiadać za powstanie pozostały 28 nowy centrum wśród których znaleźć się również kilka inwestycja z ukraina i państwo azjatycki\n", + "=====================================================================\n", + "[('account', 100.0, 25), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "other country account for 28 new center which also include a handful of investment from ukraine and asia\n", + "other country account konto for 28 new center which also include a handful of investment from ukraine and asia\n", + "inny kraj odpowiadać za powstanie pozostały 28 nowy centrum wśród których znaleźć się również kilka inwestycja z ukraina i państwo azjatycki\n", + "=====================================================================\n", + "[('account', 100.0, 57), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "other country account for 28 new center which also include a handful of investment from ukraine and asia\n", + "other country account konto for 28 new center which also include a handful of investment from ukraine and asia\n", + "inny kraj odpowiadać za powstanie pozostały 28 nowy centrum wśród których znaleźć się również kilka inwestycja z ukraina i państwo azjatycki\n", + "=====================================================================\n", + "[('affiliate', 100.0, 80), 100.0, array(['jednostka afiliowana'], dtype=object)]\n", + "before begin the audit the inspector of the national supervisory committee shall submit a declaration that in the period of 3 year before begin the audit he she do not and do not operate a control audit firm and that he she be not or be not employ in a control audit firm or be be otherwise affiliate thereto and that there be no conflict of interest between he she and a control audit firm and statutory auditor operate on its behalf\n", + "before begin the audit the inspector of the national supervisory committee shall submit a jednostka afiliowana declaration that in the period of 3 year before begin the audit he she do not and do not operate a control audit firm and that he she be not or be not employ in a control audit firm or be be otherwise affiliate thereto and that there be no conflict of interest between he she and a control audit firm and statutory auditor operate on its behalf\n", + "przed przystąpienie do kontrola kontroler krajowy komisja nadzór składać oświadczenie że w okres 3 rok po przedzających rozpoczęcie kontrola nie prowadzić lub nie prowadzić kontrolowany firma audytorski oraz nie być lub nie jest zatrudniony w kontrolowany firma audytorski ani w inny sposób z on powiązany oraz że nie występować konflikt interes między on a kontrolowany firma audytorski i biegły rewident działającymi w on imię\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "before begin the audit the inspector of the national supervisory committee shall submit a declaration that in the period of 3 year before begin the audit he she do not and do not operate a control audit firm and that he she be not or be not employ in a control audit firm or be be otherwise affiliate thereto and that there be no conflict of interest between he she and a control audit firm and statutory auditor operate on its behalf\n", + "before begin the audit badanie sprawozdania finansowego the inspector of the national supervisory committee shall submit a declaration that in the period of 3 year before begin the audit he she do not and do not operate a control audit firm and that he she be not or be not employ in a control audit firm or be be otherwise affiliate thereto and that there be no conflict of interest between he she and a control audit firm and statutory auditor operate on its behalf\n", + "przed przystąpienie do kontrola kontroler krajowy komisja nadzór składać oświadczenie że w okres 3 rok po przedzających rozpoczęcie kontrola nie prowadzić lub nie prowadzić kontrolowany firma audytorski oraz nie być lub nie jest zatrudniony w kontrolowany firma audytorski ani w inny sposób z on powiązany oraz że nie występować konflikt interes między on a kontrolowany firma audytorski i biegły rewident działającymi w on imię\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "before begin the audit the inspector of the national supervisory committee shall submit a declaration that in the period of 3 year before begin the audit he she do not and do not operate a control audit firm and that he she be not or be not employ in a control audit firm or be be otherwise affiliate thereto and that there be no conflict of interest between he she and a control audit firm and statutory auditor operate on its behalf\n", + "before begin the audit biegły rewident the inspector of the national supervisory committee shall submit a declaration that in the period of 3 year before begin the audit he she do not and do not operate a control audit firm and that he she be not or be not employ in a control audit firm or be be otherwise affiliate thereto and that there be no conflict of interest between he she and a control audit firm and statutory auditor operate on its behalf\n", + "przed przystąpienie do kontrola kontroler krajowy komisja nadzór składać oświadczenie że w okres 3 rok po przedzających rozpoczęcie kontrola nie prowadzić lub nie prowadzić kontrolowany firma audytorski oraz nie być lub nie jest zatrudniony w kontrolowany firma audytorski ani w inny sposób z on powiązany oraz że nie występować konflikt interes między on a kontrolowany firma audytorski i biegły rewident działającymi w on imię\n", + "=====================================================================\n", + "[('conflict of interest', 100.0, 261), 80.0, array(['konflikt interesów'], dtype=object)]\n", + "before begin the audit the inspector of the national supervisory committee shall submit a declaration that in the period of 3 year before begin the audit he she do not and do not operate a control audit firm and that he she be not or be not employ in a control audit firm or be be otherwise affiliate thereto and that there be no conflict of interest between he she and a control audit firm and statutory auditor operate on its behalf\n", + "before begin the audit the inspector of the national supervisory committee shall submit a declaration that in the period of 3 year before begin the audit he she do not and do not operate a control audit firm and that he she be not or be not employ in a control audit firm or be be otherwise affiliate thereto and that there be no conflict of interest konflikt interesów between he she and a control audit firm and statutory auditor operate on its behalf\n", + "przed przystąpienie do kontrola kontroler krajowy komisja nadzór składać oświadczenie że w okres 3 rok po przedzających rozpoczęcie kontrola nie prowadzić lub nie prowadzić kontrolowany firma audytorski oraz nie być lub nie jest zatrudniony w kontrolowany firma audytorski ani w inny sposób z on powiązany oraz że nie występować konflikt interes między on a kontrolowany firma audytorski i biegły rewident działającymi w on imię\n", + "=====================================================================\n", + "[('control', 100.0, 289), 100.0, array(['kontrola '], dtype=object)]\n", + "before begin the audit the inspector of the national supervisory committee shall submit a declaration that in the period of 3 year before begin the audit he she do not and do not operate a control audit firm and that he she be not or be not employ in a control audit firm or be be otherwise affiliate thereto and that there be no conflict of interest between he she and a control audit firm and statutory auditor operate on its behalf\n", + "before begin the audit the inspector of the national supervisory committee shall submit a declaration that in the period of 3 year before begin the audit he she do not and do not operate a control kontrola audit firm and that he she be not or be not employ in a control audit firm or be be otherwise affiliate thereto and that there be no conflict of interest between he she and a control audit firm and statutory auditor operate on its behalf\n", + "przed przystąpienie do kontrola kontroler krajowy komisja nadzór składać oświadczenie że w okres 3 rok po przedzających rozpoczęcie kontrola nie prowadzić lub nie prowadzić kontrolowany firma audytorski oraz nie być lub nie jest zatrudniony w kontrolowany firma audytorski ani w inny sposób z on powiązany oraz że nie występować konflikt interes między on a kontrolowany firma audytorski i biegły rewident działającymi w on imię\n", + "=====================================================================\n", + "[('account', 100.0, 13), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "in the report from the audit of the statement refer to in passage 2a the statutory auditor shall additionally confirm whether particular item of the balance sheet and the profit and loss account refer to in passage 2a include in the additional information meet the requirement refer to in passage 2a\n", + "in the report from the audit of the statement refer to in passage 2a the statutory auditor shall additionally confirm whether particular item of the balance sheet and the profit and loss account konto refer to in passage 2a include in the additional information meet the requirement refer to in passage 2a\n", + "w sprawozdanie z badanie sprawozdanie o któ rym mowa w ust 2a biegły rewident powinien dodatkowo stwierdzić czy zamieszczone w informacja dodatkowy odpowiedni pozycja bilans oraz rachunek zysk i strata o których mowa w ust 2a spełniać wymóg o których mowa w ust 2a\n", + "=====================================================================\n", + "[('account', 100.0, 25), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "in the report from the audit of the statement refer to in passage 2a the statutory auditor shall additionally confirm whether particular item of the balance sheet and the profit and loss account refer to in passage 2a include in the additional information meet the requirement refer to in passage 2a\n", + "in the report from the audit of the statement refer to in passage 2a the statutory auditor shall additionally confirm whether particular item of the balance sheet and the profit and loss account konto refer to in passage 2a include in the additional information meet the requirement refer to in passage 2a\n", + "w sprawozdanie z badanie sprawozdanie o któ rym mowa w ust 2a biegły rewident powinien dodatkowo stwierdzić czy zamieszczone w informacja dodatkowy odpowiedni pozycja bilans oraz rachunek zysk i strata o których mowa w ust 2a spełniać wymóg o których mowa w ust 2a\n", + "=====================================================================\n", + "[('account', 100.0, 57), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "in the report from the audit of the statement refer to in passage 2a the statutory auditor shall additionally confirm whether particular item of the balance sheet and the profit and loss account refer to in passage 2a include in the additional information meet the requirement refer to in passage 2a\n", + "in the report from the audit of the statement refer to in passage 2a the statutory auditor shall additionally confirm whether particular item of the balance sheet and the profit and loss account konto refer to in passage 2a include in the additional information meet the requirement refer to in passage 2a\n", + "w sprawozdanie z badanie sprawozdanie o któ rym mowa w ust 2a biegły rewident powinien dodatkowo stwierdzić czy zamieszczone w informacja dodatkowy odpowiedni pozycja bilans oraz rachunek zysk i strata o których mowa w ust 2a spełniać wymóg o których mowa w ust 2a\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "in the report from the audit of the statement refer to in passage 2a the statutory auditor shall additionally confirm whether particular item of the balance sheet and the profit and loss account refer to in passage 2a include in the additional information meet the requirement refer to in passage 2a\n", + "in the report from the audit badanie sprawozdania finansowego of the statement refer to in passage 2a the statutory auditor shall additionally confirm whether particular item of the balance sheet and the profit and loss account refer to in passage 2a include in the additional information meet the requirement refer to in passage 2a\n", + "w sprawozdanie z badanie sprawozdanie o któ rym mowa w ust 2a biegły rewident powinien dodatkowo stwierdzić czy zamieszczone w informacja dodatkowy odpowiedni pozycja bilans oraz rachunek zysk i strata o których mowa w ust 2a spełniać wymóg o których mowa w ust 2a\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "in the report from the audit of the statement refer to in passage 2a the statutory auditor shall additionally confirm whether particular item of the balance sheet and the profit and loss account refer to in passage 2a include in the additional information meet the requirement refer to in passage 2a\n", + "in the report from the audit biegły rewident of the statement refer to in passage 2a the statutory auditor shall additionally confirm whether particular item of the balance sheet and the profit and loss account refer to in passage 2a include in the additional information meet the requirement refer to in passage 2a\n", + "w sprawozdanie z badanie sprawozdanie o któ rym mowa w ust 2a biegły rewident powinien dodatkowo stwierdzić czy zamieszczone w informacja dodatkowy odpowiedni pozycja bilans oraz rachunek zysk i strata o których mowa w ust 2a spełniać wymóg o których mowa w ust 2a\n", + "=====================================================================\n", + "[('company', 100.0, 245), 100.0, array(['spółka kapitałowa'], dtype=object)]\n", + "nature of relation between the company and joint operation\n", + "nature of relation between the company spółka kapitałowa and joint operation\n", + "charakter powiązanie pomiędzy spółka a wspólny działanie\n", + "=====================================================================\n", + "[('account', 100.0, 13), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the accounting policy apply in the preparation of the attach financial statement be consistent with those apply in the preparation of the financial statement of the company for the year end 31 december 2016 except for the below amendment\n", + "the accounting konto policy apply in the preparation of the attach financial statement be consistent with those apply in the preparation of the financial statement of the company for the year end 31 december 2016 except for the below amendment\n", + "zasada polityka rachunkowość zastosowany do sporządzenia niniejszy sprawozdanie finansowy są spójny z tymi które zastosować przy sporządzaniu sprawozdanie finansowy spółka za rok zakończony 31 grudzień 2016 rok za wyjątek przedstawionych poniżej\n", + "=====================================================================\n", + "[('account', 100.0, 25), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the accounting policy apply in the preparation of the attach financial statement be consistent with those apply in the preparation of the financial statement of the company for the year end 31 december 2016 except for the below amendment\n", + "the accounting konto policy apply in the preparation of the attach financial statement be consistent with those apply in the preparation of the financial statement of the company for the year end 31 december 2016 except for the below amendment\n", + "zasada polityka rachunkowość zastosowany do sporządzenia niniejszy sprawozdanie finansowy są spójny z tymi które zastosować przy sporządzaniu sprawozdanie finansowy spółka za rok zakończony 31 grudzień 2016 rok za wyjątek przedstawionych poniżej\n", + "=====================================================================\n", + "[('accounting policy', 100.0, 45), 54.54545454545455, array(['zasady rachunkowości'], dtype=object)]\n", + "the accounting policy apply in the preparation of the attach financial statement be consistent with those apply in the preparation of the financial statement of the company for the year end 31 december 2016 except for the below amendment\n", + "the accounting policy zasady rachunkowości apply in the preparation of the attach financial statement be consistent with those apply in the preparation of the financial statement of the company for the year end 31 december 2016 except for the below amendment\n", + "zasada polityka rachunkowość zastosowany do sporządzenia niniejszy sprawozdanie finansowy są spójny z tymi które zastosować przy sporządzaniu sprawozdanie finansowy spółka za rok zakończony 31 grudzień 2016 rok za wyjątek przedstawionych poniżej\n", + "=====================================================================\n", + "[('account', 100.0, 57), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the accounting policy apply in the preparation of the attach financial statement be consistent with those apply in the preparation of the financial statement of the company for the year end 31 december 2016 except for the below amendment\n", + "the accounting konto policy apply in the preparation of the attach financial statement be consistent with those apply in the preparation of the financial statement of the company for the year end 31 december 2016 except for the below amendment\n", + "zasada polityka rachunkowość zastosowany do sporządzenia niniejszy sprawozdanie finansowy są spójny z tymi które zastosować przy sporządzaniu sprawozdanie finansowy spółka za rok zakończony 31 grudzień 2016 rok za wyjątek przedstawionych poniżej\n", + "=====================================================================\n", + "[('company', 100.0, 245), 66.66666666666666, array(['spółka kapitałowa'], dtype=object)]\n", + "the accounting policy apply in the preparation of the attach financial statement be consistent with those apply in the preparation of the financial statement of the company for the year end 31 december 2016 except for the below amendment\n", + "the accounting policy apply in the preparation of the attach financial statement be consistent with those apply in the preparation of the financial statement of the company spółka kapitałowa for the year end 31 december 2016 except for the below amendment\n", + "zasada polityka rachunkowość zastosowany do sporządzenia niniejszy sprawozdanie finansowy są spójny z tymi które zastosować przy sporządzaniu sprawozdanie finansowy spółka za rok zakończony 31 grudzień 2016 rok za wyjątek przedstawionych poniżej\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 66.66666666666666, array(['aktywa'], dtype=object)]\n", + "asset under construction be not depreciate until complete and bring into use\n", + "asset aktywa under construction be not depreciate until complete and bring into use\n", + "środek trwały w budowa nie podlegać amortyzacja do czas zakończenie budowa i przekazania środek trwały do używanie\n", + "=====================================================================\n", + "[('cap', 100.0, 178), 66.66666666666666, array(['dyplomowany księgowy'], dtype=object)]\n", + "capital include convertible preference share equity attributable to equity holder of the parent less net unrealised gain reserve\n", + "capital dyplomowany księgowy include convertible preference share equity attributable to equity holder of the parent less net unrealised gain reserve\n", + "kapitała obejmować zamienny akcja uprzywilejowany kapitała własny należny akcjonariusz jednostka dominujący pomniejszony o kapitała rezerwowy z tytuł niezrealizowanych zysk netto\n", + "=====================================================================\n", + "[('equity', 100.0, 460), 57.142857142857146, array(['kapitał własny'], dtype=object)]\n", + "capital include convertible preference share equity attributable to equity holder of the parent less net unrealised gain reserve\n", + "capital include convertible preference share equity kapitał własny attributable to equity holder of the parent less net unrealised gain reserve\n", + "kapitała obejmować zamienny akcja uprzywilejowany kapitała własny należny akcjonariusz jednostka dominujący pomniejszony o kapitała rezerwowy z tytuł niezrealizowanych zysk netto\n", + "=====================================================================\n", + "[('unrealised gain', 100.0, 1152), 55.172413793103445, array(['niezrealizowane zyski'], dtype=object)]\n", + "capital include convertible preference share equity attributable to equity holder of the parent less net unrealised gain reserve\n", + "capital include convertible preference share equity attributable to equity holder of the parent less net unrealised gain niezrealizowane zyski reserve\n", + "kapitała obejmować zamienny akcja uprzywilejowany kapitała własny należny akcjonariusz jednostka dominujący pomniejszony o kapitała rezerwowy z tytuł niezrealizowanych zysk netto\n", + "=====================================================================\n", + "[('capital gain', 90.9090909090909, 190), 63.1578947368421, array(['zysk kapitałowy'], dtype=object)]\n", + "capital include convertible preference share equity attributable to equity holder of the parent less net unrealised gain reserve\n", + "capital include zysk kapitałowy convertible preference share equity attributable to equity holder of the parent less net unrealised gain reserve\n", + "kapitała obejmować zamienny akcja uprzywilejowany kapitała własny należny akcjonariusz jednostka dominujący pomniejszony o kapitała rezerwowy z tytuł niezrealizowanych zysk netto\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 50.0, array(['aktywa'], dtype=object)]\n", + "prepayment be recognize in accordance with the character of the underlie asset i e\n", + "prepayment be recognize in accordance with the character of the underlie asset aktywa i e\n", + "zaliczka są prezentowane zgodnie z charakter aktywa do jakich się odnosić odpowiednio jako aktywa trwały lub obrotowy\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 50.0, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "prepayment be recognize in accordance with the character of the underlie asset i e\n", + "prepayment be recognize koszty sprzedanych produktów, towarów i materiałów in accordance with the character of the underlie asset i e\n", + "zaliczka są prezentowane zgodnie z charakter aktywa do jakich się odnosić odpowiednio jako aktywa trwały lub obrotowy\n", + "=====================================================================\n", + "[('prepayment', 100.0, 884), 70.58823529411765, array(['rozliczenia międzyokresowe kosztów,'], dtype=object)]\n", + "prepayment be recognize in accordance with the character of the underlie asset i e\n", + "prepayment rozliczenia międzyokresowe kosztów, be recognize in accordance with the character of the underlie asset i e\n", + "zaliczka są prezentowane zgodnie z charakter aktywa do jakich się odnosić odpowiednio jako aktywa trwały lub obrotowy\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 57.142857142857146, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the national assembly of statutory auditors shall consist of delegate select by general meeting in the regional branch of the polish chamber of statutory auditors proportionally to the number of the statutory auditor enter in the register accord to the principle specify by the national council of statutory auditors provide that the total number of delegate shall not be small than 2 of the statutory auditor enter in the register\n", + "the national assembly of statutory auditors badanie sprawozdania finansowego shall consist of delegate select by general meeting in the regional branch of the polish chamber of statutory auditors proportionally to the number of the statutory auditor enter in the register accord to the principle specify by the national council of statutory auditors provide that the total number of delegate shall not be small than 2 of the statutory auditor enter in the register\n", + "krajowy zjazd biegły rewident stanowić delegat wybrany przez walny zgromadzenie w regionalny od działo polski izba biegły rewident w liczba proporcjonalny do liczba biegły rewident wpisanych do reja stru zgodnie z zasada określony przez krajowy rada biegły rewident z tym że łączny liczba delegat nie móc być mały niż 2 biegły rewident wpisanych do rejestr\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 57.142857142857146, array(['biegły rewident'], dtype=object)]\n", + "the national assembly of statutory auditors shall consist of delegate select by general meeting in the regional branch of the polish chamber of statutory auditors proportionally to the number of the statutory auditor enter in the register accord to the principle specify by the national council of statutory auditors provide that the total number of delegate shall not be small than 2 of the statutory auditor enter in the register\n", + "the national assembly of statutory auditors biegły rewident shall consist of delegate select by general meeting in the regional branch of the polish chamber of statutory auditors proportionally to the number of the statutory auditor enter in the register accord to the principle specify by the national council of statutory auditors provide that the total number of delegate shall not be small than 2 of the statutory auditor enter in the register\n", + "krajowy zjazd biegły rewident stanowić delegat wybrany przez walny zgromadzenie w regionalny od działo polski izba biegły rewident w liczba proporcjonalny do liczba biegły rewident wpisanych do reja stru zgodnie z zasada określony przez krajowy rada biegły rewident z tym że łączny liczba delegat nie móc być mały niż 2 biegły rewident wpisanych do rejestr\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the statutory auditor and the audit firm shall keep all information and document that they access during the financial audit confidential\n", + "the statutory auditor badanie sprawozdania finansowego and the audit firm shall keep all information and document that they access during the financial audit confidential\n", + "biegły rewident oraz firma audytorski są obowiązany zachować w tajemnica wszystkie informacja i do kumenty do których mieć dostęp w trakt wykonywania czynność rewizja finansowy\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "the statutory auditor and the audit firm shall keep all information and document that they access during the financial audit confidential\n", + "the statutory auditor biegły rewident and the audit firm shall keep all information and document that they access during the financial audit confidential\n", + "biegły rewident oraz firma audytorski są obowiązany zachować w tajemnica wszystkie informacja i do kumenty do których mieć dostęp w trakt wykonywania czynność rewizja finansowy\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 50.0, array(['aktywa'], dtype=object)]\n", + "financial asset at fair value through oci\n", + "financial asset aktywa at fair value through oci\n", + "aktywa finansowy wyceniane w wartość godziwy przez inny całkowity dochód\n", + "=====================================================================\n", + "[('fair value', 100.0, 497), 42.857142857142854, array(['wartość godziwa'], dtype=object)]\n", + "financial asset at fair value through oci\n", + "financial asset at fair value wartość godziwa through oci\n", + "aktywa finansowy wyceniane w wartość godziwy przez inny całkowity dochód\n", + "=====================================================================\n", + "[('financial asset', 100.0, 514), 57.142857142857146, array(['aktywa finansowe'], dtype=object)]\n", + "financial asset at fair value through oci\n", + "financial asset aktywa finansowe at fair value through oci\n", + "aktywa finansowy wyceniane w wartość godziwy przez inny całkowity dochód\n", + "=====================================================================\n", + "[('par value', 88.88888888888889, 850), 46.15384615384615, array(['wartość nominalna'], dtype=object)]\n", + "financial asset at fair value through oci\n", + "financial asset at fair value wartość nominalna through oci\n", + "aktywa finansowy wyceniane w wartość godziwy przez inny całkowity dochód\n", + "=====================================================================\n", + "[('aca', 100.0, 1), 66.66666666666666, array(['członek stowarzyszenia dyplomowanych biegłych rewidentów'],\n", + " dtype=object)]\n", + "such balance between supply and demand result in a healthy vacancy rate in poland\n", + "such balance between supply and demand result in a członek stowarzyszenia dyplomowanych biegłych rewidentów healthy vacancy rate in poland\n", + "równowaga pomiędzy nowy podażą i popyt na biuro pozytywnie wpływać na poziom pustostan w kraj\n", + "=====================================================================\n", + "[('balance', 100.0, 136), 50.0, array(['saldo'], dtype=object)]\n", + "such balance between supply and demand result in a healthy vacancy rate in poland\n", + "such balance saldo between supply and demand result in a healthy vacancy rate in poland\n", + "równowaga pomiędzy nowy podażą i popyt na biuro pozytywnie wpływać na poziom pustostan w kraj\n", + "=====================================================================\n", + "[('ema', 100.0, 410), 66.66666666666666, array(['rachunkowość zarządcza ochrony środowiska'], dtype=object)]\n", + "such balance between supply and demand result in a healthy vacancy rate in poland\n", + "such balance between supply and demand rachunkowość zarządcza ochrony środowiska result in a healthy vacancy rate in poland\n", + "równowaga pomiędzy nowy podażą i popyt na biuro pozytywnie wpływać na poziom pustostan w kraj\n", + "=====================================================================\n", + "[('allocation', 88.88888888888889, 83), 100.0, array(['rozliczanie'], dtype=object)]\n", + "location with at least 100 center also include kraków 195 wrocław 154 and the tri city 135\n", + "location rozliczanie with at least 100 center also include kraków 195 wrocław 154 and the tri city 135\n", + "w groń ośrodek skupiających co mało 100 centrum znajdywać się również kraka 195 wrocław 154 i trójmiasto 135\n", + "=====================================================================\n", + "[('comprehensive income', 100.0, 253), 40.0, array(['zysk całkowity'], dtype=object)]\n", + "other comprehensive income\n", + "other comprehensive zysk całkowity income\n", + "inny całkowity dochód\n", + "=====================================================================\n", + "[('income', 100.0, 638), 66.66666666666666, array(['zysk'], dtype=object)]\n", + "other comprehensive income\n", + "other comprehensive zysk income\n", + "inny całkowity dochód\n", + "=====================================================================\n", + "[('fee income', 88.88888888888889, 500), 40.0, array(['przychody z opłat'], dtype=object)]\n", + "other comprehensive income\n", + "other comprehensive przychody z opłat income\n", + "inny całkowity dochód\n", + "=====================================================================\n", + "[('company', 100.0, 245), 61.53846153846154, array(['spółka kapitałowa'], dtype=object)]\n", + "all the growth on the supply side of the market be a result of the great interest in łódź from both local and international company\n", + "all the growth on the supply side of the market be a spółka kapitałowa result of the great interest in łódź from both local and international company\n", + "stały zwiększanie zasób biurowy łódź jest rezultat silny zainteresowanie miasto z strona zarówno międzynarodowy jak i lokalny firma\n", + "=====================================================================\n", + "[('interest', 100.0, 664), 100.0, array(['odsetki'], dtype=object)]\n", + "all the growth on the supply side of the market be a result of the great interest in łódź from both local and international company\n", + "all the growth on the supply side of the market be a result of the great interest odsetki in łódź from both local and international company\n", + "stały zwiększanie zasób biurowy łódź jest rezultat silny zainteresowanie miasto z strona zarówno międzynarodowy jak i lokalny firma\n", + "=====================================================================\n", + "[('ombudsperson', 100.0, 801), 60.0, array(['rzecznik'], dtype=object)]\n", + "the national disciplinary ombudsperson shall be independent with regard to performance of his her task throughout the disciplinary proceeding and shall act in accordance with legal regulation national professional standard and principle of professional ethic\n", + "the national disciplinary ombudsperson rzecznik shall be independent with regard to performance of his her task throughout the disciplinary proceeding and shall act in accordance with legal regulation national professional standard and principle of professional ethic\n", + "krajowy rzecznik dyscyplinarny jest niezależny w zakres realizowania zadanie w tok postępowanie dyscyplinar nego i podlegać przepis prawo krajowy standard wykonywania zawód oraz zasada etyka zawodowy\n", + "=====================================================================\n", + "[('weight average cost inventory', 100.0, 1174), 0, array(['średni ważony koszt wytworzenia zapasów'], dtype=object)]\n", + "weight average\n", + "weight average średni ważony koszt wytworzenia zapasów \n", + "średni ważona\n", + "=====================================================================\n", + "[('define benefit plan', 100.0, 369), 37.5, array(['program określonych świadczeń'], dtype=object)]\n", + "impact on liability from define benefit plan\n", + "impact on liability from define benefit program określonych świadczeń plan\n", + "wpływ na zobowiązanie z tytuł określony świadczenie\n", + "=====================================================================\n", + "[('liability', 100.0, 716), 57.142857142857146, array(['zobowiązania'], dtype=object)]\n", + "impact on liability from define benefit plan\n", + "impact on liability zobowiązania from define benefit plan\n", + "wpływ na zobowiązanie z tytuł określony świadczenie\n", + "=====================================================================\n", + "[('aca', 100.0, 1), 66.66666666666666, array(['członek stowarzyszenia dyplomowanych biegłych rewidentów'],\n", + " dtype=object)]\n", + "a significant increase decrease in the estimate vacancy ratio with no accounting for the impact of other factor would result in a significant decrease increase in re measurement to fair value\n", + "a członek stowarzyszenia dyplomowanych biegłych rewidentów significant increase decrease in the estimate vacancy ratio with no accounting for the impact of other factor would result in a significant decrease increase in re measurement to fair value\n", + "istotny wzrost spadek w poziom zakładanego wskaźnik powierzchnia niewynajętej bez uwzględnienie wpływ inny czynnik skutkować znaczny spadek wzrost wycena do wartość godziwy\n", + "=====================================================================\n", + "[('account', 100.0, 13), 50.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "a significant increase decrease in the estimate vacancy ratio with no accounting for the impact of other factor would result in a significant decrease increase in re measurement to fair value\n", + "a konto significant increase decrease in the estimate vacancy ratio with no accounting for the impact of other factor would result in a significant decrease increase in re measurement to fair value\n", + "istotny wzrost spadek w poziom zakładanego wskaźnik powierzchnia niewynajętej bez uwzględnienie wpływ inny czynnik skutkować znaczny spadek wzrost wycena do wartość godziwy\n", + "=====================================================================\n", + "[('account', 100.0, 25), 50.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "a significant increase decrease in the estimate vacancy ratio with no accounting for the impact of other factor would result in a significant decrease increase in re measurement to fair value\n", + "a konto significant increase decrease in the estimate vacancy ratio with no accounting for the impact of other factor would result in a significant decrease increase in re measurement to fair value\n", + "istotny wzrost spadek w poziom zakładanego wskaźnik powierzchnia niewynajętej bez uwzględnienie wpływ inny czynnik skutkować znaczny spadek wzrost wycena do wartość godziwy\n", + "=====================================================================\n", + "[('account', 100.0, 57), 50.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "a significant increase decrease in the estimate vacancy ratio with no accounting for the impact of other factor would result in a significant decrease increase in re measurement to fair value\n", + "a konto significant increase decrease in the estimate vacancy ratio with no accounting for the impact of other factor would result in a significant decrease increase in re measurement to fair value\n", + "istotny wzrost spadek w poziom zakładanego wskaźnik powierzchnia niewynajętej bez uwzględnienie wpływ inny czynnik skutkować znaczny spadek wzrost wycena do wartość godziwy\n", + "=====================================================================\n", + "[('fair value', 100.0, 497), 40.0, array(['wartość godziwa'], dtype=object)]\n", + "a significant increase decrease in the estimate vacancy ratio with no accounting for the impact of other factor would result in a significant decrease increase in re measurement to fair value\n", + "a significant increase decrease in the estimate vacancy ratio with no accounting for the impact of other factor would result in a significant decrease increase in re measurement to fair wartość godziwa value\n", + "istotny wzrost spadek w poziom zakładanego wskaźnik powierzchnia niewynajętej bez uwzględnienie wpływ inny czynnik skutkować znaczny spadek wzrost wycena do wartość godziwy\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the audit firm remove from the list for the reason mention in passage 1 item 1 may renew its entry in the list should the condition refer to in article 57 passage 4 be meet 4\n", + "the audit badanie sprawozdania finansowego firm remove from the list for the reason mention in passage 1 item 1 may renew its entry in the list should the condition refer to in article 57 passage 4 be meet 4\n", + "firma audytorski skreślona z lista z przyczyna o której mowa w ust 1 pkt 1 móc być ponownie wpisana na lista jeżeli spełniać warunek o których mowa w art 57 ust 4 4\n", + "=====================================================================\n", + "[('liability', 88.88888888888889, 716), 66.66666666666666, array(['zobowiązania'], dtype=object)]\n", + "prime headline rent in katowice be historically stable but recently due to the limited availability of option on the market there have be pressure on rental level\n", + "prime headline rent in katowice be historically stable but recently due to the limited availability zobowiązania of option on the market there have be pressure on rental level\n", + "wysoki czynsze transakcyjny w katowice były relatywnie stabilny w ostatni rok ale z wzgląd na niski dostępność opcja najem w miasto ostatnio pozostawać pod presja zwyżkowy\n", + "=====================================================================\n", + "[('company', 100.0, 245), 66.66666666666666, array(['spółka kapitałowa'], dtype=object)]\n", + "functional and presentation currency polish zloty be the presentation currency of the consolidated financial statement of the group and be also the functional currency of the parent company\n", + "functional and spółka kapitałowa presentation currency polish zloty be the presentation currency of the consolidated financial statement of the group and be also the functional currency of the parent company\n", + "waluta funkcjonalny i waluta sprawozdanie finansowy skonsolidowane sprawozdanie finansowy grupa zostały przedstawione w pln które być również waluta funkcjonalny jednostka dominujący odpowiednio dostosować\n", + "=====================================================================\n", + "[('financial statement', 100.0, 526), 62.5, array(['sprawozdanie finansowe'], dtype=object)]\n", + "functional and presentation currency polish zloty be the presentation currency of the consolidated financial statement of the group and be also the functional currency of the parent company\n", + "functional and presentation currency polish zloty be the presentation currency of the consolidated financial statement sprawozdanie finansowe of the group and be also the functional currency of the parent company\n", + "waluta funkcjonalny i waluta sprawozdanie finansowy skonsolidowane sprawozdanie finansowy grupa zostały przedstawione w pln które być również waluta funkcjonalny jednostka dominujący odpowiednio dostosować\n", + "=====================================================================\n", + "[('functional currency', 100.0, 555), 72.0, array(['waluta funkcjonalna'], dtype=object)]\n", + "functional and presentation currency polish zloty be the presentation currency of the consolidated financial statement of the group and be also the functional currency of the parent company\n", + "functional and presentation currency polish zloty be the presentation currency of the consolidated financial statement of the group and be also the functional currency waluta funkcjonalna of the parent company\n", + "waluta funkcjonalny i waluta sprawozdanie finansowy skonsolidowane sprawozdanie finansowy grupa zostały przedstawione w pln które być również waluta funkcjonalny jednostka dominujący odpowiednio dostosować\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "functional and presentation currency polish zloty be the presentation currency of the consolidated financial statement of the group and be also the functional currency of the parent company\n", + "functional and presentation currency polish zloty be the presentation currency of the consolidated financial statement of the group grupa kapitałowa and be also the functional currency of the parent company\n", + "waluta funkcjonalny i waluta sprawozdanie finansowy skonsolidowane sprawozdanie finansowy grupa zostały przedstawione w pln które być również waluta funkcjonalny jednostka dominujący odpowiednio dostosować\n", + "=====================================================================\n", + "[('ema', 100.0, 410), 66.66666666666666, array(['rachunkowość zarządcza ochrony środowiska'], dtype=object)]\n", + "overview of the business service sector 44 business services sector in poland 2018 other characteristics of the industry 52 proportion of female employee in the business service center analyze\n", + "overview of the business service sector 44 business services sector in poland 2018 other characteristics of the industry 52 proportion of female rachunkowość zarządcza ochrony środowiska employee in the business service center analyze\n", + "charakterystyka sektor usługi biznesowy 44 sektor nowoczesny usługi biznesowy w polska 2018 pozostałe charakterystyka branżowe 52 udział kobieta w struktura zatrudnienie analizowanych centrum usługi\n", + "=====================================================================\n", + "[('vie', 100.0, 1157), 80.0, array(['podmiot o zmiennych udziałach'], dtype=object)]\n", + "overview of the business service sector 44 business services sector in poland 2018 other characteristics of the industry 52 proportion of female employee in the business service center analyze\n", + "overview podmiot o zmiennych udziałach of the business service sector 44 business services sector in poland 2018 other characteristics of the industry 52 proportion of female employee in the business service center analyze\n", + "charakterystyka sektor usługi biznesowy 44 sektor nowoczesny usługi biznesowy w polska 2018 pozostałe charakterystyka branżowe 52 udział kobieta w struktura zatrudnienie analizowanych centrum usługi\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 60.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "our responsibility in accordance with the act on statutory auditors be to issue an opinion on whether the director s report be prepare in accordance with relevant law and that it be consistent with the information contain in the accompany consolidated financial statement\n", + "our responsibility in accordance with the act on statutory auditors badanie sprawozdania finansowego be to issue an opinion on whether the director s report be prepare in accordance with relevant law and that it be consistent with the information contain in the accompany consolidated financial statement\n", + "naszym obowiązek zgodnie z wymóg ustawa o biegły rewident było wydanie opinia czy sprawozdanie z działalność grupa kapitałowy zostało sporządzone zgodnie z przepis prawo oraz że jest on zgodny z informacja zawartymi w załączonym skonsolidowanym sprawozdanie finansowy\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "our responsibility in accordance with the act on statutory auditors be to issue an opinion on whether the director s report be prepare in accordance with relevant law and that it be consistent with the information contain in the accompany consolidated financial statement\n", + "our responsibility in accordance with the act on statutory auditors biegły rewident be to issue an opinion on whether the director s report be prepare in accordance with relevant law and that it be consistent with the information contain in the accompany consolidated financial statement\n", + "naszym obowiązek zgodnie z wymóg ustawa o biegły rewident było wydanie opinia czy sprawozdanie z działalność grupa kapitałowy zostało sporządzone zgodnie z przepis prawo oraz że jest on zgodny z informacja zawartymi w załączonym skonsolidowanym sprawozdanie finansowy\n", + "=====================================================================\n", + "[('company', 100.0, 245), 100.0, array(['spółka kapitałowa'], dtype=object)]\n", + "our responsibility in accordance with the act on statutory auditors be to issue an opinion on whether the director s report be prepare in accordance with relevant law and that it be consistent with the information contain in the accompany consolidated financial statement\n", + "our responsibility in accordance with the act on statutory auditors be to issue an spółka kapitałowa opinion on whether the director s report be prepare in accordance with relevant law and that it be consistent with the information contain in the accompany consolidated financial statement\n", + "naszym obowiązek zgodnie z wymóg ustawa o biegły rewident było wydanie opinia czy sprawozdanie z działalność grupa kapitałowy zostało sporządzone zgodnie z przepis prawo oraz że jest on zgodny z informacja zawartymi w załączonym skonsolidowanym sprawozdanie finansowy\n", + "=====================================================================\n", + "[('financial statement', 100.0, 526), 50.0, array(['sprawozdanie finansowe'], dtype=object)]\n", + "our responsibility in accordance with the act on statutory auditors be to issue an opinion on whether the director s report be prepare in accordance with relevant law and that it be consistent with the information contain in the accompany consolidated financial statement\n", + "our responsibility in accordance with the act on statutory auditors be to issue an opinion on whether the director s report be prepare in accordance with relevant law and that it be consistent with the information contain in the accompany consolidated financial sprawozdanie finansowe statement\n", + "naszym obowiązek zgodnie z wymóg ustawa o biegły rewident było wydanie opinia czy sprawozdanie z działalność grupa kapitałowy zostało sporządzone zgodnie z przepis prawo oraz że jest on zgodny z informacja zawartymi w załączonym skonsolidowanym sprawozdanie finansowy\n", + "=====================================================================\n", + "[('report', 100.0, 963), 100.0, array(['sprawozdawczość'], dtype=object)]\n", + "our responsibility in accordance with the act on statutory auditors be to issue an opinion on whether the director s report be prepare in accordance with relevant law and that it be consistent with the information contain in the accompany consolidated financial statement\n", + "our responsibility in accordance with the act on statutory auditors be to issue an opinion on whether the director s report sprawozdawczość be prepare in accordance with relevant law and that it be consistent with the information contain in the accompany consolidated financial statement\n", + "naszym obowiązek zgodnie z wymóg ustawa o biegły rewident było wydanie opinia czy sprawozdanie z działalność grupa kapitałowy zostało sporządzone zgodnie z przepis prawo oraz że jest on zgodny z informacja zawartymi w załączonym skonsolidowanym sprawozdanie finansowy\n", + "=====================================================================\n", + "[('sac', 100.0, 993), 66.66666666666666, array(['komisje doradcze ds. standardów'], dtype=object)]\n", + "description of restructure activity or other transaction that take place in the give year or will take place in the nearby future that we be aware of\n", + "description of restructure activity or other transaction komisje doradcze ds. standardów that take place in the give year or will take place in the nearby future that we be aware of\n", + "miejsce na opis podjętych działanie restrukturyzacyjny lub inny transakcja nawiązać do konkretny transakcja które mieć miejsce w spółce w badany okres lub które być mieć miejsce w daleki przyszłość o których posiadać już wiedza\n", + "=====================================================================\n", + "[('transaction', 100.0, 1125), 100.0, array(['transakcja'], dtype=object)]\n", + "description of restructure activity or other transaction that take place in the give year or will take place in the nearby future that we be aware of\n", + "description of restructure activity or other transaction transakcja that take place in the give year or will take place in the nearby future that we be aware of\n", + "miejsce na opis podjętych działanie restrukturyzacyjny lub inny transakcja nawiązać do konkretny transakcja które mieć miejsce w spółce w badany okres lub które być mieć miejsce w daleki przyszłość o których posiadać już wiedza\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 33.33333333333333, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "appointment of the audit firm\n", + "appointment of the audit badanie sprawozdania finansowego firm\n", + "wybór firma audytorski\n", + "=====================================================================\n", + "[('company', 100.0, 245), 66.66666666666666, array(['spółka kapitałowa'], dtype=object)]\n", + "in general the structure of employment at foreign center be much more even whereas polish company be dominate by commercial service provider outsourcing center 90 share\n", + "in general the structure of employment at foreign center be much more even whereas polish company spółka kapitałowa be dominate by commercial service provider outsourcing center 90 share\n", + "generalnie struktura zatrudnienie centrum zagranicz nych jest zdecydowanie bardzo wyrównany podczas gdy w przypadek firma polski dominować komercyjny dostawca usługi centrum outsourcing 90 udział\n", + "=====================================================================\n", + "[('ema', 100.0, 410), 66.66666666666666, array(['rachunkowość zarządcza ochrony środowiska'], dtype=object)]\n", + "the rate be expect to decrease in the next few year as a result of strong demand for office space and the moderate amount of construction activity in poznań\n", + "the rate be expect to decrease in the next few year as a rachunkowość zarządcza ochrony środowiska result of strong demand for office space and the moderate amount of construction activity in poznań\n", + "w perspektywa bliski rok spodziewany jest daleki stabilizacja lub nawet spadek wskaźnik pustostan w poznań z wzgląd na silny popyt oraz umiarkowany aktywność budow laną\n", + "=====================================================================\n", + "[('note', 100.0, 791), 85.71428571428571, array(['informacja dodatkowa'], dtype=object)]\n", + "the note can be prepare with regard to those test question or situational task for which the candidate di not obtain the maximum number of point\n", + "the note informacja dodatkowa can be prepare with regard to those test question or situational task for which the candidate di not obtain the maximum number of point\n", + "notatka można sporządzać odnośnie do tych pytanie testowy lub zadanie sytuacyjny za które kandydat nie uzyskać maksymalny liczba punkt\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "member of the audit oversight commission can mutually exchange information or document include those protect on the basis of separate regulation insofar as it be necessary for proper implementation of public oversight objective by the audit oversight commission\n", + "member of the audit badanie sprawozdania finansowego oversight commission can mutually exchange information or document include those protect on the basis of separate regulation insofar as it be necessary for proper implementation of public oversight objective by the audit oversight commission\n", + "członek komisja nadzór audytowy móc dokonywać wzajemny wymiana informacja lub dokument w tym chronionych na podstawa odrębny przepis w zakres zbędny do prawidłowy realizacja cel nadzór publiczny sprawowanego przez komisja nadzór audytowy\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 66.66666666666666, array(['prowizje'], dtype=object)]\n", + "member of the audit oversight commission can mutually exchange information or document include those protect on the basis of separate regulation insofar as it be necessary for proper implementation of public oversight objective by the audit oversight commission\n", + "member of the audit oversight commission prowizje can mutually exchange information or document include those protect on the basis of separate regulation insofar as it be necessary for proper implementation of public oversight objective by the audit oversight commission\n", + "członek komisja nadzór audytowy móc dokonywać wzajemny wymiana informacja lub dokument w tym chronionych na podstawa odrębny przepis w zakres zbędny do prawidłowy realizacja cel nadzór publiczny sprawowanego przez komisja nadzór audytowy\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 66.66666666666666, array(['nadzór'], dtype=object)]\n", + "member of the audit oversight commission can mutually exchange information or document include those protect on the basis of separate regulation insofar as it be necessary for proper implementation of public oversight objective by the audit oversight commission\n", + "member of the audit oversight nadzór commission can mutually exchange information or document include those protect on the basis of separate regulation insofar as it be necessary for proper implementation of public oversight objective by the audit oversight commission\n", + "członek komisja nadzór audytowy móc dokonywać wzajemny wymiana informacja lub dokument w tym chronionych na podstawa odrębny przepis w zakres zbędny do prawidłowy realizacja cel nadzór publiczny sprawowanego przez komisja nadzór audytowy\n", + "=====================================================================\n", + "[('cash', 100.0, 203), 0, array(['środki pieniężne'], dtype=object)]\n", + "net cash inflow outflow\n", + "net cash środki pieniężne inflow outflow\n", + "wpływy wypływ środki pieniężny netto\n", + "=====================================================================\n", + "[('liability', 100.0, 716), 37.5, array(['zobowiązania'], dtype=object)]\n", + "long term liability\n", + "long zobowiązania term liability\n", + "zobowiązanie długoterminowy\n", + "=====================================================================\n", + "[('reliability', 90.0, 959), 33.33333333333333, array(['wiarygodność'], dtype=object)]\n", + "long term liability\n", + "long term wiarygodność liability\n", + "zobowiązanie długoterminowy\n", + "=====================================================================\n", + "[('revenue', 100.0, 983), 40.0, array(['przychód'], dtype=object)]\n", + "result in a change in revenue diverge from market expectation\n", + "result in a change in revenue przychód diverge from market expectation\n", + "skutkujących zmiana poziom przychód odbiegającego od oczekiwanie rynek\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 50.0, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "change in the fair value of hedge instrument be also recognise in profit or loss\n", + "change in the fair value of hedge instrument be also recognise koszty sprzedanych produktów, towarów i materiałów in profit or loss\n", + "zmiana wartość godziwy instrument zabezpieczający również ujmować się w zysk lub strata\n", + "=====================================================================\n", + "[('fair value', 100.0, 497), 44.44444444444444, array(['wartość godziwa'], dtype=object)]\n", + "change in the fair value of hedge instrument be also recognise in profit or loss\n", + "change in the fair value wartość godziwa of hedge instrument be also recognise in profit or loss\n", + "zmiana wartość godziwy instrument zabezpieczający również ujmować się w zysk lub strata\n", + "=====================================================================\n", + "[('hedge', 100.0, 600), 40.0, array(['transakcje zabezpieczające'], dtype=object)]\n", + "change in the fair value of hedge instrument be also recognise in profit or loss\n", + "change in the fair value of hedge transakcje zabezpieczające instrument be also recognise in profit or loss\n", + "zmiana wartość godziwy instrument zabezpieczający również ujmować się w zysk lub strata\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 50.0, array(['strata'], dtype=object)]\n", + "change in the fair value of hedge instrument be also recognise in profit or loss\n", + "change in the fair value of hedge instrument be also strata recognise in profit or loss\n", + "zmiana wartość godziwy instrument zabezpieczający również ujmować się w zysk lub strata\n", + "=====================================================================\n", + "[('profit', 100.0, 898), 40.0, array(['zysk'], dtype=object)]\n", + "change in the fair value of hedge instrument be also recognise in profit or loss\n", + "change in the fair value of zysk hedge instrument be also recognise in profit or loss\n", + "zmiana wartość godziwy instrument zabezpieczający również ujmować się w zysk lub strata\n", + "=====================================================================\n", + "[('dividend', 100.0, 394), 75.0, array(['dywidenda'], dtype=object)]\n", + "all share rank pari passu as regard dividend payment or return on equity\n", + "all share rank pari passu as regard dividend dywidenda payment or return on equity\n", + "akcja wszystkich seria są jednakowo uprzywilejowany co do dywidenda oraz zwrot z kapitał\n", + "=====================================================================\n", + "[('equity', 100.0, 460), 44.44444444444444, array(['kapitał własny'], dtype=object)]\n", + "all share rank pari passu as regard dividend payment or return on equity\n", + "all share rank pari passu as regard dividend payment kapitał własny or return on equity\n", + "akcja wszystkich seria są jednakowo uprzywilejowany co do dywidenda oraz zwrot z kapitał\n", + "=====================================================================\n", + "[('vat', 100.0, 1156), 50.0, array(['vat'], dtype=object)]\n", + "direct governmental grant for a new investment and or creation of new jobs the program for support investments of major importance to polish economy for 2011 2023 the program which aim to boost the innovativeness and competitiveness of polish economy by support new investment offer in particular grant for the creation of new job in the business service sector\n", + "direct governmental grant for a vat new investment and or creation of new jobs the program for support investments of major importance to polish economy for 2011 2023 the program which aim to boost the innovativeness and competitiveness of polish economy by support new investment offer in particular grant for the creation of new job in the business service sector\n", + "bezpośrednie dotacja budże towe na nową inwestycję i lub utworzenie nowy miejsce praca program wsparcie inwestycja o istotny znaczenie dla gospodarka polski na rok 2011 2023 program w ramy wspierania innowacja ności oraz konkurencyjność gospodarka poprzez wspieranie nowy inwestycja oferować m in dotacja na utworzenie nowy miejsce praca w sektor nowoczesny usługi\n", + "=====================================================================\n", + "[('vie', 100.0, 1157), 100.0, array(['podmiot o zmiennych udziałach'], dtype=object)]\n", + "katowice agglomeration business services sector in poland 2018 overview of the business service sector 21 180 200 220 number of center and structure of new investments warsaw have the large number of business service center in poland 210\n", + "katowice agglomeration business services sector in poland 2018 overview podmiot o zmiennych udziałach of the business service sector 21 180 200 220 number of center and structure of new investments warsaw have the large number of business service center in poland 210\n", + "aglomeracja katowicka sektor nowoczesny usługi biznesowy w polska 2018 charakterystyka sektor usługi biznesowy 21 180 200 220 liczba centrum i struktura nowy inwestycja pod wzgląd liczba centrum usługi pierwszy miejsce w polska zajmować warszawa 210 jednostka\n", + "=====================================================================\n", + "[('account', 100.0, 13), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "when determine the type and the severity of the penalty impose on the audit firm or the person refer to in article 182 passage 2 the follow should be take into account 1 the gravity of a breach and its duration 2 the degree of guilt 3 a financial situation manifest in particular in the amount of the annual revenue or income 4 the amount of profit gain or loss avoid to the extent to which they can be determine 5 the degree of cooperation with the national council of statutory auditors or the audit oversight commission 6 infringement commit so far\n", + "when determine the type and the severity of the penalty impose on the audit firm or the person refer to in article 182 passage 2 the follow should be take into account konto 1 the gravity of a breach and its duration 2 the degree of guilt 3 a financial situation manifest in particular in the amount of the annual revenue or income 4 the amount of profit gain or loss avoid to the extent to which they can be determine 5 the degree of cooperation with the national council of statutory auditors or the audit oversight commission 6 infringement commit so far\n", + "ustalać rodzaj i wymiar kara nakładany na firma audytorski lub osoba o których mowa w art 182 ust 2 uwzględniać się w szczególność 1 waga naruszenie i czas on trwanie 2 stopień przyczynienia się do powstanie naruszenie 3 sytuacja finansowy wyrażającą się w szczególność w wysokość roczny przychód lub dochód 4 kwota zysk osiągniętych lub strata unikniętych w zakres w jakim można on ustalić 5 stopień współpraca z krajowy rada biegły rewident lub komisja nadzór audytowy 6 popełnione dotychczas naruszenie\n", + "=====================================================================\n", + "[('account', 100.0, 25), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "when determine the type and the severity of the penalty impose on the audit firm or the person refer to in article 182 passage 2 the follow should be take into account 1 the gravity of a breach and its duration 2 the degree of guilt 3 a financial situation manifest in particular in the amount of the annual revenue or income 4 the amount of profit gain or loss avoid to the extent to which they can be determine 5 the degree of cooperation with the national council of statutory auditors or the audit oversight commission 6 infringement commit so far\n", + "when determine the type and the severity of the penalty impose on the audit firm or the person refer to in article 182 passage 2 the follow should be take into account konto 1 the gravity of a breach and its duration 2 the degree of guilt 3 a financial situation manifest in particular in the amount of the annual revenue or income 4 the amount of profit gain or loss avoid to the extent to which they can be determine 5 the degree of cooperation with the national council of statutory auditors or the audit oversight commission 6 infringement commit so far\n", + "ustalać rodzaj i wymiar kara nakładany na firma audytorski lub osoba o których mowa w art 182 ust 2 uwzględniać się w szczególność 1 waga naruszenie i czas on trwanie 2 stopień przyczynienia się do powstanie naruszenie 3 sytuacja finansowy wyrażającą się w szczególność w wysokość roczny przychód lub dochód 4 kwota zysk osiągniętych lub strata unikniętych w zakres w jakim można on ustalić 5 stopień współpraca z krajowy rada biegły rewident lub komisja nadzór audytowy 6 popełnione dotychczas naruszenie\n", + "=====================================================================\n", + "[('account', 100.0, 57), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "when determine the type and the severity of the penalty impose on the audit firm or the person refer to in article 182 passage 2 the follow should be take into account 1 the gravity of a breach and its duration 2 the degree of guilt 3 a financial situation manifest in particular in the amount of the annual revenue or income 4 the amount of profit gain or loss avoid to the extent to which they can be determine 5 the degree of cooperation with the national council of statutory auditors or the audit oversight commission 6 infringement commit so far\n", + "when determine the type and the severity of the penalty impose on the audit firm or the person refer to in article 182 passage 2 the follow should be take into account konto 1 the gravity of a breach and its duration 2 the degree of guilt 3 a financial situation manifest in particular in the amount of the annual revenue or income 4 the amount of profit gain or loss avoid to the extent to which they can be determine 5 the degree of cooperation with the national council of statutory auditors or the audit oversight commission 6 infringement commit so far\n", + "ustalać rodzaj i wymiar kara nakładany na firma audytorski lub osoba o których mowa w art 182 ust 2 uwzględniać się w szczególność 1 waga naruszenie i czas on trwanie 2 stopień przyczynienia się do powstanie naruszenie 3 sytuacja finansowy wyrażającą się w szczególność w wysokość roczny przychód lub dochód 4 kwota zysk osiągniętych lub strata unikniętych w zakres w jakim można on ustalić 5 stopień współpraca z krajowy rada biegły rewident lub komisja nadzór audytowy 6 popełnione dotychczas naruszenie\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "when determine the type and the severity of the penalty impose on the audit firm or the person refer to in article 182 passage 2 the follow should be take into account 1 the gravity of a breach and its duration 2 the degree of guilt 3 a financial situation manifest in particular in the amount of the annual revenue or income 4 the amount of profit gain or loss avoid to the extent to which they can be determine 5 the degree of cooperation with the national council of statutory auditors or the audit oversight commission 6 infringement commit so far\n", + "when determine the type and the severity of the penalty impose on the audit badanie sprawozdania finansowego firm or the person refer to in article 182 passage 2 the follow should be take into account 1 the gravity of a breach and its duration 2 the degree of guilt 3 a financial situation manifest in particular in the amount of the annual revenue or income 4 the amount of profit gain or loss avoid to the extent to which they can be determine 5 the degree of cooperation with the national council of statutory auditors or the audit oversight commission 6 infringement commit so far\n", + "ustalać rodzaj i wymiar kara nakładany na firma audytorski lub osoba o których mowa w art 182 ust 2 uwzględniać się w szczególność 1 waga naruszenie i czas on trwanie 2 stopień przyczynienia się do powstanie naruszenie 3 sytuacja finansowy wyrażającą się w szczególność w wysokość roczny przychód lub dochód 4 kwota zysk osiągniętych lub strata unikniętych w zakres w jakim można on ustalić 5 stopień współpraca z krajowy rada biegły rewident lub komisja nadzór audytowy 6 popełnione dotychczas naruszenie\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "when determine the type and the severity of the penalty impose on the audit firm or the person refer to in article 182 passage 2 the follow should be take into account 1 the gravity of a breach and its duration 2 the degree of guilt 3 a financial situation manifest in particular in the amount of the annual revenue or income 4 the amount of profit gain or loss avoid to the extent to which they can be determine 5 the degree of cooperation with the national council of statutory auditors or the audit oversight commission 6 infringement commit so far\n", + "when determine the type and the severity of the penalty impose on the audit biegły rewident firm or the person refer to in article 182 passage 2 the follow should be take into account 1 the gravity of a breach and its duration 2 the degree of guilt 3 a financial situation manifest in particular in the amount of the annual revenue or income 4 the amount of profit gain or loss avoid to the extent to which they can be determine 5 the degree of cooperation with the national council of statutory auditors or the audit oversight commission 6 infringement commit so far\n", + "ustalać rodzaj i wymiar kara nakładany na firma audytorski lub osoba o których mowa w art 182 ust 2 uwzględniać się w szczególność 1 waga naruszenie i czas on trwanie 2 stopień przyczynienia się do powstanie naruszenie 3 sytuacja finansowy wyrażającą się w szczególność w wysokość roczny przychód lub dochód 4 kwota zysk osiągniętych lub strata unikniętych w zakres w jakim można on ustalić 5 stopień współpraca z krajowy rada biegły rewident lub komisja nadzór audytowy 6 popełnione dotychczas naruszenie\n", + "=====================================================================\n", + "[('financial instrument', 100.0, 516), 95.65217391304348, array(['instrumenty finansowe'], dtype=object)]\n", + "in july 2014 the iasb issue the final version of international financial reproting standard 9 financial instruments ifrs 9\n", + "in july 2014 the iasb issue the final version of international financial reproting standard 9 financial instruments instrumenty finansowe ifrs 9\n", + "w lipiec 2014 rok rado międzynarodowy standard rachunkowość opublikować międzynarodowy standard sprawozdawczość finansowy 9 instrument finansowy mssf 9\n", + "=====================================================================\n", + "[('iasb', 100.0, 618), 57.142857142857146, array(['rmsr'], dtype=object)]\n", + "in july 2014 the iasb issue the final version of international financial reproting standard 9 financial instruments ifrs 9\n", + "in july 2014 the iasb rmsr issue the final version of international financial reproting standard 9 financial instruments ifrs 9\n", + "w lipiec 2014 rok rado międzynarodowy standard rachunkowość opublikować międzynarodowy standard sprawozdawczość finansowy 9 instrument finansowy mssf 9\n", + "=====================================================================\n", + "[('ifrs', 100.0, 624), 57.142857142857146, array(['mssf'], dtype=object)]\n", + "in july 2014 the iasb issue the final version of international financial reproting standard 9 financial instruments ifrs 9\n", + "in july 2014 the iasb issue the final version of international financial reproting standard 9 financial instruments ifrs mssf 9\n", + "w lipiec 2014 rok rado międzynarodowy standard rachunkowość opublikować międzynarodowy standard sprawozdawczość finansowy 9 instrument finansowy mssf 9\n", + "=====================================================================\n", + "[('international financial reporting standard', 97.61904761904762, 682), 56.0, array(['międzynarodowe standardy sprawozdawczości finansowej'],\n", + " dtype=object)]\n", + "in july 2014 the iasb issue the final version of international financial reproting standard 9 financial instruments ifrs 9\n", + "in july 2014 the iasb issue the final version of international financial reproting standard międzynarodowe standardy sprawozdawczości finansowej 9 financial instruments ifrs 9\n", + "w lipiec 2014 rok rado międzynarodowy standard rachunkowość opublikować międzynarodowy standard sprawozdawczość finansowy 9 instrument finansowy mssf 9\n", + "=====================================================================\n", + "[('financial reporting', 94.73684210526315, 519), 62.5, array(['sprawozdawczość finansowa'], dtype=object)]\n", + "in july 2014 the iasb issue the final version of international financial reproting standard 9 financial instruments ifrs 9\n", + "in july 2014 the iasb issue the final version of international financial reproting sprawozdawczość finansowa standard 9 financial instruments ifrs 9\n", + "w lipiec 2014 rok rado międzynarodowy standard rachunkowość opublikować międzynarodowy standard sprawozdawczość finansowy 9 instrument finansowy mssf 9\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "follow internal audit guideline\n", + "follow internal audit badanie sprawozdania finansowego guideline\n", + "przestrzeganie wytyczna dotyczących audyt wewnętrzny\n", + "=====================================================================\n", + "[('ombudsperson', 100.0, 801), 100.0, array(['rzecznik'], dtype=object)]\n", + "should the disciplinary investigation provide ground to submit the motion for punishment the national disciplinary ombudsperson within 14 day from the date of conclusion of the disciplinary investigation shall prepare the motion for punishment and file it to the national disciplinary court\n", + "should the disciplinary investigation provide ground to submit the motion for punishment the national disciplinary ombudsperson rzecznik within 14 day from the date of conclusion of the disciplinary investigation shall prepare the motion for punishment and file it to the national disciplinary court\n", + "jeżeli dochodzenie dyscyplinarny dostarczyć podstawa do wniesienia wniosek o ukaranie krajowy rzecz nik dyscyplinarny w termin 14 dzień od dzień zamknięcie dochodzenie dyscyplinarny sporządzać wniosek o ukaranie i wnosić on do krajowy sąd dyscyplinarny\n", + "=====================================================================\n", + "[('company', 100.0, 245), 40.0, array(['spółka kapitałowa'], dtype=object)]\n", + "the company s register office be locate in miejscowość ulica numer\n", + "the company spółka kapitałowa s register office be locate in miejscowość ulica numer\n", + "siedziba spółka mieścić się w miejscowość ulica numer\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "while conduct our audit the key certify auditor and the audit firm remain independent of the company in accordance with the regulation of act on statutory auditors regulation 537 2014 and principle of professional ethic adopt by resolution of the national council of statutory auditors\n", + "while conduct our audit badanie sprawozdania finansowego the key certify auditor and the audit firm remain independent of the company in accordance with the regulation of act on statutory auditors regulation 537 2014 and principle of professional ethic adopt by resolution of the national council of statutory auditors\n", + "w trakt przeprowadzania badanie kluczowy biegły rewident i firma audytorski pozostawać niezależni od spółki zgodnie z przepis ustawa o biegły rewident rozporządzenie 537 2014 oraz zasada etyka zawodowy przyjęty uchwała krajowy rada biegły rewident\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "while conduct our audit the key certify auditor and the audit firm remain independent of the company in accordance with the regulation of act on statutory auditors regulation 537 2014 and principle of professional ethic adopt by resolution of the national council of statutory auditors\n", + "while conduct our audit biegły rewident the key certify auditor and the audit firm remain independent of the company in accordance with the regulation of act on statutory auditors regulation 537 2014 and principle of professional ethic adopt by resolution of the national council of statutory auditors\n", + "w trakt przeprowadzania badanie kluczowy biegły rewident i firma audytorski pozostawać niezależni od spółki zgodnie z przepis ustawa o biegły rewident rozporządzenie 537 2014 oraz zasada etyka zawodowy przyjęty uchwała krajowy rada biegły rewident\n", + "=====================================================================\n", + "[('c a', 100.0, 176), 66.66666666666666, array(['dyplomowany biegły rewident'], dtype=object)]\n", + "while conduct our audit the key certify auditor and the audit firm remain independent of the company in accordance with the regulation of act on statutory auditors regulation 537 2014 and principle of professional ethic adopt by resolution of the national council of statutory auditors\n", + "while conduct our audit the key certify auditor and the audit firm remain independent of the company in accordance with the regulation of act on statutory auditors regulation 537 2014 and principle of professional ethic adopt dyplomowany biegły rewident by resolution of the national council of statutory auditors\n", + "w trakt przeprowadzania badanie kluczowy biegły rewident i firma audytorski pozostawać niezależni od spółki zgodnie z przepis ustawa o biegły rewident rozporządzenie 537 2014 oraz zasada etyka zawodowy przyjęty uchwała krajowy rada biegły rewident\n", + "=====================================================================\n", + "[('company', 100.0, 245), 100.0, array(['spółka kapitałowa'], dtype=object)]\n", + "while conduct our audit the key certify auditor and the audit firm remain independent of the company in accordance with the regulation of act on statutory auditors regulation 537 2014 and principle of professional ethic adopt by resolution of the national council of statutory auditors\n", + "while conduct our audit the key certify auditor and the audit firm remain independent of the company spółka kapitałowa in accordance with the regulation of act on statutory auditors regulation 537 2014 and principle of professional ethic adopt by resolution of the national council of statutory auditors\n", + "w trakt przeprowadzania badanie kluczowy biegły rewident i firma audytorski pozostawać niezależni od spółki zgodnie z przepis ustawa o biegły rewident rozporządzenie 537 2014 oraz zasada etyka zawodowy przyjęty uchwała krajowy rada biegły rewident\n", + "=====================================================================\n", + "[('ema', 100.0, 410), 80.0, array(['rachunkowość zarządcza ochrony środowiska'], dtype=object)]\n", + "while conduct our audit the key certify auditor and the audit firm remain independent of the company in accordance with the regulation of act on statutory auditors regulation 537 2014 and principle of professional ethic adopt by resolution of the national council of statutory auditors\n", + "while conduct our audit the key certify auditor and the audit firm remain rachunkowość zarządcza ochrony środowiska independent of the company in accordance with the regulation of act on statutory auditors regulation 537 2014 and principle of professional ethic adopt by resolution of the national council of statutory auditors\n", + "w trakt przeprowadzania badanie kluczowy biegły rewident i firma audytorski pozostawać niezależni od spółki zgodnie z przepis ustawa o biegły rewident rozporządzenie 537 2014 oraz zasada etyka zawodowy przyjęty uchwała krajowy rada biegły rewident\n", + "=====================================================================\n", + "[('balance', 100.0, 136), 42.857142857142854, array(['saldo'], dtype=object)]\n", + "consolidated balance sheet\n", + "consolidated balance saldo sheet\n", + "skonsolidowany bilans\n", + "=====================================================================\n", + "[('balance sheet', 100.0, 137), 0, array(['bilans'], dtype=object)]\n", + "consolidated balance sheet\n", + "consolidated balance bilans sheet\n", + "skonsolidowany bilans\n", + "=====================================================================\n", + "[('financial statement', 100.0, 526), 60.0, array(['sprawozdanie finansowe'], dtype=object)]\n", + "consolidated financial statement for the year end 31 december 2017\n", + "consolidated financial statement sprawozdanie finansowe for the year end 31 december 2017\n", + "skonsolidowane sprawozdanie finansowy za rok zakończony dzień 31 grudzień 2017 rok\n", + "=====================================================================\n", + "[('year end', 100.0, 1193), 40.0, array(['koniec roku'], dtype=object)]\n", + "consolidated financial statement for the year end 31 december 2017\n", + "consolidated financial statement for the year end koniec roku 31 december 2017\n", + "skonsolidowane sprawozdanie finansowy za rok zakończony dzień 31 grudzień 2017 rok\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "in relation to the subcontractor the national supervisory committee or the audit oversight commission shall have the control right refer to in articles 36 39 article 41 article 106 and article 124 in the scope of auditing activity for the audit firm and document prepare in connection with these activity\n", + "in relation to the subcontractor the national supervisory committee or the audit badanie sprawozdania finansowego oversight commission shall have the control right refer to in articles 36 39 article 41 article 106 and article 124 in the scope of auditing activity for the audit firm and document prepare in connection with these activity\n", + "w stosunek do podwykonawca krajowy komisja nadzór lub komisja nadzór audytowy przysługiwać uprawnienie kontrolny o których mowa w art 36 39 art 41 art 106 i art 124 w zakres wykonywanych w związek z badanie czynność na rzecz firma audytorski oraz sporządzanych w związek z tymi czynność dokument\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "in relation to the subcontractor the national supervisory committee or the audit oversight commission shall have the control right refer to in articles 36 39 article 41 article 106 and article 124 in the scope of auditing activity for the audit firm and document prepare in connection with these activity\n", + "in relation to the subcontractor the national supervisory committee or the audit oversight commission prowizje shall have the control right refer to in articles 36 39 article 41 article 106 and article 124 in the scope of auditing activity for the audit firm and document prepare in connection with these activity\n", + "w stosunek do podwykonawca krajowy komisja nadzór lub komisja nadzór audytowy przysługiwać uprawnienie kontrolny o których mowa w art 36 39 art 41 art 106 i art 124 w zakres wykonywanych w związek z badanie czynność na rzecz firma audytorski oraz sporządzanych w związek z tymi czynność dokument\n", + "=====================================================================\n", + "[('contract', 100.0, 282), 100.0, array(['kontrakt', 'umowa'], dtype=object)]\n", + "in relation to the subcontractor the national supervisory committee or the audit oversight commission shall have the control right refer to in articles 36 39 article 41 article 106 and article 124 in the scope of auditing activity for the audit firm and document prepare in connection with these activity\n", + "in relation to the subcontractor kontrakt the national supervisory committee or the audit oversight commission shall have the control right refer to in articles 36 39 article 41 article 106 and article 124 in the scope of auditing activity for the audit firm and document prepare in connection with these activity\n", + "w stosunek do podwykonawca krajowy komisja nadzór lub komisja nadzór audytowy przysługiwać uprawnienie kontrolny o których mowa w art 36 39 art 41 art 106 i art 124 w zakres wykonywanych w związek z badanie czynność na rzecz firma audytorski oraz sporządzanych w związek z tymi czynność dokument\n", + "=====================================================================\n", + "[('contract', 100.0, 283), 100.0, array(['kontrakt', 'umowa'], dtype=object)]\n", + "in relation to the subcontractor the national supervisory committee or the audit oversight commission shall have the control right refer to in articles 36 39 article 41 article 106 and article 124 in the scope of auditing activity for the audit firm and document prepare in connection with these activity\n", + "in relation to the subcontractor kontrakt the national supervisory committee or the audit oversight commission shall have the control right refer to in articles 36 39 article 41 article 106 and article 124 in the scope of auditing activity for the audit firm and document prepare in connection with these activity\n", + "w stosunek do podwykonawca krajowy komisja nadzór lub komisja nadzór audytowy przysługiwać uprawnienie kontrolny o których mowa w art 36 39 art 41 art 106 i art 124 w zakres wykonywanych w związek z badanie czynność na rzecz firma audytorski oraz sporządzanych w związek z tymi czynność dokument\n", + "=====================================================================\n", + "[('control', 100.0, 289), 100.0, array(['kontrola '], dtype=object)]\n", + "in relation to the subcontractor the national supervisory committee or the audit oversight commission shall have the control right refer to in articles 36 39 article 41 article 106 and article 124 in the scope of auditing activity for the audit firm and document prepare in connection with these activity\n", + "in relation to the subcontractor the national supervisory committee or the audit oversight commission shall have the control kontrola right refer to in articles 36 39 article 41 article 106 and article 124 in the scope of auditing activity for the audit firm and document prepare in connection with these activity\n", + "w stosunek do podwykonawca krajowy komisja nadzór lub komisja nadzór audytowy przysługiwać uprawnienie kontrolny o których mowa w art 36 39 art 41 art 106 i art 124 w zakres wykonywanych w związek z badanie czynność na rzecz firma audytorski oraz sporządzanych w związek z tymi czynność dokument\n", + "=====================================================================\n", + "[('post employment benefit', 100.0, 877), 34.48275862068965, array(['świadczenia pracownicze po okresie zatrudnienia'], dtype=object)]\n", + "other post employment benefit\n", + "other post employment świadczenia pracownicze po okresie zatrudnienia benefit\n", + "inny świadczenie po okres zatrudnienie\n", + "=====================================================================\n", + "[('post', 100.0, 878), 100.0, array(['księgowanie'], dtype=object)]\n", + "other post employment benefit\n", + "other post księgowanie employment benefit\n", + "inny świadczenie po okres zatrudnienie\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "information and document receive by the audit oversight commission or the financial supervision authority shall be secret in the case refer to in article 95 or in the event that the transfer party identify the need to maintain secrecy\n", + "information and document receive by the audit badanie sprawozdania finansowego oversight commission or the financial supervision authority shall be secret in the case refer to in article 95 or in the event that the transfer party identify the need to maintain secrecy\n", + "informacja i dokument otrzymane przez komisja nadzór audytowy lub komisja nadzór finansowy są objęte obowiązek zachowanie tajemnica w przypadek o którym mowa w art 95 lub w przypadek gdy strona przekazująca wskazać na potrzeba zachowanie tajemnica\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "information and document receive by the audit oversight commission or the financial supervision authority shall be secret in the case refer to in article 95 or in the event that the transfer party identify the need to maintain secrecy\n", + "information and document receive by the audit oversight commission prowizje or the financial supervision authority shall be secret in the case refer to in article 95 or in the event that the transfer party identify the need to maintain secrecy\n", + "informacja i dokument otrzymane przez komisja nadzór audytowy lub komisja nadzór finansowy są objęte obowiązek zachowanie tajemnica w przypadek o którym mowa w art 95 lub w przypadek gdy strona przekazująca wskazać na potrzeba zachowanie tajemnica\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 100.0, array(['nadzór'], dtype=object)]\n", + "information and document receive by the audit oversight commission or the financial supervision authority shall be secret in the case refer to in article 95 or in the event that the transfer party identify the need to maintain secrecy\n", + "information and document receive by the audit oversight nadzór commission or the financial supervision authority shall be secret in the case refer to in article 95 or in the event that the transfer party identify the need to maintain secrecy\n", + "informacja i dokument otrzymane przez komisja nadzór audytowy lub komisja nadzór finansowy są objęte obowiązek zachowanie tajemnica w przypadek o którym mowa w art 95 lub w przypadek gdy strona przekazująca wskazać na potrzeba zachowanie tajemnica\n", + "=====================================================================\n", + "[('provision', 88.88888888888889, 909), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "information and document receive by the audit oversight commission or the financial supervision authority shall be secret in the case refer to in article 95 or in the event that the transfer party identify the need to maintain secrecy\n", + "information and document receive by the audit oversight commission or the financial supervision rezerwa authority shall be secret in the case refer to in article 95 or in the event that the transfer party identify the need to maintain secrecy\n", + "informacja i dokument otrzymane przez komisja nadzór audytowy lub komisja nadzór finansowy są objęte obowiązek zachowanie tajemnica w przypadek o którym mowa w art 95 lub w przypadek gdy strona przekazująca wskazać na potrzeba zachowanie tajemnica\n", + "=====================================================================\n", + "[('provision', 88.88888888888889, 911), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "information and document receive by the audit oversight commission or the financial supervision authority shall be secret in the case refer to in article 95 or in the event that the transfer party identify the need to maintain secrecy\n", + "information and document receive by the audit oversight commission or the financial supervision rezerwa authority shall be secret in the case refer to in article 95 or in the event that the transfer party identify the need to maintain secrecy\n", + "informacja i dokument otrzymane przez komisja nadzór audytowy lub komisja nadzór finansowy są objęte obowiązek zachowanie tajemnica w przypadek o którym mowa w art 95 lub w przypadek gdy strona przekazująca wskazać na potrzeba zachowanie tajemnica\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the audit oversight commission shall transfer the information mention in passage 1 to the competent approve authority of a eu member state of origin\n", + "the audit badanie sprawozdania finansowego oversight commission shall transfer the information mention in passage 1 to the competent approve authority of a eu member state of origin\n", + "komisja nadzór audytowy przekazywać informacja o której mowa w ust 1 właściwy organ zatwierdzać jącemu z państwo członkowski pochodzenie\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "the audit oversight commission shall transfer the information mention in passage 1 to the competent approve authority of a eu member state of origin\n", + "the audit oversight commission prowizje shall transfer the information mention in passage 1 to the competent approve authority of a eu member state of origin\n", + "komisja nadzór audytowy przekazywać informacja o której mowa w ust 1 właściwy organ zatwierdzać jącemu z państwo członkowski pochodzenie\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 100.0, array(['nadzór'], dtype=object)]\n", + "the audit oversight commission shall transfer the information mention in passage 1 to the competent approve authority of a eu member state of origin\n", + "the audit oversight nadzór commission shall transfer the information mention in passage 1 to the competent approve authority of a eu member state of origin\n", + "komisja nadzór audytowy przekazywać informacja o której mowa w ust 1 właściwy organ zatwierdzać jącemu z państwo członkowski pochodzenie\n", + "=====================================================================\n", + "[('cash', 100.0, 203), 40.0, array(['środki pieniężne'], dtype=object)]\n", + "the net cash flow report by zidentyfikować działalność be as follow\n", + "the net cash środki pieniężne flow report by zidentyfikować działalność be as follow\n", + "przepływ środki pieniężny netto zidentyfikować działalność przedstawiać się następująco\n", + "=====================================================================\n", + "[('report', 100.0, 963), 54.54545454545455, array(['sprawozdawczość'], dtype=object)]\n", + "the net cash flow report by zidentyfikować działalność be as follow\n", + "the net cash flow report sprawozdawczość by zidentyfikować działalność be as follow\n", + "przepływ środki pieniężny netto zidentyfikować działalność przedstawiać się następująco\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the audit oversight commission may appeal against the ruling or the decision conclude the disciplinary proceeding issue by the national disciplinary court also when it join the proceeding as a party\n", + "the audit badanie sprawozdania finansowego oversight commission may appeal against the ruling or the decision conclude the disciplinary proceeding issue by the national disciplinary court also when it join the proceeding as a party\n", + "komisja nadzór audytowy móc wnieść odwołanie od orzeczenie lub postanowienie kończącego postępowanie dyscyplinarny wydanego przez krajowy sąd dyscyplinarny także wówczas jeżeli nie przystąpić do postępowanie w charakter strona\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 61.53846153846154, array(['prowizje'], dtype=object)]\n", + "the audit oversight commission may appeal against the ruling or the decision conclude the disciplinary proceeding issue by the national disciplinary court also when it join the proceeding as a party\n", + "the audit oversight commission prowizje may appeal against the ruling or the decision conclude the disciplinary proceeding issue by the national disciplinary court also when it join the proceeding as a party\n", + "komisja nadzór audytowy móc wnieść odwołanie od orzeczenie lub postanowienie kończącego postępowanie dyscyplinarny wydanego przez krajowy sąd dyscyplinarny także wówczas jeżeli nie przystąpić do postępowanie w charakter strona\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 66.66666666666666, array(['nadzór'], dtype=object)]\n", + "the audit oversight commission may appeal against the ruling or the decision conclude the disciplinary proceeding issue by the national disciplinary court also when it join the proceeding as a party\n", + "the audit oversight nadzór commission may appeal against the ruling or the decision conclude the disciplinary proceeding issue by the national disciplinary court also when it join the proceeding as a party\n", + "komisja nadzór audytowy móc wnieść odwołanie od orzeczenie lub postanowienie kończącego postępowanie dyscyplinarny wydanego przez krajowy sąd dyscyplinarny także wówczas jeżeli nie przystąpić do postępowanie w charakter strona\n", + "=====================================================================\n", + "[('ppe', 100.0, 844), 50.0, array(['środki trwałe'], dtype=object)]\n", + "the audit oversight commission may appeal against the ruling or the decision conclude the disciplinary proceeding issue by the national disciplinary court also when it join the proceeding as a party\n", + "the audit oversight commission may appeal środki trwałe against the ruling or the decision conclude the disciplinary proceeding issue by the national disciplinary court also when it join the proceeding as a party\n", + "komisja nadzór audytowy móc wnieść odwołanie od orzeczenie lub postanowienie kończącego postępowanie dyscyplinarny wydanego przez krajowy sąd dyscyplinarny także wówczas jeżeli nie przystąpić do postępowanie w charakter strona\n", + "=====================================================================\n", + "[('financial statement', 100.0, 526), 57.142857142857146, array(['sprawozdanie finansowe'], dtype=object)]\n", + "in the reporting period and till the date of the authorization of these consolidated financial statement the composition of the management board of the parent do not change\n", + "in the reporting period and till the date of the authorization of these consolidated financial statement sprawozdanie finansowe the composition of the management board of the parent do not change\n", + "w ciąg okres sprawozdawczy i do dzień zatwierdzenie niniejszy skonsolidowanego sprawozdanie finansowy skład zarząd jednostka dominujący nie zmienić się\n", + "=====================================================================\n", + "[('report', 100.0, 963), 57.142857142857146, array(['sprawozdawczość'], dtype=object)]\n", + "in the reporting period and till the date of the authorization of these consolidated financial statement the composition of the management board of the parent do not change\n", + "in the reporting sprawozdawczość period and till the date of the authorization of these consolidated financial statement the composition of the management board of the parent do not change\n", + "w ciąg okres sprawozdawczy i do dzień zatwierdzenie niniejszy skonsolidowanego sprawozdanie finansowy skład zarząd jednostka dominujący nie zmienić się\n", + "=====================================================================\n", + "[('company', 100.0, 245), 50.0, array(['spółka kapitałowa'], dtype=object)]\n", + "the numerous investment success story lead we to conclude that have a presence in poland offer a competitive advantage and boost company growth potential\n", + "the numerous investment success story lead we to conclude that have a spółka kapitałowa presence in poland offer a competitive advantage and boost company growth potential\n", + "liczny historia sukces inwestycyjny pozwalać sądzić że umiejscowienie działalność w polska jest dla firma źródło przewaga konkurencyjny oraz pozytywnie wpływać na on możliwość rozwojowy\n", + "=====================================================================\n", + "[('coo', 100.0, 184), 66.66666666666666, array(['dyrektor operacyjny'], dtype=object)]\n", + "revise the rule for cooperation with advisor as regard outsource the process of preparation of the transfer pricing documentation which should allow the achievement of qualitative change while maintain a reasonable level of spending\n", + "revise the rule for cooperation dyrektor operacyjny with advisor as regard outsource the process of preparation of the transfer pricing documentation which should allow the achievement of qualitative change while maintain a reasonable level of spending\n", + "przegląd zasada współpraca z doradca w odniesienie do outsourcing proces przygotowywania dokumentacja cena transferowy która powinna przyczynić się do osiągnięcie jakościowy zmiana przy zachowanie rozsądny poziom wydatek\n", + "=====================================================================\n", + "[('transfer pricing', 100.0, 1127), 66.66666666666666, array(['ceny transferowe'], dtype=object)]\n", + "revise the rule for cooperation with advisor as regard outsource the process of preparation of the transfer pricing documentation which should allow the achievement of qualitative change while maintain a reasonable level of spending\n", + "revise the rule for cooperation with advisor as regard outsource the process of preparation of the transfer pricing ceny transferowe documentation which should allow the achievement of qualitative change while maintain a reasonable level of spending\n", + "przegląd zasada współpraca z doradca w odniesienie do outsourcing proces przygotowywania dokumentacja cena transferowy która powinna przyczynić się do osiągnięcie jakościowy zmiana przy zachowanie rozsądny poziom wydatek\n", + "=====================================================================\n", + "[('account', 100.0, 13), 61.53846153846154, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "for the purpose of hedge accounting hedge be classify as\n", + "for the purpose of hedge accounting konto hedge be classify as\n", + "w rachunkowość zabezpieczenie zabezpieczenie klasyfikowane są jako\n", + "=====================================================================\n", + "[('account', 100.0, 25), 61.53846153846154, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "for the purpose of hedge accounting hedge be classify as\n", + "for the purpose of hedge accounting konto hedge be classify as\n", + "w rachunkowość zabezpieczenie zabezpieczenie klasyfikowane są jako\n", + "=====================================================================\n", + "[('account', 100.0, 57), 61.53846153846154, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "for the purpose of hedge accounting hedge be classify as\n", + "for the purpose of hedge accounting konto hedge be classify as\n", + "w rachunkowość zabezpieczenie zabezpieczenie klasyfikowane są jako\n", + "=====================================================================\n", + "[('hedge', 100.0, 600), 44.44444444444444, array(['transakcje zabezpieczające'], dtype=object)]\n", + "for the purpose of hedge accounting hedge be classify as\n", + "for the purpose of hedge transakcje zabezpieczające accounting hedge be classify as\n", + "w rachunkowość zabezpieczenie zabezpieczenie klasyfikowane są jako\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 66.66666666666666, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "where the recoverable amount of the cash generate unit be less than the carrying amount an impairment loss be recognize\n", + "where the recoverable koszty sprzedanych produktów, towarów i materiałów amount of the cash generate unit be less than the carrying amount an impairment loss be recognize\n", + "w przypadek gdy odzyskiwalny wartość ośrodek wypracowującego środek pieniężny jest niski niż wartość bilansowy ujęty zostaje odpis z tytuł utrata wartość\n", + "=====================================================================\n", + "[('cash', 100.0, 203), 50.0, array(['środki pieniężne'], dtype=object)]\n", + "where the recoverable amount of the cash generate unit be less than the carrying amount an impairment loss be recognize\n", + "where the recoverable amount of the cash środki pieniężne generate unit be less than the carrying amount an impairment loss be recognize\n", + "w przypadek gdy odzyskiwalny wartość ośrodek wypracowującego środek pieniężny jest niski niż wartość bilansowy ujęty zostaje odpis z tytuł utrata wartość\n", + "=====================================================================\n", + "[('impairment', 100.0, 632), 57.142857142857146, array(['utrata wartości aktywów'], dtype=object)]\n", + "where the recoverable amount of the cash generate unit be less than the carrying amount an impairment loss be recognize\n", + "where the recoverable amount of the cash generate unit be less than the carrying amount an impairment utrata wartości aktywów loss be recognize\n", + "w przypadek gdy odzyskiwalny wartość ośrodek wypracowującego środek pieniężny jest niski niż wartość bilansowy ujęty zostaje odpis z tytuł utrata wartość\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 57.142857142857146, array(['strata'], dtype=object)]\n", + "where the recoverable amount of the cash generate unit be less than the carrying amount an impairment loss be recognize\n", + "where the recoverable amount of the cash generate unit be less than the carrying amount an impairment loss strata be recognize\n", + "w przypadek gdy odzyskiwalny wartość ośrodek wypracowującego środek pieniężny jest niski niż wartość bilansowy ujęty zostaje odpis z tytuł utrata wartość\n", + "=====================================================================\n", + "[('recoverable amount', 100.0, 947), 48.0, array(['wartość odzyskiwalna'], dtype=object)]\n", + "where the recoverable amount of the cash generate unit be less than the carrying amount an impairment loss be recognize\n", + "where the recoverable amount wartość odzyskiwalna of the cash generate unit be less than the carrying amount an impairment loss be recognize\n", + "w przypadek gdy odzyskiwalny wartość ośrodek wypracowującego środek pieniężny jest niski niż wartość bilansowy ujęty zostaje odpis z tytuł utrata wartość\n", + "=====================================================================\n", + "[('control', 100.0, 289), 85.71428571428571, array(['kontrola '], dtype=object)]\n", + "application of the new standard and additional disclosure requirement for lessor will require review and adaptation of business process it system and internal control mechanism in order to reduce the risk of non compliance of the present financial information with the requirement and to ensure availability of the require datum\n", + "application of the new standard and additional disclosure requirement for lessor will require review and adaptation of business process it system and internal control kontrola mechanism in order to reduce the risk of non compliance of the present financial information with the requirement and to ensure availability of the require datum\n", + "zastosowanie nowy standard oraz dodatkowy obowiązek w zakres ujawnienie dla leasingodawca być wymagać przegląd i odpowiedni dostosowania proces biznesowy system informatyczny i mechanizm kontrola w cel ograniczenie ryzyko niezgodność prezentowanych dane z wymóg oraz zapewnienie dostępność zbędny informacja\n", + "=====================================================================\n", + "[('disclosure', 100.0, 388), 100.0, array(['ujawnianie informacji finansowych'], dtype=object)]\n", + "application of the new standard and additional disclosure requirement for lessor will require review and adaptation of business process it system and internal control mechanism in order to reduce the risk of non compliance of the present financial information with the requirement and to ensure availability of the require datum\n", + "application of the new standard and additional disclosure ujawnianie informacji finansowych requirement for lessor will require review and adaptation of business process it system and internal control mechanism in order to reduce the risk of non compliance of the present financial information with the requirement and to ensure availability of the require datum\n", + "zastosowanie nowy standard oraz dodatkowy obowiązek w zakres ujawnienie dla leasingodawca być wymagać przegląd i odpowiedni dostosowania proces biznesowy system informatyczny i mechanizm kontrola w cel ograniczenie ryzyko niezgodność prezentowanych dane z wymóg oraz zapewnienie dostępność zbędny informacja\n", + "=====================================================================\n", + "[('internal control', 100.0, 670), 75.0, array(['kontrola wewnętrzna'], dtype=object)]\n", + "application of the new standard and additional disclosure requirement for lessor will require review and adaptation of business process it system and internal control mechanism in order to reduce the risk of non compliance of the present financial information with the requirement and to ensure availability of the require datum\n", + "application of the new standard and additional disclosure requirement for lessor will require review and adaptation of business process it system and internal control kontrola wewnętrzna mechanism in order to reduce the risk of non compliance of the present financial information with the requirement and to ensure availability of the require datum\n", + "zastosowanie nowy standard oraz dodatkowy obowiązek w zakres ujawnienie dla leasingodawca być wymagać przegląd i odpowiedni dostosowania proces biznesowy system informatyczny i mechanizm kontrola w cel ograniczenie ryzyko niezgodność prezentowanych dane z wymóg oraz zapewnienie dostępność zbędny informacja\n", + "=====================================================================\n", + "[('vie', 100.0, 1157), 100.0, array(['podmiot o zmiennych udziałach'], dtype=object)]\n", + "application of the new standard and additional disclosure requirement for lessor will require review and adaptation of business process it system and internal control mechanism in order to reduce the risk of non compliance of the present financial information with the requirement and to ensure availability of the require datum\n", + "application of the new standard and additional disclosure requirement for lessor will require review podmiot o zmiennych udziałach and adaptation of business process it system and internal control mechanism in order to reduce the risk of non compliance of the present financial information with the requirement and to ensure availability of the require datum\n", + "zastosowanie nowy standard oraz dodatkowy obowiązek w zakres ujawnienie dla leasingodawca być wymagać przegląd i odpowiedni dostosowania proces biznesowy system informatyczny i mechanizm kontrola w cel ograniczenie ryzyko niezgodność prezentowanych dane z wymóg oraz zapewnienie dostępność zbędny informacja\n", + "=====================================================================\n", + "[('liability', 88.88888888888889, 716), 100.0, array(['zobowiązania'], dtype=object)]\n", + "application of the new standard and additional disclosure requirement for lessor will require review and adaptation of business process it system and internal control mechanism in order to reduce the risk of non compliance of the present financial information with the requirement and to ensure availability of the require datum\n", + "application of the new standard and additional disclosure requirement for lessor will require review and adaptation of business process it zobowiązania system and internal control mechanism in order to reduce the risk of non compliance of the present financial information with the requirement and to ensure availability of the require datum\n", + "zastosowanie nowy standard oraz dodatkowy obowiązek w zakres ujawnienie dla leasingodawca być wymagać przegląd i odpowiedni dostosowania proces biznesowy system informatyczny i mechanizm kontrola w cel ograniczenie ryzyko niezgodność prezentowanych dane z wymóg oraz zapewnienie dostępność zbędny informacja\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 50.0, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "gains loss on currency difference impairment write down reversal recognition\n", + "gains koszty sprzedanych produktów, towarów i materiałów loss on currency difference impairment write down reversal recognition\n", + "zyski strata z tytuł różnica kursowy rozwiązanie utworzenie odpis aktualizujących\n", + "=====================================================================\n", + "[('impairment', 100.0, 632), 47.05882352941177, array(['utrata wartości aktywów'], dtype=object)]\n", + "gains loss on currency difference impairment write down reversal recognition\n", + "gains loss on currency difference impairment utrata wartości aktywów write down reversal recognition\n", + "zyski strata z tytuł różnica kursowy rozwiązanie utworzenie odpis aktualizujących\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 40.0, array(['strata'], dtype=object)]\n", + "gains loss on currency difference impairment write down reversal recognition\n", + "gains loss strata on currency difference impairment write down reversal recognition\n", + "zyski strata z tytuł różnica kursowy rozwiązanie utworzenie odpis aktualizujących\n", + "=====================================================================\n", + "[('write down', 100.0, 1188), 60.0, array(['odpis aktualizacyjny'], dtype=object)]\n", + "gains loss on currency difference impairment write down reversal recognition\n", + "gains loss on currency difference impairment write down odpis aktualizacyjny reversal recognition\n", + "zyski strata z tytuł różnica kursowy rozwiązanie utworzenie odpis aktualizujących\n", + "=====================================================================\n", + "[('provision', 88.88888888888889, 909), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "within 30 day from the effective date of this act the chairperson of the financial supervision authority his her deputy and member of authority shall submit statement on meet the condition refer to in article 21 third paragraph of regulation no 537 2014\n", + "within 30 day from the effective date of this act the chairperson of the financial supervision authority his her deputy and member of authority shall submit statement on rezerwa meet the condition refer to in article 21 third paragraph of regulation no 537 2014\n", + "przewodniczący komisja nadzór finansowy on zastępca i członek komisja składać w termin 30 dzień od dzień wejście w żyto niniejszy ustawa oświadczenie o spełnianiu warunki o których mowa w art 21 akapit trzeci rozporządzenie nr 537 2014\n", + "=====================================================================\n", + "[('provision', 88.88888888888889, 911), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "within 30 day from the effective date of this act the chairperson of the financial supervision authority his her deputy and member of authority shall submit statement on meet the condition refer to in article 21 third paragraph of regulation no 537 2014\n", + "within 30 day from the effective date of this act the chairperson of the financial supervision authority his her deputy and member of authority shall submit statement on rezerwa meet the condition refer to in article 21 third paragraph of regulation no 537 2014\n", + "przewodniczący komisja nadzór finansowy on zastępca i członek komisja składać w termin 30 dzień od dzień wejście w żyto niniejszy ustawa oświadczenie o spełnianiu warunki o których mowa w art 21 akapit trzeci rozporządzenie nr 537 2014\n", + "=====================================================================\n", + "[('comprehensive income', 100.0, 253), 47.05882352941177, array(['zysk całkowity'], dtype=object)]\n", + "net other comprehensive income not to be reclassify to profit or loss in the ensuring reporting period\n", + "net other comprehensive income zysk całkowity not to be reclassify to profit or loss in the ensuring reporting period\n", + "inny całkowity dochód netto nie podlegające przeklasyfikowaniu do zysku straty w kolejny okres sprawozdawczy\n", + "=====================================================================\n", + "[('income', 100.0, 638), 66.66666666666666, array(['zysk'], dtype=object)]\n", + "net other comprehensive income not to be reclassify to profit or loss in the ensuring reporting period\n", + "net other comprehensive income zysk not to be reclassify to profit or loss in the ensuring reporting period\n", + "inny całkowity dochód netto nie podlegające przeklasyfikowaniu do zysku straty w kolejny okres sprawozdawczy\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 50.0, array(['strata'], dtype=object)]\n", + "net other comprehensive income not to be reclassify to profit or loss in the ensuring reporting period\n", + "net other comprehensive income not to be reclassify to profit or loss strata in the ensuring reporting period\n", + "inny całkowity dochód netto nie podlegające przeklasyfikowaniu do zysku straty w kolejny okres sprawozdawczy\n", + "=====================================================================\n", + "[('profit', 100.0, 898), 54.54545454545455, array(['zysk'], dtype=object)]\n", + "net other comprehensive income not to be reclassify to profit or loss in the ensuring reporting period\n", + "net other comprehensive income not to be reclassify to profit zysk or loss in the ensuring reporting period\n", + "inny całkowity dochód netto nie podlegające przeklasyfikowaniu do zysku straty w kolejny okres sprawozdawczy\n", + "=====================================================================\n", + "[('report', 100.0, 963), 57.142857142857146, array(['sprawozdawczość'], dtype=object)]\n", + "net other comprehensive income not to be reclassify to profit or loss in the ensuring reporting period\n", + "net other comprehensive income not to be reclassify to profit or sprawozdawczość loss in the ensuring reporting period\n", + "inny całkowity dochód netto nie podlegające przeklasyfikowaniu do zysku straty w kolejny okres sprawozdawczy\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "within the period of one year from the date of cessation of operation as the statutory auditor or the key statutory auditor or from take direct part in the audit of a give entity the key statutory auditor and the statutory auditor conduct the statutory audit on behalf of the audit firm shall not 1 belong to the senior managerial staff nor be a member of the management board or other management body of the audit entity 2 perform function of a member of the audit committee or a body perform its function 3 perform function of a member of the supervisory body\n", + "within the period of one year from the date of cessation of operation as the statutory auditor badanie sprawozdania finansowego or the key statutory auditor or from take direct part in the audit of a give entity the key statutory auditor and the statutory auditor conduct the statutory audit on behalf of the audit firm shall not 1 belong to the senior managerial staff nor be a member of the management board or other management body of the audit entity 2 perform function of a member of the audit committee or a body perform its function 3 perform function of a member of the supervisory body\n", + "kluczowy biegły rewident oraz biegły rewident przeprowadzający badan ustawowy w imię firma audytorski przed upływ co mało rok od dzień zaprzestanie działalność w charakter biegły rewident lub kluczowy biegły rewident lub wzięcie bezpośredni udział w badanie dany jednostka nie móc w badany jednostka 1 należeć do kadra kierowniczy wysoki szczebel w tym obejmować funkcja członek zarząd lub inny organ zarządzający 2 obejmować funkcja członek komitet audyt lub organ pełniącego on funkcja 3 obejmować funkcja członek organ nadzorczy\n", + "=====================================================================\n", + "[('audit committee', 100.0, 113), 66.66666666666666, array(['komisja rewizyjna'], dtype=object)]\n", + "within the period of one year from the date of cessation of operation as the statutory auditor or the key statutory auditor or from take direct part in the audit of a give entity the key statutory auditor and the statutory auditor conduct the statutory audit on behalf of the audit firm shall not 1 belong to the senior managerial staff nor be a member of the management board or other management body of the audit entity 2 perform function of a member of the audit committee or a body perform its function 3 perform function of a member of the supervisory body\n", + "within the period of one year from the date of cessation of operation as the statutory auditor or the key statutory auditor or from take direct part in the audit of a give entity the key statutory auditor and the statutory auditor conduct the statutory audit on behalf of the audit firm shall not 1 belong to the senior managerial staff nor be a member of the management board or other management body of the audit entity 2 perform function of a member of the audit committee komisja rewizyjna or a body perform its function 3 perform function of a member of the supervisory body\n", + "kluczowy biegły rewident oraz biegły rewident przeprowadzający badan ustawowy w imię firma audytorski przed upływ co mało rok od dzień zaprzestanie działalność w charakter biegły rewident lub kluczowy biegły rewident lub wzięcie bezpośredni udział w badanie dany jednostka nie móc w badany jednostka 1 należeć do kadra kierowniczy wysoki szczebel w tym obejmować funkcja członek zarząd lub inny organ zarządzający 2 obejmować funkcja członek komitet audyt lub organ pełniącego on funkcja 3 obejmować funkcja członek organ nadzorczy\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 85.71428571428571, array(['biegły rewident'], dtype=object)]\n", + "within the period of one year from the date of cessation of operation as the statutory auditor or the key statutory auditor or from take direct part in the audit of a give entity the key statutory auditor and the statutory auditor conduct the statutory audit on behalf of the audit firm shall not 1 belong to the senior managerial staff nor be a member of the management board or other management body of the audit entity 2 perform function of a member of the audit committee or a body perform its function 3 perform function of a member of the supervisory body\n", + "within the period of one year from the date of cessation of operation as the statutory auditor biegły rewident or the key statutory auditor or from take direct part in the audit of a give entity the key statutory auditor and the statutory auditor conduct the statutory audit on behalf of the audit firm shall not 1 belong to the senior managerial staff nor be a member of the management board or other management body of the audit entity 2 perform function of a member of the audit committee or a body perform its function 3 perform function of a member of the supervisory body\n", + "kluczowy biegły rewident oraz biegły rewident przeprowadzający badan ustawowy w imię firma audytorski przed upływ co mało rok od dzień zaprzestanie działalność w charakter biegły rewident lub kluczowy biegły rewident lub wzięcie bezpośredni udział w badanie dany jednostka nie móc w badany jednostka 1 należeć do kadra kierowniczy wysoki szczebel w tym obejmować funkcja członek zarząd lub inny organ zarządzający 2 obejmować funkcja członek komitet audyt lub organ pełniącego on funkcja 3 obejmować funkcja członek organ nadzorczy\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 80.0, array(['jednostka'], dtype=object)]\n", + "within the period of one year from the date of cessation of operation as the statutory auditor or the key statutory auditor or from take direct part in the audit of a give entity the key statutory auditor and the statutory auditor conduct the statutory audit on behalf of the audit firm shall not 1 belong to the senior managerial staff nor be a member of the management board or other management body of the audit entity 2 perform function of a member of the audit committee or a body perform its function 3 perform function of a member of the supervisory body\n", + "within the period of one year from the date of cessation of operation as the statutory auditor or the key statutory auditor or from take direct part in the audit of a give entity jednostka the key statutory auditor and the statutory auditor conduct the statutory audit on behalf of the audit firm shall not 1 belong to the senior managerial staff nor be a member of the management board or other management body of the audit entity 2 perform function of a member of the audit committee or a body perform its function 3 perform function of a member of the supervisory body\n", + "kluczowy biegły rewident oraz biegły rewident przeprowadzający badan ustawowy w imię firma audytorski przed upływ co mało rok od dzień zaprzestanie działalność w charakter biegły rewident lub kluczowy biegły rewident lub wzięcie bezpośredni udział w badanie dany jednostka nie móc w badany jednostka 1 należeć do kadra kierowniczy wysoki szczebel w tym obejmować funkcja członek zarząd lub inny organ zarządzający 2 obejmować funkcja członek komitet audyt lub organ pełniącego on funkcja 3 obejmować funkcja członek organ nadzorczy\n", + "=====================================================================\n", + "[('supervisory board', 90.9090909090909, 1071), 57.142857142857146, array(['rada nadzorcza'], dtype=object)]\n", + "within the period of one year from the date of cessation of operation as the statutory auditor or the key statutory auditor or from take direct part in the audit of a give entity the key statutory auditor and the statutory auditor conduct the statutory audit on behalf of the audit firm shall not 1 belong to the senior managerial staff nor be a member of the management board or other management body of the audit entity 2 perform function of a member of the audit committee or a body perform its function 3 perform function of a member of the supervisory body\n", + "within the period of one year from the date of cessation of operation as the statutory auditor or the key statutory auditor or from take direct part in the audit of a give entity the key statutory auditor and the statutory auditor conduct the statutory audit on behalf of the audit firm shall not 1 belong to the senior managerial staff nor be a member of the management board or other management body of the audit entity 2 perform function of a member of the audit committee or a body perform its function 3 perform function of a member of the supervisory rada nadzorcza body\n", + "kluczowy biegły rewident oraz biegły rewident przeprowadzający badan ustawowy w imię firma audytorski przed upływ co mało rok od dzień zaprzestanie działalność w charakter biegły rewident lub kluczowy biegły rewident lub wzięcie bezpośredni udział w badanie dany jednostka nie móc w badany jednostka 1 należeć do kadra kierowniczy wysoki szczebel w tym obejmować funkcja członek zarząd lub inny organ zarządzający 2 obejmować funkcja członek komitet audyt lub organ pełniącego on funkcja 3 obejmować funkcja członek organ nadzorczy\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "person select to the body of the national chamber of statutory auditors by the 8th national congress of statutory auditors shall hold their position until the next election 4 the term refer to in article 27 passage 1 shall be calculate from the last day of the national convention of statutory auditors hold on the basis of regulation applicable hitherto dz u 92 item 1089 5 the inspector and visitor refer to in article 26 passage 4 of the act repeal in article 301 shall become the national supervisory committee controller as define by this act provide that they meet the requirement refer to in article 37 passage 2\n", + "person select to the body of the national chamber of statutory auditors badanie sprawozdania finansowego by the 8th national congress of statutory auditors shall hold their position until the next election 4 the term refer to in article 27 passage 1 shall be calculate from the last day of the national convention of statutory auditors hold on the basis of regulation applicable hitherto dz u 92 item 1089 5 the inspector and visitor refer to in article 26 passage 4 of the act repeal in article 301 shall become the national supervisory committee controller as define by this act provide that they meet the requirement refer to in article 37 passage 2\n", + "osoba wybrany do organy krajowy izba biegły rewident przez viii krajowy zjazd biegły rewident zachowywać mandat do następny wybór 4 termin o którym mowa w art 27 ust 1 liczyć się od dzień ostatni krajowy zjazd biegły rewident któ ry odbyć się na podstawa przepis dotychczasowy 5 kontroler i wizytator o których mowa w art 26 ust 4 ustawa uchylanej w art 301 stawać się kontroler kra jowej komisja nadzór w rozumienie niniejszy ustawa pod warunek że spełniać wymóg o których mowa w art 37 ust 2\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "person select to the body of the national chamber of statutory auditors by the 8th national congress of statutory auditors shall hold their position until the next election 4 the term refer to in article 27 passage 1 shall be calculate from the last day of the national convention of statutory auditors hold on the basis of regulation applicable hitherto dz u 92 item 1089 5 the inspector and visitor refer to in article 26 passage 4 of the act repeal in article 301 shall become the national supervisory committee controller as define by this act provide that they meet the requirement refer to in article 37 passage 2\n", + "person select to biegły rewident the body of the national chamber of statutory auditors by the 8th national congress of statutory auditors shall hold their position until the next election 4 the term refer to in article 27 passage 1 shall be calculate from the last day of the national convention of statutory auditors hold on the basis of regulation applicable hitherto dz u 92 item 1089 5 the inspector and visitor refer to in article 26 passage 4 of the act repeal in article 301 shall become the national supervisory committee controller as define by this act provide that they meet the requirement refer to in article 37 passage 2\n", + "osoba wybrany do organy krajowy izba biegły rewident przez viii krajowy zjazd biegły rewident zachowywać mandat do następny wybór 4 termin o którym mowa w art 27 ust 1 liczyć się od dzień ostatni krajowy zjazd biegły rewident któ ry odbyć się na podstawa przepis dotychczasowy 5 kontroler i wizytator o których mowa w art 26 ust 4 ustawa uchylanej w art 301 stawać się kontroler kra jowej komisja nadzór w rozumienie niniejszy ustawa pod warunek że spełniać wymóg o których mowa w art 37 ust 2\n", + "=====================================================================\n", + "[('control', 100.0, 289), 100.0, array(['kontrola '], dtype=object)]\n", + "person select to the body of the national chamber of statutory auditors by the 8th national congress of statutory auditors shall hold their position until the next election 4 the term refer to in article 27 passage 1 shall be calculate from the last day of the national convention of statutory auditors hold on the basis of regulation applicable hitherto dz u 92 item 1089 5 the inspector and visitor refer to in article 26 passage 4 of the act repeal in article 301 shall become the national supervisory committee controller as define by this act provide that they meet the requirement refer to in article 37 passage 2\n", + "person select to the body of the national chamber of statutory auditors by the 8th national congress of statutory auditors shall hold their position until the next election 4 the term refer to in article 27 passage 1 shall be calculate from the last day of the national convention of statutory auditors hold on kontrola the basis of regulation applicable hitherto dz u 92 item 1089 5 the inspector and visitor refer to in article 26 passage 4 of the act repeal in article 301 shall become the national supervisory committee controller as define by this act provide that they meet the requirement refer to in article 37 passage 2\n", + "osoba wybrany do organy krajowy izba biegły rewident przez viii krajowy zjazd biegły rewident zachowywać mandat do następny wybór 4 termin o którym mowa w art 27 ust 1 liczyć się od dzień ostatni krajowy zjazd biegły rewident któ ry odbyć się na podstawa przepis dotychczasowy 5 kontroler i wizytator o których mowa w art 26 ust 4 ustawa uchylanej w art 301 stawać się kontroler kra jowej komisja nadzór w rozumienie niniejszy ustawa pod warunek że spełniać wymóg o których mowa w art 37 ust 2\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 50.0, array(['aktywa'], dtype=object)]\n", + "any decrease in the value of financial asset available for sale result from impairment loss be recognize as finance cost\n", + "any decrease in the value of financial asset aktywa available for sale result from impairment loss be recognize as finance cost\n", + "spadek wartość aktywa dostępny do sprzedaż spowodowany utrata wartość ujmować się jako koszt finansowy\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 50.0, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "any decrease in the value of financial asset available for sale result from impairment loss be recognize as finance cost\n", + "any decrease in the value of financial asset available for sale result from impairment loss be recognize koszty sprzedanych produktów, towarów i materiałów as finance cost\n", + "spadek wartość aktywa dostępny do sprzedaż spowodowany utrata wartość ujmować się jako koszt finansowy\n", + "=====================================================================\n", + "[('cost', 100.0, 303), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "any decrease in the value of financial asset available for sale result from impairment loss be recognize as finance cost\n", + "any decrease in the value of financial asset koszt available for sale result from impairment loss be recognize as finance cost\n", + "spadek wartość aktywa dostępny do sprzedaż spowodowany utrata wartość ujmować się jako koszt finansowy\n", + "=====================================================================\n", + "[('cost', 100.0, 324), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "any decrease in the value of financial asset available for sale result from impairment loss be recognize as finance cost\n", + "any decrease in the value of financial asset koszt available for sale result from impairment loss be recognize as finance cost\n", + "spadek wartość aktywa dostępny do sprzedaż spowodowany utrata wartość ujmować się jako koszt finansowy\n", + "=====================================================================\n", + "[('finance cost', 100.0, 507), 53.333333333333336, array(['koszty finansowe'], dtype=object)]\n", + "any decrease in the value of financial asset available for sale result from impairment loss be recognize as finance cost\n", + "any decrease in the value of financial asset available for sale result from impairment loss be recognize as finance koszty finansowe cost\n", + "spadek wartość aktywa dostępny do sprzedaż spowodowany utrata wartość ujmować się jako koszt finansowy\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "member of the audit oversight commission shall participate in its meeting in person 3\n", + "member of the audit badanie sprawozdania finansowego oversight commission shall participate in its meeting in person 3\n", + "członek komisja nadzór audytowy uczestniczyć osobiście w on posiedzenie 3\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "member of the audit oversight commission shall participate in its meeting in person 3\n", + "member of the audit oversight commission prowizje shall participate in its meeting in person 3\n", + "członek komisja nadzór audytowy uczestniczyć osobiście w on posiedzenie 3\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 66.66666666666666, array(['nadzór'], dtype=object)]\n", + "member of the audit oversight commission shall participate in its meeting in person 3\n", + "member of the audit oversight nadzór commission shall participate in its meeting in person 3\n", + "członek komisja nadzór audytowy uczestniczyć osobiście w on posiedzenie 3\n", + "=====================================================================\n", + "[('income', 100.0, 638), 50.0, array(['zysk'], dtype=object)]\n", + "7 income record\n", + "7 income zysk record\n", + "7 ewidencja przychód\n", + "=====================================================================\n", + "[('cap', 100.0, 178), 66.66666666666666, array(['dyplomowany księgowy'], dtype=object)]\n", + "to maintain or adjust its capital structure the group may change payment of dividend to shareholder may return capital to shareholder or issue new share\n", + "to maintain or adjust its capital dyplomowany księgowy structure the group may change payment of dividend to shareholder may return capital to shareholder or issue new share\n", + "w cel utrzymanie lub skorygowania struktura kapitałowy grupa móc zmienić wypłata dywidenda dla akcjonariusz zwrócić kapitała akcjonariusz lub wyemitować nowy akcja\n", + "=====================================================================\n", + "[('dividend', 100.0, 394), 75.0, array(['dywidenda'], dtype=object)]\n", + "to maintain or adjust its capital structure the group may change payment of dividend to shareholder may return capital to shareholder or issue new share\n", + "to maintain or adjust its capital structure the group may change payment of dividend dywidenda to shareholder may return capital to shareholder or issue new share\n", + "w cel utrzymanie lub skorygowania struktura kapitałowy grupa móc zmienić wypłata dywidenda dla akcjonariusz zwrócić kapitała akcjonariusz lub wyemitować nowy akcja\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "to maintain or adjust its capital structure the group may change payment of dividend to shareholder may return capital to shareholder or issue new share\n", + "to maintain or adjust its capital structure the group grupa kapitałowa may change payment of dividend to shareholder may return capital to shareholder or issue new share\n", + "w cel utrzymanie lub skorygowania struktura kapitałowy grupa móc zmienić wypłata dywidenda dla akcjonariusz zwrócić kapitała akcjonariusz lub wyemitować nowy akcja\n", + "=====================================================================\n", + "[('cost', 100.0, 303), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "the cost of equity settle transaction with employee be measure by reference to award fair value at the grant date\n", + "the cost koszt of equity settle transaction with employee be measure by reference to award fair value at the grant date\n", + "koszt transakcja rozliczanych z pracownik w instrument kapitałowy jest wyceniany przez odniesienie do wartość godziwy na dzienie przyznanie prawo\n", + "=====================================================================\n", + "[('cost', 100.0, 324), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "the cost of equity settle transaction with employee be measure by reference to award fair value at the grant date\n", + "the cost koszt of equity settle transaction with employee be measure by reference to award fair value at the grant date\n", + "koszt transakcja rozliczanych z pracownik w instrument kapitałowy jest wyceniany przez odniesienie do wartość godziwy na dzienie przyznanie prawo\n", + "=====================================================================\n", + "[('equity', 100.0, 460), 50.0, array(['kapitał własny'], dtype=object)]\n", + "the cost of equity settle transaction with employee be measure by reference to award fair value at the grant date\n", + "the cost of equity kapitał własny settle transaction with employee be measure by reference to award fair value at the grant date\n", + "koszt transakcja rozliczanych z pracownik w instrument kapitałowy jest wyceniany przez odniesienie do wartość godziwy na dzienie przyznanie prawo\n", + "=====================================================================\n", + "[('fair value', 100.0, 497), 44.44444444444444, array(['wartość godziwa'], dtype=object)]\n", + "the cost of equity settle transaction with employee be measure by reference to award fair value at the grant date\n", + "the cost of equity settle transaction with employee be measure by reference to award fair value wartość godziwa at the grant date\n", + "koszt transakcja rozliczanych z pracownik w instrument kapitałowy jest wyceniany przez odniesienie do wartość godziwy na dzienie przyznanie prawo\n", + "=====================================================================\n", + "[('sac', 100.0, 993), 66.66666666666666, array(['komisje doradcze ds. standardów'], dtype=object)]\n", + "the cost of equity settle transaction with employee be measure by reference to award fair value at the grant date\n", + "the cost of equity settle transaction komisje doradcze ds. standardów with employee be measure by reference to award fair value at the grant date\n", + "koszt transakcja rozliczanych z pracownik w instrument kapitałowy jest wyceniany przez odniesienie do wartość godziwy na dzienie przyznanie prawo\n", + "=====================================================================\n", + "[('account', 100.0, 13), 50.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the merger be account for use the acquisition method\n", + "the merger be account konto for use the acquisition method\n", + "połączenie zostało rozliczone metoda przejęcie\n", + "=====================================================================\n", + "[('account', 100.0, 25), 50.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the merger be account for use the acquisition method\n", + "the merger be account konto for use the acquisition method\n", + "połączenie zostało rozliczone metoda przejęcie\n", + "=====================================================================\n", + "[('account', 100.0, 57), 50.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the merger be account for use the acquisition method\n", + "the merger be account konto for use the acquisition method\n", + "połączenie zostało rozliczone metoda przejęcie\n", + "=====================================================================\n", + "[('acquisition', 100.0, 67), 46.15384615384615, array(['nabycie przedsiębiorstwa'], dtype=object)]\n", + "the merger be account for use the acquisition method\n", + "the merger be account for use the acquisition nabycie przedsiębiorstwa method\n", + "połączenie zostało rozliczone metoda przejęcie\n", + "=====================================================================\n", + "[('gross profit', 100.0, 591), 42.857142857142854, array(['zysk brutto ze sprzedaży'], dtype=object)]\n", + "gross profit loss\n", + "gross profit zysk brutto ze sprzedaży loss\n", + "zysk strata brutto z sprzedaż\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 40.0, array(['strata'], dtype=object)]\n", + "gross profit loss\n", + "gross strata profit loss\n", + "zysk strata brutto z sprzedaż\n", + "=====================================================================\n", + "[('profit', 100.0, 898), 44.44444444444444, array(['zysk'], dtype=object)]\n", + "gross profit loss\n", + "gross profit zysk loss\n", + "zysk strata brutto z sprzedaż\n", + "=====================================================================\n", + "[('gross up', 93.33333333333333, 592), 42.857142857142854, array(['ubruttowienie'], dtype=object)]\n", + "gross profit loss\n", + "gross profit ubruttowienie loss\n", + "zysk strata brutto z sprzedaż\n", + "=====================================================================\n", + "[('coo', 100.0, 184), 50.0, array(['dyrektor operacyjny'], dtype=object)]\n", + "in 2016 there be an increase in the activity of law enforcement regard illegal and unethical practice in the field of cooperation between enterprise and the public sector\n", + "in 2016 there be an increase in the activity of law enforcement regard illegal and unethical practice in the field of cooperation dyrektor operacyjny between enterprise and the public sector\n", + "w rok 2016 nastąpić zwiększenie aktywność organy ściganie w zakres legalny i etyczny praktyka w zakres współpraca przedsiębiorstwo z sektor publiczny\n", + "=====================================================================\n", + "[('erp', 100.0, 413), 50.0, array(['planowanie zasobów przedsiębiorstwa'], dtype=object)]\n", + "in 2016 there be an increase in the activity of law enforcement regard illegal and unethical practice in the field of cooperation between enterprise and the public sector\n", + "in 2016 there be an increase in the activity of law enforcement regard illegal and unethical practice in the field of cooperation between enterprise planowanie zasobów przedsiębiorstwa and the public sector\n", + "w rok 2016 nastąpić zwiększenie aktywność organy ściganie w zakres legalny i etyczny praktyka w zakres współpraca przedsiębiorstwo z sektor publiczny\n", + "=====================================================================\n", + "[('coo', 100.0, 184), 66.66666666666666, array(['dyrektor operacyjny'], dtype=object)]\n", + "coordinate and supervise the cleaning team\n", + "coordinate dyrektor operacyjny and supervise the cleaning team\n", + "koordynowanie i nadzorowanie prace zespół sprzątającego\n", + "=====================================================================\n", + "[('internet', 100.0, 686), 100.0, array(['internet'], dtype=object)]\n", + "but we know our computer the factory robot gsm lte gps tv and internet\n", + "but we know our computer the internet factory robot gsm lte gps tv and internet\n", + "znać natomiast nasze komputer robota przeć słowe sieć gsm lte urządzenie gps telewizja i internet\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 57.142857142857146, array(['jednostka'], dtype=object)]\n", + "the right to raise a complaint on the entity from other country to datum protection body within the country of customer s residence\n", + "the right to raise a complaint on the entity jednostka from other country to datum protection body within the country of customer s residence\n", + "prawo kierowania skarga na firma z inny państwo do organ ochrona dane w państwo zamieszkanie klient\n", + "=====================================================================\n", + "[('company', 100.0, 245), 60.0, array(['spółka kapitałowa'], dtype=object)]\n", + "the company may prepare themselves to fulfill discuss change by\n", + "the company spółka kapitałowa may prepare themselves to fulfill discuss change by\n", + "spółka móc przygotować się do spełniania omawianych zmiana poprzez\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the audit oversight commission shall adopt resolution by majority in open voting in the presence of at least 5 member include the chairperson or his her deputy\n", + "the audit badanie sprawozdania finansowego oversight commission shall adopt resolution by majority in open voting in the presence of at least 5 member include the chairperson or his her deputy\n", + "komisja nadzór audytowy podejmować uchwała większość głos w głosowanie jawny w obecność co mało 5 członek w tym przewodniczący lub on zastępca\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "the audit oversight commission shall adopt resolution by majority in open voting in the presence of at least 5 member include the chairperson or his her deputy\n", + "the audit oversight commission prowizje shall adopt resolution by majority in open voting in the presence of at least 5 member include the chairperson or his her deputy\n", + "komisja nadzór audytowy podejmować uchwała większość głos w głosowanie jawny w obecność co mało 5 członek w tym przewodniczący lub on zastępca\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 66.66666666666666, array(['nadzór'], dtype=object)]\n", + "the audit oversight commission shall adopt resolution by majority in open voting in the presence of at least 5 member include the chairperson or his her deputy\n", + "the audit oversight nadzór commission shall adopt resolution by majority in open voting in the presence of at least 5 member include the chairperson or his her deputy\n", + "komisja nadzór audytowy podejmować uchwała większość głos w głosowanie jawny w obecność co mało 5 członek w tym przewodniczący lub on zastępca\n", + "=====================================================================\n", + "[('cap', 100.0, 178), 66.66666666666666, array(['dyplomowany księgowy'], dtype=object)]\n", + "consistency whether all company of the capital group use the same ratio to measure the report area\n", + "consistency whether all company of the capital dyplomowany księgowy group use the same ratio to measure the report area\n", + "spójność czy wszystkie spółka w ramy grupa kapitałowy używać tych sam wskaźnik do mierzenia raportowanych obszar\n", + "=====================================================================\n", + "[('company', 100.0, 245), 57.142857142857146, array(['spółka kapitałowa'], dtype=object)]\n", + "consistency whether all company of the capital group use the same ratio to measure the report area\n", + "consistency whether all company spółka kapitałowa of the capital group use the same ratio to measure the report area\n", + "spójność czy wszystkie spółka w ramy grupa kapitałowy używać tych sam wskaźnik do mierzenia raportowanych obszar\n", + "=====================================================================\n", + "[('consistency', 100.0, 265), 80.0, array(['ciągłość'], dtype=object)]\n", + "consistency whether all company of the capital group use the same ratio to measure the report area\n", + "consistency ciągłość whether all company of the capital group use the same ratio to measure the report area\n", + "spójność czy wszystkie spółka w ramy grupa kapitałowy używać tych sam wskaźnik do mierzenia raportowanych obszar\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "consistency whether all company of the capital group use the same ratio to measure the report area\n", + "consistency whether all company of the capital group grupa kapitałowa use the same ratio to measure the report area\n", + "spójność czy wszystkie spółka w ramy grupa kapitałowy używać tych sam wskaźnik do mierzenia raportowanych obszar\n", + "=====================================================================\n", + "[('report', 100.0, 963), 83.33333333333333, array(['sprawozdawczość'], dtype=object)]\n", + "consistency whether all company of the capital group use the same ratio to measure the report area\n", + "consistency whether all company of the capital group use the same ratio to measure the report sprawozdawczość area\n", + "spójność czy wszystkie spółka w ramy grupa kapitałowy używać tych sam wskaźnik do mierzenia raportowanych obszar\n", + "=====================================================================\n", + "[('cap', 100.0, 178), 66.66666666666666, array(['dyplomowany księgowy'], dtype=object)]\n", + "in the year end 31 december 2017 the bondholder convert of series bond which result in the increase of issue capital by series ordinary bearer share with a nominal value of pln each\n", + "in the year end 31 december 2017 the bondholder convert of series bond which result in the increase of issue capital dyplomowany księgowy by series ordinary bearer share with a nominal value of pln each\n", + "w rok zakończony dzień 31 grudzień 2017 rok obligatariusze skonwertować szt obligacja seria co spowodować wzrost kapitał zakładowy o zwykły akcja na okaziciel seria o wartość nominalny pln na akcja\n", + "=====================================================================\n", + "[('nominal value', 100.0, 782), 76.19047619047619, array(['wartość nominalna'], dtype=object)]\n", + "in the year end 31 december 2017 the bondholder convert of series bond which result in the increase of issue capital by series ordinary bearer share with a nominal value of pln each\n", + "in the year end 31 december 2017 the bondholder convert of series bond which result in the increase of issue capital by series ordinary bearer share with a nominal value wartość nominalna of pln each\n", + "w rok zakończony dzień 31 grudzień 2017 rok obligatariusze skonwertować szt obligacja seria co spowodować wzrost kapitał zakładowy o zwykły akcja na okaziciel seria o wartość nominalny pln na akcja\n", + "=====================================================================\n", + "[('year end', 100.0, 1193), 50.0, array(['koniec roku'], dtype=object)]\n", + "in the year end 31 december 2017 the bondholder convert of series bond which result in the increase of issue capital by series ordinary bearer share with a nominal value of pln each\n", + "in the year end koniec roku 31 december 2017 the bondholder convert of series bond which result in the increase of issue capital by series ordinary bearer share with a nominal value of pln each\n", + "w rok zakończony dzień 31 grudzień 2017 rok obligatariusze skonwertować szt obligacja seria co spowodować wzrost kapitał zakładowy o zwykły akcja na okaziciel seria o wartość nominalny pln na akcja\n", + "=====================================================================\n", + "[('impairment', 100.0, 632), 50.0, array(['utrata wartości aktywów'], dtype=object)]\n", + "unrealised loss be eliminate unless they indicate impairment\n", + "unrealised loss be eliminate utrata wartości aktywów unless they indicate impairment\n", + "niezrealizowane strata są eliminowane chyba że dowodzić wystąpienie utrata wartość\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 66.66666666666666, array(['strata'], dtype=object)]\n", + "unrealised loss be eliminate unless they indicate impairment\n", + "unrealised loss strata be eliminate unless they indicate impairment\n", + "niezrealizowane strata są eliminowane chyba że dowodzić wystąpienie utrata wartość\n", + "=====================================================================\n", + "[('unrealised loss', 100.0, 1153), 53.84615384615385, array(['niezrealizowane straty'], dtype=object)]\n", + "unrealised loss be eliminate unless they indicate impairment\n", + "unrealised loss niezrealizowane straty be eliminate unless they indicate impairment\n", + "niezrealizowane strata są eliminowane chyba że dowodzić wystąpienie utrata wartość\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 50.0, array(['aktywa'], dtype=object)]\n", + "available for sale financial asset\n", + "available for sale aktywa financial asset\n", + "aktywa finansowy utrzymywane do termin wykup\n", + "=====================================================================\n", + "[('financial asset', 100.0, 514), 57.142857142857146, array(['aktywa finansowe'], dtype=object)]\n", + "available for sale financial asset\n", + "available for sale financial aktywa finansowe asset\n", + "aktywa finansowy utrzymywane do termin wykup\n", + "=====================================================================\n", + "[('sale', 100.0, 1000), 57.142857142857146, array(['sprzedaż'], dtype=object)]\n", + "available for sale financial asset\n", + "available for sale sprzedaż financial asset\n", + "aktywa finansowy utrzymywane do termin wykup\n", + "=====================================================================\n", + "[('available for sale asset', 88.37209302325581, 130), 33.33333333333333, array(['aktywa dostępne do sprzedaży'], dtype=object)]\n", + "available for sale financial asset\n", + "available for sale financial aktywa dostępne do sprzedaży asset\n", + "aktywa finansowy utrzymywane do termin wykup\n", + "=====================================================================\n", + "[('ema', 100.0, 410), 66.66666666666666, array(['rachunkowość zarządcza ochrony środowiska'], dtype=object)]\n", + "however the remarkable absorption in the city will allow for a stabilization of the rate in the come quarter\n", + "however the remarkable rachunkowość zarządcza ochrony środowiska absorption in the city will allow for a stabilization of the rate in the come quarter\n", + "niemniej jednak wysoki poziom absorbcji netto przyczynić się do stabilizacja wskaźnik w kolejny kwartał\n", + "=====================================================================\n", + "[('barter', 90.9090909090909, 146), 36.36363636363637, array(['handel wymienny'], dtype=object)]\n", + "however the remarkable absorption in the city will allow for a stabilization of the rate in the come quarter\n", + "however the remarkable absorption in the city will allow for a handel wymienny stabilization of the rate in the come quarter\n", + "niemniej jednak wysoki poziom absorbcji netto przyczynić się do stabilizacja wskaźnik w kolejny kwartał\n", + "=====================================================================\n", + "[('note', 100.0, 791), 57.142857142857146, array(['informacja dodatkowa'], dtype=object)]\n", + "to the general meeting shareholders meeting and supervisory board note 1\n", + "to the general meeting shareholders meeting and supervisory board note informacja dodatkowa 1\n", + "dla walny zgromadzenia zgromadzenie wspólnik oraz dla rada nadzorczy uwaga 1\n", + "=====================================================================\n", + "[('supervisory board', 100.0, 1071), 54.54545454545455, array(['rada nadzorcza'], dtype=object)]\n", + "to the general meeting shareholders meeting and supervisory board note 1\n", + "to the general meeting shareholders meeting and supervisory board rada nadzorcza note 1\n", + "dla walny zgromadzenia zgromadzenie wspólnik oraz dla rada nadzorczy uwaga 1\n", + "=====================================================================\n", + "[('liability', 88.88888888888889, 716), 80.0, array(['zobowiązania'], dtype=object)]\n", + "of which overdue liabilities to related party\n", + "of which overdue liabilities zobowiązania to related party\n", + "w tym przetermi nowane zobowiązanie wobec podmiot powiązanych\n", + "=====================================================================\n", + "[('control', 100.0, 289), 85.71428571428571, array(['kontrola '], dtype=object)]\n", + "supervise and control all vap sale\n", + "supervise and control kontrola all vap sale\n", + "nadzorowanie i kontrola wszystkich sprzedaż vap\n", + "=====================================================================\n", + "[('sale', 100.0, 1000), 50.0, array(['sprzedaż'], dtype=object)]\n", + "supervise and control all vap sale\n", + "supervise sprzedaż and control all vap sale\n", + "nadzorowanie i kontrola wszystkich sprzedaż vap\n", + "=====================================================================\n", + "[('income', 100.0, 638), 100.0, array(['zysk'], dtype=object)]\n", + "advantage exemption from corporate income tax cit within the scope of income generate by activity conduct within sez and cover by a permit within sez or by a decision on support within piz\n", + "advantage exemption from corporate income zysk tax cit within the scope of income generate by activity conduct within sez and cover by a permit within sez or by a decision on support within piz\n", + "korzyść zwolnienie z podatek dochodo wego cit w zakres dochód generowa nego z działalność prowadzony na teren sse i objętej zezwolenie w ramy sse lub objętej decyzja o wsparcie w ramy psi\n", + "=====================================================================\n", + "[('corporate income taxis', 90.9090909090909, 299), 51.61290322580645, array(['podatki dochodowe od osób prawnych'], dtype=object)]\n", + "advantage exemption from corporate income tax cit within the scope of income generate by activity conduct within sez and cover by a permit within sez or by a decision on support within piz\n", + "advantage exemption from corporate income tax podatki dochodowe od osób prawnych cit within the scope of income generate by activity conduct within sez and cover by a permit within sez or by a decision on support within piz\n", + "korzyść zwolnienie z podatek dochodo wego cit w zakres dochód generowa nego z działalność prowadzony na teren sse i objętej zezwolenie w ramy sse lub objętej decyzja o wsparcie w ramy psi\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "provision of the service refer to in passage 2 shall be possible only in the scope not relate to the tax policy of the audit entity after the audit committee evaluate hazard and safeguard for the independence refer to in articles 69 73\n", + "provision of the service refer to in passage 2 shall be possible only in the scope not relate to the tax policy of the audit badanie sprawozdania finansowego entity after the audit committee evaluate hazard and safeguard for the independence refer to in articles 69 73\n", + "świadczenie usługi o których mowa w ust 2 możliwy jest jedynie w zakres niezwiązanym z polityka podatkowy badany jednostka po przeprowadzeniu przez komitet audyt ocena zagrożenie i zabezpieczenie niezależność o której mowa w art 69 73\n", + "=====================================================================\n", + "[('audit committee', 100.0, 113), 66.66666666666666, array(['komisja rewizyjna'], dtype=object)]\n", + "provision of the service refer to in passage 2 shall be possible only in the scope not relate to the tax policy of the audit entity after the audit committee evaluate hazard and safeguard for the independence refer to in articles 69 73\n", + "provision of the service refer to in passage 2 shall be possible only in the scope not relate to the tax policy of the audit entity after the audit committee komisja rewizyjna evaluate hazard and safeguard for the independence refer to in articles 69 73\n", + "świadczenie usługi o których mowa w ust 2 możliwy jest jedynie w zakres niezwiązanym z polityka podatkowy badany jednostka po przeprowadzeniu przez komitet audyt ocena zagrożenie i zabezpieczenie niezależność o której mowa w art 69 73\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 100.0, array(['jednostka'], dtype=object)]\n", + "provision of the service refer to in passage 2 shall be possible only in the scope not relate to the tax policy of the audit entity after the audit committee evaluate hazard and safeguard for the independence refer to in articles 69 73\n", + "provision of the service refer to in passage 2 shall be possible only in the scope not relate to the tax policy of the audit entity jednostka after the audit committee evaluate hazard and safeguard for the independence refer to in articles 69 73\n", + "świadczenie usługi o których mowa w ust 2 możliwy jest jedynie w zakres niezwiązanym z polityka podatkowy badany jednostka po przeprowadzeniu przez komitet audyt ocena zagrożenie i zabezpieczenie niezależność o której mowa w art 69 73\n", + "=====================================================================\n", + "[('independence', 100.0, 649), 100.0, array(['niezależność'], dtype=object)]\n", + "provision of the service refer to in passage 2 shall be possible only in the scope not relate to the tax policy of the audit entity after the audit committee evaluate hazard and safeguard for the independence refer to in articles 69 73\n", + "provision of the service refer to in niezależność passage 2 shall be possible only in the scope not relate to the tax policy of the audit entity after the audit committee evaluate hazard and safeguard for the independence refer to in articles 69 73\n", + "świadczenie usługi o których mowa w ust 2 możliwy jest jedynie w zakres niezwiązanym z polityka podatkowy badany jednostka po przeprowadzeniu przez komitet audyt ocena zagrożenie i zabezpieczenie niezależność o której mowa w art 69 73\n", + "=====================================================================\n", + "[('provision', 100.0, 909), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "provision of the service refer to in passage 2 shall be possible only in the scope not relate to the tax policy of the audit entity after the audit committee evaluate hazard and safeguard for the independence refer to in articles 69 73\n", + "provision rezerwa of the service refer to in passage 2 shall be possible only in the scope not relate to the tax policy of the audit entity after the audit committee evaluate hazard and safeguard for the independence refer to in articles 69 73\n", + "świadczenie usługi o których mowa w ust 2 możliwy jest jedynie w zakres niezwiązanym z polityka podatkowy badany jednostka po przeprowadzeniu przez komitet audyt ocena zagrożenie i zabezpieczenie niezależność o której mowa w art 69 73\n", + "=====================================================================\n", + "[('cost', 100.0, 303), 40.0, array(['koszt', 'koszty'], dtype=object)]\n", + "raw material at cost\n", + "raw material at koszt cost\n", + "materiał według cena nabycie\n", + "=====================================================================\n", + "[('cost', 100.0, 324), 40.0, array(['koszt', 'koszty'], dtype=object)]\n", + "raw material at cost\n", + "raw material at koszt cost\n", + "materiał według cena nabycie\n", + "=====================================================================\n", + "[('liability', 88.88888888888889, 716), 100.0, array(['zobowiązania'], dtype=object)]\n", + "it be worth point out that respondent outside the seven major business service location i e outside kraków warsaw wrocław tri city katowice łódź and poznań give much low score to their location availability of modern office space and availability of transportation\n", + "it zobowiązania be worth point out that respondent outside the seven major business service location i e outside kraków warsaw wrocław tri city katowice łódź and poznań give much low score to their location availability of modern office space and availability of transportation\n", + "warto dodać że respondent spoza siedem wielki ośrodek usługi biznesowy czyli spoza kraków warszawa wrocław trójmiasto katowice łódź poznań zdecydowanie nisko oceniać dostępność nowoczesny powierzchnia biurowy i dostępność komunikacyjny swoich ośrodek\n", + "=====================================================================\n", + "[('interest', 100.0, 664), 28.57142857142857, array(['odsetki'], dtype=object)]\n", + "interest in joint operation\n", + "interest odsetki in joint operation\n", + "udział w wspólny działanie\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "datum from the register of the statutory auditor from the third country keep pursuant to provision applicable hitherto shall be use to supplement the list of the audit entity come from the third country as define by this act to the extent refer to in article 204 passage 2 item 6\n", + "datum from the register of the statutory auditor badanie sprawozdania finansowego from the third country keep pursuant to provision applicable hitherto shall be use to supplement the list of the audit entity come from the third country as define by this act to the extent refer to in article 204 passage 2 item 6\n", + "dana z rejestr biegły rewident z państwo trzeci prowadzony na podstawa przepis dotychczasowy zostają wykorzystane do uzupełnienie lista jednostka audytorski pochodzących z państwo trzeci w rozumienie niniej szej ustawa w zakres o którym mowa w art 204 ust 2 pkt 6\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "datum from the register of the statutory auditor from the third country keep pursuant to provision applicable hitherto shall be use to supplement the list of the audit entity come from the third country as define by this act to the extent refer to in article 204 passage 2 item 6\n", + "datum from the register of the statutory auditor biegły rewident from the third country keep pursuant to provision applicable hitherto shall be use to supplement the list of the audit entity come from the third country as define by this act to the extent refer to in article 204 passage 2 item 6\n", + "dana z rejestr biegły rewident z państwo trzeci prowadzony na podstawa przepis dotychczasowy zostają wykorzystane do uzupełnienie lista jednostka audytorski pochodzących z państwo trzeci w rozumienie niniej szej ustawa w zakres o którym mowa w art 204 ust 2 pkt 6\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 66.66666666666666, array(['jednostka'], dtype=object)]\n", + "datum from the register of the statutory auditor from the third country keep pursuant to provision applicable hitherto shall be use to supplement the list of the audit entity come from the third country as define by this act to the extent refer to in article 204 passage 2 item 6\n", + "datum from the register of the statutory auditor from the third country keep pursuant to provision applicable hitherto shall be use to supplement the list of the audit entity jednostka come from the third country as define by this act to the extent refer to in article 204 passage 2 item 6\n", + "dana z rejestr biegły rewident z państwo trzeci prowadzony na podstawa przepis dotychczasowy zostają wykorzystane do uzupełnienie lista jednostka audytorski pochodzących z państwo trzeci w rozumienie niniej szej ustawa w zakres o którym mowa w art 204 ust 2 pkt 6\n", + "=====================================================================\n", + "[('provision', 100.0, 909), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "datum from the register of the statutory auditor from the third country keep pursuant to provision applicable hitherto shall be use to supplement the list of the audit entity come from the third country as define by this act to the extent refer to in article 204 passage 2 item 6\n", + "datum from the register of the statutory auditor from the third country keep pursuant to provision rezerwa applicable hitherto shall be use to supplement the list of the audit entity come from the third country as define by this act to the extent refer to in article 204 passage 2 item 6\n", + "dana z rejestr biegły rewident z państwo trzeci prowadzony na podstawa przepis dotychczasowy zostają wykorzystane do uzupełnienie lista jednostka audytorski pochodzących z państwo trzeci w rozumienie niniej szej ustawa w zakres o którym mowa w art 204 ust 2 pkt 6\n", + "=====================================================================\n", + "[('provision', 100.0, 911), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "datum from the register of the statutory auditor from the third country keep pursuant to provision applicable hitherto shall be use to supplement the list of the audit entity come from the third country as define by this act to the extent refer to in article 204 passage 2 item 6\n", + "datum from the register of the statutory auditor from the third country keep pursuant to provision rezerwa applicable hitherto shall be use to supplement the list of the audit entity come from the third country as define by this act to the extent refer to in article 204 passage 2 item 6\n", + "dana z rejestr biegły rewident z państwo trzeci prowadzony na podstawa przepis dotychczasowy zostają wykorzystane do uzupełnienie lista jednostka audytorski pochodzących z państwo trzeci w rozumienie niniej szej ustawa w zakres o którym mowa w art 204 ust 2 pkt 6\n", + "=====================================================================\n", + "[('gaa', 100.0, 563), 66.66666666666666, array(['światowe stowarzyszenie organizacji księgowych'], dtype=object)]\n", + "furthermore the gaar shall not apply if the tax benefit or the sum of the benefit of taxpayer s one artificial activity do not exceed pln 100 thousand in a give settlement period\n", + "furthermore the gaar światowe stowarzyszenie organizacji księgowych shall not apply if the tax benefit or the sum of the benefit of taxpayer s one artificial activity do not exceed pln 100 thousand in a give settlement period\n", + "jednocześnie wskazać należeć że klauzula przeciwko unikaniu opodatkowanie móc zostać zastosowany jeżeli korzyść podatkowy lub sum korzyść osiągniętych przez podmiot z tytuł jeden sztuczny czynność prawny lub zespół takich czynność przekroczyć w okres rozliczeniowy 100 tys złoty\n", + "=====================================================================\n", + "[('contract', 100.0, 282), 46.15384615384615, array(['kontrakt', 'umowa'], dtype=object)]\n", + "the gross value of trade receivable arise from conclude contract amount to pln thousand\n", + "the gross value of trade receivable arise from conclude contract kontrakt amount to pln thousand\n", + "wartość brutto należność z tytuł dostawa i usługi wynikająca z zawartych umowa wynosić tysiąc pln\n", + "=====================================================================\n", + "[('contract', 100.0, 283), 46.15384615384615, array(['kontrakt', 'umowa'], dtype=object)]\n", + "the gross value of trade receivable arise from conclude contract amount to pln thousand\n", + "the gross value of trade receivable arise from conclude contract kontrakt amount to pln thousand\n", + "wartość brutto należność z tytuł dostawa i usługi wynikająca z zawartych umowa wynosić tysiąc pln\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 50.0, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "revenue be recognise to the extent that it be probable that the economic benefit will flow to the company and the revenue can be reliably measure\n", + "revenue be recognise koszty sprzedanych produktów, towarów i materiałów to the extent that it be probable that the economic benefit will flow to the company and the revenue can be reliably measure\n", + "przychód są ujmowane w takiej wysokość w jakiej jest prawdopodobny że spółka uzyska korzyść ekonomiczny związane z dany transakcja oraz gdy kwota przychód można wycenić w wiarygodny sposób\n", + "=====================================================================\n", + "[('company', 100.0, 245), 85.71428571428571, array(['spółka kapitałowa'], dtype=object)]\n", + "revenue be recognise to the extent that it be probable that the economic benefit will flow to the company and the revenue can be reliably measure\n", + "revenue be recognise to the extent that it be probable that the economic benefit will flow to the company spółka kapitałowa and the revenue can be reliably measure\n", + "przychód są ujmowane w takiej wysokość w jakiej jest prawdopodobny że spółka uzyska korzyść ekonomiczny związane z dany transakcja oraz gdy kwota przychód można wycenić w wiarygodny sposób\n", + "=====================================================================\n", + "[('economic', 100.0, 433), 87.5, array(['ekonomia'], dtype=object)]\n", + "revenue be recognise to the extent that it be probable that the economic benefit will flow to the company and the revenue can be reliably measure\n", + "revenue be recognise to the extent that it be probable that the economic ekonomia benefit will flow to the company and the revenue can be reliably measure\n", + "przychód są ujmowane w takiej wysokość w jakiej jest prawdopodobny że spółka uzyska korzyść ekonomiczny związane z dany transakcja oraz gdy kwota przychód można wycenić w wiarygodny sposób\n", + "=====================================================================\n", + "[('revenue', 100.0, 983), 66.66666666666666, array(['przychód'], dtype=object)]\n", + "revenue be recognise to the extent that it be probable that the economic benefit will flow to the company and the revenue can be reliably measure\n", + "revenue przychód be recognise to the extent that it be probable that the economic benefit will flow to the company and the revenue can be reliably measure\n", + "przychód są ujmowane w takiej wysokość w jakiej jest prawdopodobny że spółka uzyska korzyść ekonomiczny związane z dany transakcja oraz gdy kwota przychód można wycenić w wiarygodny sposób\n", + "=====================================================================\n", + "[('profit', 100.0, 898), 100.0, array(['zysk'], dtype=object)]\n", + "share of profit of associate and joint venture\n", + "share of zysk profit of associate and joint venture\n", + "udział w zysk jednostka stowarzyszony i wspólny przedsięwzięcie\n", + "=====================================================================\n", + "[('account', 100.0, 13), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "since their inception the new center have already generate 5 500 job account for 17 of new job in the sector\n", + "since their inception the new center have already generate 5 500 job account konto for 17 of new job in the sector\n", + "od chwila rozpoczęcie działalność nowy centrum wygenero wały 5 5 tys miejsce praca odpowiadać za 17 nowy zatrudnienie w sektor\n", + "=====================================================================\n", + "[('account', 100.0, 25), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "since their inception the new center have already generate 5 500 job account for 17 of new job in the sector\n", + "since their inception the new center have already generate 5 500 job account konto for 17 of new job in the sector\n", + "od chwila rozpoczęcie działalność nowy centrum wygenero wały 5 5 tys miejsce praca odpowiadać za 17 nowy zatrudnienie w sektor\n", + "=====================================================================\n", + "[('account', 100.0, 57), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "since their inception the new center have already generate 5 500 job account for 17 of new job in the sector\n", + "since their inception the new center have already generate 5 500 job account konto for 17 of new job in the sector\n", + "od chwila rozpoczęcie działalność nowy centrum wygenero wały 5 5 tys miejsce praca odpowiadać za 17 nowy zatrudnienie w sektor\n", + "=====================================================================\n", + "[('provision', 100.0, 909), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "the provision of article 189 passage 3 5 and article 190 shall apply accordingly 7\n", + "the provision rezerwa of article 189 passage 3 5 and article 190 shall apply accordingly 7\n", + "przepis art 189 ust 3 5 i art 190 stosować się odpowiednio 7\n", + "=====================================================================\n", + "[('provision', 100.0, 911), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "the provision of article 189 passage 3 5 and article 190 shall apply accordingly 7\n", + "the provision rezerwa of article 189 passage 3 5 and article 190 shall apply accordingly 7\n", + "przepis art 189 ust 3 5 i art 190 stosować się odpowiednio 7\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 50.0, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "the reconciliation of the above financial information and carry amount of interest in recognize in the group s consolidated financial statement be as follow\n", + "the reconciliation of the above financial information and carry amount of interest in recognize koszty sprzedanych produktów, towarów i materiałów in the group s consolidated financial statement be as follow\n", + "uzgodnienie powyższy informacja finansowy do wartość bilansowy udział w spółka ujętych w skonsolidowanym sprawozdanie finansowy grupa\n", + "=====================================================================\n", + "[('financial statement', 100.0, 526), 58.8235294117647, array(['sprawozdanie finansowe'], dtype=object)]\n", + "the reconciliation of the above financial information and carry amount of interest in recognize in the group s consolidated financial statement be as follow\n", + "the reconciliation of the above financial information and carry amount of interest in recognize in the group s consolidated financial statement sprawozdanie finansowe be as follow\n", + "uzgodnienie powyższy informacja finansowy do wartość bilansowy udział w spółka ujętych w skonsolidowanym sprawozdanie finansowy grupa\n", + "=====================================================================\n", + "[('group', 100.0, 593), 50.0, array(['grupa kapitałowa'], dtype=object)]\n", + "the reconciliation of the above financial information and carry amount of interest in recognize in the group s consolidated financial statement be as follow\n", + "the reconciliation of the above financial information and carry amount of interest in recognize in the group grupa kapitałowa s consolidated financial statement be as follow\n", + "uzgodnienie powyższy informacja finansowy do wartość bilansowy udział w spółka ujętych w skonsolidowanym sprawozdanie finansowy grupa\n", + "=====================================================================\n", + "[('interest', 100.0, 664), 46.15384615384615, array(['odsetki'], dtype=object)]\n", + "the reconciliation of the above financial information and carry amount of interest in recognize in the group s consolidated financial statement be as follow\n", + "the reconciliation of the above financial information and carry amount of interest odsetki in recognize in the group s consolidated financial statement be as follow\n", + "uzgodnienie powyższy informacja finansowy do wartość bilansowy udział w spółka ujętych w skonsolidowanym sprawozdanie finansowy grupa\n", + "=====================================================================\n", + "[('reconcile', 88.88888888888889, 945), 61.53846153846154, array(['uzgodnić'], dtype=object)]\n", + "the reconciliation of the above financial information and carry amount of interest in recognize in the group s consolidated financial statement be as follow\n", + "the reconciliation uzgodnić of the above financial information and carry amount of interest in recognize in the group s consolidated financial statement be as follow\n", + "uzgodnienie powyższy informacja finansowy do wartość bilansowy udział w spółka ujętych w skonsolidowanym sprawozdanie finansowy grupa\n", + "=====================================================================\n", + "[('report', 100.0, 963), 100.0, array(['sprawozdawczość'], dtype=object)]\n", + "implementation of tool which enable to fast detect violation of non compliance one of the basic tool of an effective compliance system be to establish a system of anonymous reporting violation whistleblowing allow without negative consequence for the applicant to report irregularity\n", + "implementation of tool which enable to fast detect violation of non compliance one of the basic tool of an effective compliance system be to establish a system of anonymous reporting sprawozdawczość violation whistleblowing allow without negative consequence for the applicant to report irregularity\n", + "wdrożenie narzędzie umożliwiających szybki wykrycie naruszenie niezgodność jeden z podstawowy narzędzie skuteczny system compliance jest ustanowienie system anonimowy zgłaszania naruszenie whistleblowing pozwalającego bez negatywny konsekwencja dla zgłaszającego zaraportować o nieprawidłowość\n", + "=====================================================================\n", + "[('sic', 100.0, 994), 50.0, array(['stały komitet ds. interpretacji'], dtype=object)]\n", + "implementation of tool which enable to fast detect violation of non compliance one of the basic tool of an effective compliance system be to establish a system of anonymous reporting violation whistleblowing allow without negative consequence for the applicant to report irregularity\n", + "implementation of tool which enable to fast detect violation of non compliance one of the basic stały komitet ds. interpretacji tool of an effective compliance system be to establish a system of anonymous reporting violation whistleblowing allow without negative consequence for the applicant to report irregularity\n", + "wdrożenie narzędzie umożliwiających szybki wykrycie naruszenie niezgodność jeden z podstawowy narzędzie skuteczny system compliance jest ustanowienie system anonimowy zgłaszania naruszenie whistleblowing pozwalającego bez negatywny konsekwencja dla zgłaszającego zaraportować o nieprawidłowość\n", + "=====================================================================\n", + "[('depreciation', 100.0, 373), 100.0, array(['amortyzacja'], dtype=object)]\n", + "exchange difference on translation accumulated depreciation and impairment as at 31 december 2017\n", + "exchange difference on amortyzacja translation accumulated depreciation and impairment as at 31 december 2017\n", + "różnica kursowy z przeliczenie umorzenie i odpis aktualizujące na dzienie 31 grudzień 2017 rok\n", + "=====================================================================\n", + "[('impairment', 100.0, 632), 100.0, array(['utrata wartości aktywów'], dtype=object)]\n", + "exchange difference on translation accumulated depreciation and impairment as at 31 december 2017\n", + "exchange difference on translation accumulated depreciation and impairment utrata wartości aktywów as at 31 december 2017\n", + "różnica kursowy z przeliczenie umorzenie i odpis aktualizujące na dzienie 31 grudzień 2017 rok\n", + "=====================================================================\n", + "[('accumulate depreciation', 95.65217391304348, 64), 50.0, array(['umorzenie'], dtype=object)]\n", + "exchange difference on translation accumulated depreciation and impairment as at 31 december 2017\n", + "exchange difference on translation accumulated depreciation umorzenie and impairment as at 31 december 2017\n", + "różnica kursowy z przeliczenie umorzenie i odpis aktualizujące na dzienie 31 grudzień 2017 rok\n", + "=====================================================================\n", + "[('transaction', 90.9090909090909, 1125), 100.0, array(['transakcja'], dtype=object)]\n", + "exchange difference on translation accumulated depreciation and impairment as at 31 december 2017\n", + "exchange difference on transakcja translation accumulated depreciation and impairment as at 31 december 2017\n", + "różnica kursowy z przeliczenie umorzenie i odpis aktualizujące na dzienie 31 grudzień 2017 rok\n", + "=====================================================================\n", + "[('account', 100.0, 13), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "upon the request of the candidate for the statutory auditor the board shall exempt he she from the practice refer to in article 4 passage 2 item 5 letter a if he she 1 be employ in the audit firm or remain in employment relation on an independent position in the financial and accounting unit for at least 3 year or 2 hold an accounting certificate authorise to keep accounting book or a qualification certificate authorise to keep accounting book issue by the minister competent for public finance or 3 be the appoint inspector of the supreme audit office\n", + "upon the request of the candidate for the statutory auditor the board shall exempt he she from the practice refer to in article 4 passage 2 item 5 letter a konto if he she 1 be employ in the audit firm or remain in employment relation on an independent position in the financial and accounting unit for at least 3 year or 2 hold an accounting certificate authorise to keep accounting book or a qualification certificate authorise to keep accounting book issue by the minister competent for public finance or 3 be the appoint inspector of the supreme audit office\n", + "komisja zaliczać kandydat na biegły rewident na on wniosek praktyka o której mowa w art 4 ust 2 pkt 5 lit a jeżeli 1 był zatrudniony w firma audytorski lub pozostawać w stosunek praca na samodzielny stanowisko w komórka finansowy księgowy przez co mało 3 rok lub 2 posiadać certyfikat księgowy uprawniający do usługowy prowadzenie księga rachunkowy albo świadectwo kwalifi kacyjne uprawniające do usługowy prowadzenie księga rachunkowy wydane przez minister właściwy do sprawa finanse publiczny lub 3 jest mianowanym kontroler wysoki izba kontrola\n", + "=====================================================================\n", + "[('account', 100.0, 25), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "upon the request of the candidate for the statutory auditor the board shall exempt he she from the practice refer to in article 4 passage 2 item 5 letter a if he she 1 be employ in the audit firm or remain in employment relation on an independent position in the financial and accounting unit for at least 3 year or 2 hold an accounting certificate authorise to keep accounting book or a qualification certificate authorise to keep accounting book issue by the minister competent for public finance or 3 be the appoint inspector of the supreme audit office\n", + "upon the request of the candidate for the statutory auditor the board shall exempt he she from the practice refer to in article 4 passage 2 item 5 letter a konto if he she 1 be employ in the audit firm or remain in employment relation on an independent position in the financial and accounting unit for at least 3 year or 2 hold an accounting certificate authorise to keep accounting book or a qualification certificate authorise to keep accounting book issue by the minister competent for public finance or 3 be the appoint inspector of the supreme audit office\n", + "komisja zaliczać kandydat na biegły rewident na on wniosek praktyka o której mowa w art 4 ust 2 pkt 5 lit a jeżeli 1 był zatrudniony w firma audytorski lub pozostawać w stosunek praca na samodzielny stanowisko w komórka finansowy księgowy przez co mało 3 rok lub 2 posiadać certyfikat księgowy uprawniający do usługowy prowadzenie księga rachunkowy albo świadectwo kwalifi kacyjne uprawniające do usługowy prowadzenie księga rachunkowy wydane przez minister właściwy do sprawa finanse publiczny lub 3 jest mianowanym kontroler wysoki izba kontrola\n", + "=====================================================================\n", + "[('account', 100.0, 57), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "upon the request of the candidate for the statutory auditor the board shall exempt he she from the practice refer to in article 4 passage 2 item 5 letter a if he she 1 be employ in the audit firm or remain in employment relation on an independent position in the financial and accounting unit for at least 3 year or 2 hold an accounting certificate authorise to keep accounting book or a qualification certificate authorise to keep accounting book issue by the minister competent for public finance or 3 be the appoint inspector of the supreme audit office\n", + "upon the request of the candidate for the statutory auditor the board shall exempt he she from the practice refer to in article 4 passage 2 item 5 letter a konto if he she 1 be employ in the audit firm or remain in employment relation on an independent position in the financial and accounting unit for at least 3 year or 2 hold an accounting certificate authorise to keep accounting book or a qualification certificate authorise to keep accounting book issue by the minister competent for public finance or 3 be the appoint inspector of the supreme audit office\n", + "komisja zaliczać kandydat na biegły rewident na on wniosek praktyka o której mowa w art 4 ust 2 pkt 5 lit a jeżeli 1 był zatrudniony w firma audytorski lub pozostawać w stosunek praca na samodzielny stanowisko w komórka finansowy księgowy przez co mało 3 rok lub 2 posiadać certyfikat księgowy uprawniający do usługowy prowadzenie księga rachunkowy albo świadectwo kwalifi kacyjne uprawniające do usługowy prowadzenie księga rachunkowy wydane przez minister właściwy do sprawa finanse publiczny lub 3 jest mianowanym kontroler wysoki izba kontrola\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "upon the request of the candidate for the statutory auditor the board shall exempt he she from the practice refer to in article 4 passage 2 item 5 letter a if he she 1 be employ in the audit firm or remain in employment relation on an independent position in the financial and accounting unit for at least 3 year or 2 hold an accounting certificate authorise to keep accounting book or a qualification certificate authorise to keep accounting book issue by the minister competent for public finance or 3 be the appoint inspector of the supreme audit office\n", + "upon the request of the candidate for the statutory auditor badanie sprawozdania finansowego the board shall exempt he she from the practice refer to in article 4 passage 2 item 5 letter a if he she 1 be employ in the audit firm or remain in employment relation on an independent position in the financial and accounting unit for at least 3 year or 2 hold an accounting certificate authorise to keep accounting book or a qualification certificate authorise to keep accounting book issue by the minister competent for public finance or 3 be the appoint inspector of the supreme audit office\n", + "komisja zaliczać kandydat na biegły rewident na on wniosek praktyka o której mowa w art 4 ust 2 pkt 5 lit a jeżeli 1 był zatrudniony w firma audytorski lub pozostawać w stosunek praca na samodzielny stanowisko w komórka finansowy księgowy przez co mało 3 rok lub 2 posiadać certyfikat księgowy uprawniający do usługowy prowadzenie księga rachunkowy albo świadectwo kwalifi kacyjne uprawniające do usługowy prowadzenie księga rachunkowy wydane przez minister właściwy do sprawa finanse publiczny lub 3 jest mianowanym kontroler wysoki izba kontrola\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "upon the request of the candidate for the statutory auditor the board shall exempt he she from the practice refer to in article 4 passage 2 item 5 letter a if he she 1 be employ in the audit firm or remain in employment relation on an independent position in the financial and accounting unit for at least 3 year or 2 hold an accounting certificate authorise to keep accounting book or a qualification certificate authorise to keep accounting book issue by the minister competent for public finance or 3 be the appoint inspector of the supreme audit office\n", + "upon the request of the candidate for the statutory auditor biegły rewident the board shall exempt he she from the practice refer to in article 4 passage 2 item 5 letter a if he she 1 be employ in the audit firm or remain in employment relation on an independent position in the financial and accounting unit for at least 3 year or 2 hold an accounting certificate authorise to keep accounting book or a qualification certificate authorise to keep accounting book issue by the minister competent for public finance or 3 be the appoint inspector of the supreme audit office\n", + "komisja zaliczać kandydat na biegły rewident na on wniosek praktyka o której mowa w art 4 ust 2 pkt 5 lit a jeżeli 1 był zatrudniony w firma audytorski lub pozostawać w stosunek praca na samodzielny stanowisko w komórka finansowy księgowy przez co mało 3 rok lub 2 posiadać certyfikat księgowy uprawniający do usługowy prowadzenie księga rachunkowy albo świadectwo kwalifi kacyjne uprawniające do usługowy prowadzenie księga rachunkowy wydane przez minister właściwy do sprawa finanse publiczny lub 3 jest mianowanym kontroler wysoki izba kontrola\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the obligation of professional secrecy shall not be affect by 1 report the suspicion of crime and provide information or transfer document in the case specify in this act or separate regulation 2 disclose the documentation and information from execution of financial audit activity in connection with proceeding pende before the audit oversight commission or body of the polish chamber of statutory auditors 3 transfer documentation concern the work perform with regard to the statutory audit by the statutory auditor or the audit firm in the case of conduct the statutory audit of entity belong to a group in which the parent company be base in the third country to the statutory auditor of a group if this documentation be necessary to conduct the audit of consolidated financial statement of the parent company\n", + "the obligation of professional secrecy shall not be affect by 1 report the suspicion of crime and provide information or transfer document in the case specify in this act or separate regulation 2 disclose the documentation and information from execution of financial audit badanie sprawozdania finansowego activity in connection with proceeding pende before the audit oversight commission or body of the polish chamber of statutory auditors 3 transfer documentation concern the work perform with regard to the statutory audit by the statutory auditor or the audit firm in the case of conduct the statutory audit of entity belong to a group in which the parent company be base in the third country to the statutory auditor of a group if this documentation be necessary to conduct the audit of consolidated financial statement of the parent company\n", + "nie naruszać obowiązek zachowanie tajemnica zawodowy 1 złożenie zawiadomienie o podejrzenie popełnienia przestępstwo oraz udzielanie informacja lub przekazywanie dok mentów w przypadek określony w niniejszy ustawa lub odrębny przepis 2 udostępnienie dokumentacja i informacja z wykonanie czynność rewizja finansowy w związek z toczącymi się posta powaniami przed komisja nadzór audytowy lub organy polski izba biegły rewident 3 przekazanie przez biegły rewident lub firma audytorski w przypadek przeprowadzania badanie ustawowy jednostka należący do grupa kapitałowy której jednostka dominujący znajdywać się w państwo trzeci dokument cji dotyczącej wykonywanej praca w zakres badanie ustawowy biegły rewident grupa kapitałowy jeżeli dokumentacja ta jest konieczny do przeprowadzenia badanie skonsolidowanego sprawozdanie finansowy jednostka dominujący\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "the obligation of professional secrecy shall not be affect by 1 report the suspicion of crime and provide information or transfer document in the case specify in this act or separate regulation 2 disclose the documentation and information from execution of financial audit activity in connection with proceeding pende before the audit oversight commission or body of the polish chamber of statutory auditors 3 transfer documentation concern the work perform with regard to the statutory audit by the statutory auditor or the audit firm in the case of conduct the statutory audit of entity belong to a group in which the parent company be base in the third country to the statutory auditor of a group if this documentation be necessary to conduct the audit of consolidated financial statement of the parent company\n", + "the obligation of professional secrecy shall not be affect by 1 report the suspicion of crime and provide information or biegły rewident transfer document in the case specify in this act or separate regulation 2 disclose the documentation and information from execution of financial audit activity in connection with proceeding pende before the audit oversight commission or body of the polish chamber of statutory auditors 3 transfer documentation concern the work perform with regard to the statutory audit by the statutory auditor or the audit firm in the case of conduct the statutory audit of entity belong to a group in which the parent company be base in the third country to the statutory auditor of a group if this documentation be necessary to conduct the audit of consolidated financial statement of the parent company\n", + "nie naruszać obowiązek zachowanie tajemnica zawodowy 1 złożenie zawiadomienie o podejrzenie popełnienia przestępstwo oraz udzielanie informacja lub przekazywanie dok mentów w przypadek określony w niniejszy ustawa lub odrębny przepis 2 udostępnienie dokumentacja i informacja z wykonanie czynność rewizja finansowy w związek z toczącymi się posta powaniami przed komisja nadzór audytowy lub organy polski izba biegły rewident 3 przekazanie przez biegły rewident lub firma audytorski w przypadek przeprowadzania badanie ustawowy jednostka należący do grupa kapitałowy której jednostka dominujący znajdywać się w państwo trzeci dokument cji dotyczącej wykonywanej praca w zakres badanie ustawowy biegły rewident grupa kapitałowy jeżeli dokumentacja ta jest konieczny do przeprowadzenia badanie skonsolidowanego sprawozdanie finansowy jednostka dominujący\n", + "=====================================================================\n", + "[('cio', 100.0, 182), 100.0, array(['dyrektor ds. informacji'], dtype=object)]\n", + "the obligation of professional secrecy shall not be affect by 1 report the suspicion of crime and provide information or transfer document in the case specify in this act or separate regulation 2 disclose the documentation and information from execution of financial audit activity in connection with proceeding pende before the audit oversight commission or body of the polish chamber of statutory auditors 3 transfer documentation concern the work perform with regard to the statutory audit by the statutory auditor or the audit firm in the case of conduct the statutory audit of entity belong to a group in which the parent company be base in the third country to the statutory auditor of a group if this documentation be necessary to conduct the audit of consolidated financial statement of the parent company\n", + "the obligation of professional secrecy shall not be affect by 1 report the suspicion dyrektor ds. informacji of crime and provide information or transfer document in the case specify in this act or separate regulation 2 disclose the documentation and information from execution of financial audit activity in connection with proceeding pende before the audit oversight commission or body of the polish chamber of statutory auditors 3 transfer documentation concern the work perform with regard to the statutory audit by the statutory auditor or the audit firm in the case of conduct the statutory audit of entity belong to a group in which the parent company be base in the third country to the statutory auditor of a group if this documentation be necessary to conduct the audit of consolidated financial statement of the parent company\n", + "nie naruszać obowiązek zachowanie tajemnica zawodowy 1 złożenie zawiadomienie o podejrzenie popełnienia przestępstwo oraz udzielanie informacja lub przekazywanie dok mentów w przypadek określony w niniejszy ustawa lub odrębny przepis 2 udostępnienie dokumentacja i informacja z wykonanie czynność rewizja finansowy w związek z toczącymi się posta powaniami przed komisja nadzór audytowy lub organy polski izba biegły rewident 3 przekazanie przez biegły rewident lub firma audytorski w przypadek przeprowadzania badanie ustawowy jednostka należący do grupa kapitałowy której jednostka dominujący znajdywać się w państwo trzeci dokument cji dotyczącej wykonywanej praca w zakres badanie ustawowy biegły rewident grupa kapitałowy jeżeli dokumentacja ta jest konieczny do przeprowadzenia badanie skonsolidowanego sprawozdanie finansowy jednostka dominujący\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "the obligation of professional secrecy shall not be affect by 1 report the suspicion of crime and provide information or transfer document in the case specify in this act or separate regulation 2 disclose the documentation and information from execution of financial audit activity in connection with proceeding pende before the audit oversight commission or body of the polish chamber of statutory auditors 3 transfer documentation concern the work perform with regard to the statutory audit by the statutory auditor or the audit firm in the case of conduct the statutory audit of entity belong to a group in which the parent company be base in the third country to the statutory auditor of a group if this documentation be necessary to conduct the audit of consolidated financial statement of the parent company\n", + "the obligation of professional secrecy shall not be affect by 1 report the suspicion of crime and provide information or transfer document in the case specify in this act or separate regulation 2 disclose the documentation and information from execution of financial audit activity in connection with proceeding pende before the audit oversight commission prowizje or body of the polish chamber of statutory auditors 3 transfer documentation concern the work perform with regard to the statutory audit by the statutory auditor or the audit firm in the case of conduct the statutory audit of entity belong to a group in which the parent company be base in the third country to the statutory auditor of a group if this documentation be necessary to conduct the audit of consolidated financial statement of the parent company\n", + "nie naruszać obowiązek zachowanie tajemnica zawodowy 1 złożenie zawiadomienie o podejrzenie popełnienia przestępstwo oraz udzielanie informacja lub przekazywanie dok mentów w przypadek określony w niniejszy ustawa lub odrębny przepis 2 udostępnienie dokumentacja i informacja z wykonanie czynność rewizja finansowy w związek z toczącymi się posta powaniami przed komisja nadzór audytowy lub organy polski izba biegły rewident 3 przekazanie przez biegły rewident lub firma audytorski w przypadek przeprowadzania badanie ustawowy jednostka należący do grupa kapitałowy której jednostka dominujący znajdywać się w państwo trzeci dokument cji dotyczącej wykonywanej praca w zakres badanie ustawowy biegły rewident grupa kapitałowy jeżeli dokumentacja ta jest konieczny do przeprowadzenia badanie skonsolidowanego sprawozdanie finansowy jednostka dominujący\n", + "=====================================================================\n", + "[('company', 100.0, 245), 100.0, array(['spółka kapitałowa'], dtype=object)]\n", + "the obligation of professional secrecy shall not be affect by 1 report the suspicion of crime and provide information or transfer document in the case specify in this act or separate regulation 2 disclose the documentation and information from execution of financial audit activity in connection with proceeding pende before the audit oversight commission or body of the polish chamber of statutory auditors 3 transfer documentation concern the work perform with regard to the statutory audit by the statutory auditor or the audit firm in the case of conduct the statutory audit of entity belong to a group in which the parent company be base in the third country to the statutory auditor of a group if this documentation be necessary to conduct the audit of consolidated financial statement of the parent company\n", + "the obligation of professional secrecy shall not be affect by 1 report the suspicion of crime and provide information or transfer document in the case specify in this act or separate regulation 2 disclose the documentation and information from execution of financial audit activity in connection with proceeding pende before the audit oversight commission or body of the polish chamber of statutory auditors 3 transfer documentation concern the work perform with regard to the statutory audit by the statutory auditor or the audit firm in the case of conduct the statutory audit of entity belong to a spółka kapitałowa group in which the parent company be base in the third country to the statutory auditor of a group if this documentation be necessary to conduct the audit of consolidated financial statement of the parent company\n", + "nie naruszać obowiązek zachowanie tajemnica zawodowy 1 złożenie zawiadomienie o podejrzenie popełnienia przestępstwo oraz udzielanie informacja lub przekazywanie dok mentów w przypadek określony w niniejszy ustawa lub odrębny przepis 2 udostępnienie dokumentacja i informacja z wykonanie czynność rewizja finansowy w związek z toczącymi się posta powaniami przed komisja nadzór audytowy lub organy polski izba biegły rewident 3 przekazanie przez biegły rewident lub firma audytorski w przypadek przeprowadzania badanie ustawowy jednostka należący do grupa kapitałowy której jednostka dominujący znajdywać się w państwo trzeci dokument cji dotyczącej wykonywanej praca w zakres badanie ustawowy biegły rewident grupa kapitałowy jeżeli dokumentacja ta jest konieczny do przeprowadzenia badanie skonsolidowanego sprawozdanie finansowy jednostka dominujący\n", + "=====================================================================\n", + "[('expense', 100.0, 479), 54.54545454545455, array(['koszt'], dtype=object)]\n", + "income tax expense report in the consolidated profit or loss\n", + "income tax expense koszt report in the consolidated profit or loss\n", + "obciążenie podatkowy wykazane w skonsolidowanym zysk lub strata\n", + "=====================================================================\n", + "[('income', 100.0, 638), 50.0, array(['zysk'], dtype=object)]\n", + "income tax expense report in the consolidated profit or loss\n", + "income zysk tax expense report in the consolidated profit or loss\n", + "obciążenie podatkowy wykazane w skonsolidowanym zysk lub strata\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 50.0, array(['strata'], dtype=object)]\n", + "income tax expense report in the consolidated profit or loss\n", + "income tax expense report in the consolidated strata profit or loss\n", + "obciążenie podatkowy wykazane w skonsolidowanym zysk lub strata\n", + "=====================================================================\n", + "[('profit', 100.0, 898), 54.54545454545455, array(['zysk'], dtype=object)]\n", + "income tax expense report in the consolidated profit or loss\n", + "income tax expense report in the consolidated profit zysk or loss\n", + "obciążenie podatkowy wykazane w skonsolidowanym zysk lub strata\n", + "=====================================================================\n", + "[('report', 100.0, 963), 54.54545454545455, array(['sprawozdawczość'], dtype=object)]\n", + "income tax expense report in the consolidated profit or loss\n", + "income tax expense report sprawozdawczość in the consolidated profit or loss\n", + "obciążenie podatkowy wykazane w skonsolidowanym zysk lub strata\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the statutory auditor or the audit firm shall deliver to the audit oversight commission at its request the information the audit documentation as define by article 68 item 1 and other document hold by the statutory auditor or the audit firm for the purpose of transfer they to the competent public oversight authority of the third country\n", + "the statutory auditor badanie sprawozdania finansowego or the audit firm shall deliver to the audit oversight commission at its request the information the audit documentation as define by article 68 item 1 and other document hold by the statutory auditor or the audit firm for the purpose of transfer they to the competent public oversight authority of the third country\n", + "biegły rewident lub firma audytorski są obowiązany doręczyć komisja nadzór audytowy na on żądanie informacja dokumentacja badanie w rozumienie art 68 pkt 1 i inny dokument będące w posiadanie biegły rewident lub firma audytorski w cel przekazania on właściwy organ nadzór publiczny z państwo trzeci\n", + "=====================================================================\n", + "[('audit documentation', 100.0, 114), 69.23076923076923, array(['dokumentacja z badania sprawozdania finansowego'], dtype=object)]\n", + "the statutory auditor or the audit firm shall deliver to the audit oversight commission at its request the information the audit documentation as define by article 68 item 1 and other document hold by the statutory auditor or the audit firm for the purpose of transfer they to the competent public oversight authority of the third country\n", + "the statutory auditor or the audit firm shall deliver to the audit oversight commission at its request the information the audit documentation dokumentacja z badania sprawozdania finansowego as define by article 68 item 1 and other document hold by the statutory auditor or the audit firm for the purpose of transfer they to the competent public oversight authority of the third country\n", + "biegły rewident lub firma audytorski są obowiązany doręczyć komisja nadzór audytowy na on żądanie informacja dokumentacja badanie w rozumienie art 68 pkt 1 i inny dokument będące w posiadanie biegły rewident lub firma audytorski w cel przekazania on właściwy organ nadzór publiczny z państwo trzeci\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "the statutory auditor or the audit firm shall deliver to the audit oversight commission at its request the information the audit documentation as define by article 68 item 1 and other document hold by the statutory auditor or the audit firm for the purpose of transfer they to the competent public oversight authority of the third country\n", + "the statutory auditor biegły rewident or the audit firm shall deliver to the audit oversight commission at its request the information the audit documentation as define by article 68 item 1 and other document hold by the statutory auditor or the audit firm for the purpose of transfer they to the competent public oversight authority of the third country\n", + "biegły rewident lub firma audytorski są obowiązany doręczyć komisja nadzór audytowy na on żądanie informacja dokumentacja badanie w rozumienie art 68 pkt 1 i inny dokument będące w posiadanie biegły rewident lub firma audytorski w cel przekazania on właściwy organ nadzór publiczny z państwo trzeci\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "the statutory auditor or the audit firm shall deliver to the audit oversight commission at its request the information the audit documentation as define by article 68 item 1 and other document hold by the statutory auditor or the audit firm for the purpose of transfer they to the competent public oversight authority of the third country\n", + "the statutory auditor or the audit firm shall deliver to the audit oversight commission prowizje at its request the information the audit documentation as define by article 68 item 1 and other document hold by the statutory auditor or the audit firm for the purpose of transfer they to the competent public oversight authority of the third country\n", + "biegły rewident lub firma audytorski są obowiązany doręczyć komisja nadzór audytowy na on żądanie informacja dokumentacja badanie w rozumienie art 68 pkt 1 i inny dokument będące w posiadanie biegły rewident lub firma audytorski w cel przekazania on właściwy organ nadzór publiczny z państwo trzeci\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 100.0, array(['nadzór'], dtype=object)]\n", + "the statutory auditor or the audit firm shall deliver to the audit oversight commission at its request the information the audit documentation as define by article 68 item 1 and other document hold by the statutory auditor or the audit firm for the purpose of transfer they to the competent public oversight authority of the third country\n", + "the statutory auditor or the audit firm shall deliver to the audit oversight nadzór commission at its request the information the audit documentation as define by article 68 item 1 and other document hold by the statutory auditor or the audit firm for the purpose of transfer they to the competent public oversight authority of the third country\n", + "biegły rewident lub firma audytorski są obowiązany doręczyć komisja nadzór audytowy na on żądanie informacja dokumentacja badanie w rozumienie art 68 pkt 1 i inny dokument będące w posiadanie biegły rewident lub firma audytorski w cel przekazania on właściwy organ nadzór publiczny z państwo trzeci\n", + "=====================================================================\n", + "[('company', 100.0, 245), 40.0, array(['spółka kapitałowa'], dtype=object)]\n", + "disposal of subsidiary company\n", + "disposal of spółka kapitałowa subsidiary company\n", + "zbyt jednostka zależny\n", + "=====================================================================\n", + "[('subsidiary', 100.0, 1066), 40.0, array(['jednostka zależna'], dtype=object)]\n", + "disposal of subsidiary company\n", + "disposal of subsidiary jednostka zależna company\n", + "zbyt jednostka zależny\n", + "=====================================================================\n", + "[('ifrs', 100.0, 624), 40.0, array(['mssf'], dtype=object)]\n", + "management response 15 ifrs 16 lease\n", + "management response 15 ifrs mssf 16 lease\n", + "odpowiedź zarząd 15 mssf 16 leasing\n", + "=====================================================================\n", + "[('lease', 100.0, 709), 33.33333333333333, array(['leasing'], dtype=object)]\n", + "management response 15 ifrs 16 lease\n", + "management response leasing 15 ifrs 16 lease\n", + "odpowiedź zarząd 15 mssf 16 leasing\n", + "=====================================================================\n", + "[('company', 100.0, 245), 60.0, array(['spółka kapitałowa'], dtype=object)]\n", + "hold by the company in joint operation s equity if joint operation be a separate entity\n", + "hold by the company spółka kapitałowa in joint operation s equity if joint operation be a separate entity\n", + "procentowy udział spółka w kapitała jeśli wspólny działanie mieć forma odrębny jednostka\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 66.66666666666666, array(['jednostka'], dtype=object)]\n", + "hold by the company in joint operation s equity if joint operation be a separate entity\n", + "hold by jednostka the company in joint operation s equity if joint operation be a separate entity\n", + "procentowy udział spółka w kapitała jeśli wspólny działanie mieć forma odrębny jednostka\n", + "=====================================================================\n", + "[('equity', 100.0, 460), 50.0, array(['kapitał własny'], dtype=object)]\n", + "hold by the company in joint operation s equity if joint operation be a separate entity\n", + "hold by the company in joint operation s equity kapitał własny if joint operation be a separate entity\n", + "procentowy udział spółka w kapitała jeśli wspólny działanie mieć forma odrębny jednostka\n", + "=====================================================================\n", + "[('account', 100.0, 13), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "except where the deferred tax liability arise from the initial recognition of goodwill an asset or liability in a transaction that be not a business combination and at the time of the transaction affect neither the accounting profit nor taxable profit or loss and\n", + "except where the deferred tax liability arise from the initial recognition of goodwill an asset or liability in a konto transaction that be not a business combination and at the time of the transaction affect neither the accounting profit nor taxable profit or loss and\n", + "z wyjątek sytuacja gdy rezerwa na podatek odroczony powstawać w wynik początkowy ujęcie wartość firma lub początkowy ujęcie składnik aktywa bądź zobowiązanie przy transakcja nie stanowiącej połączenie jednostka i w chwila on zawierania nie mającej wpływ ani na zysk lub strata brutto ani na dochód do opodatkowanie czy strata podatkowy oraz\n", + "=====================================================================\n", + "[('account', 100.0, 25), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "except where the deferred tax liability arise from the initial recognition of goodwill an asset or liability in a transaction that be not a business combination and at the time of the transaction affect neither the accounting profit nor taxable profit or loss and\n", + "except where the deferred tax liability arise from the initial recognition of goodwill an asset or liability in a konto transaction that be not a business combination and at the time of the transaction affect neither the accounting profit nor taxable profit or loss and\n", + "z wyjątek sytuacja gdy rezerwa na podatek odroczony powstawać w wynik początkowy ujęcie wartość firma lub początkowy ujęcie składnik aktywa bądź zobowiązanie przy transakcja nie stanowiącej połączenie jednostka i w chwila on zawierania nie mającej wpływ ani na zysk lub strata brutto ani na dochód do opodatkowanie czy strata podatkowy oraz\n", + "=====================================================================\n", + "[('account', 100.0, 57), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "except where the deferred tax liability arise from the initial recognition of goodwill an asset or liability in a transaction that be not a business combination and at the time of the transaction affect neither the accounting profit nor taxable profit or loss and\n", + "except where the deferred tax liability arise from the initial recognition of goodwill an asset or liability in a konto transaction that be not a business combination and at the time of the transaction affect neither the accounting profit nor taxable profit or loss and\n", + "z wyjątek sytuacja gdy rezerwa na podatek odroczony powstawać w wynik początkowy ujęcie wartość firma lub początkowy ujęcie składnik aktywa bądź zobowiązanie przy transakcja nie stanowiącej połączenie jednostka i w chwila on zawierania nie mającej wpływ ani na zysk lub strata brutto ani na dochód do opodatkowanie czy strata podatkowy oraz\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 66.66666666666666, array(['aktywa'], dtype=object)]\n", + "except where the deferred tax liability arise from the initial recognition of goodwill an asset or liability in a transaction that be not a business combination and at the time of the transaction affect neither the accounting profit nor taxable profit or loss and\n", + "except where the deferred tax liability arise from the initial recognition of goodwill an asset aktywa or liability in a transaction that be not a business combination and at the time of the transaction affect neither the accounting profit nor taxable profit or loss and\n", + "z wyjątek sytuacja gdy rezerwa na podatek odroczony powstawać w wynik początkowy ujęcie wartość firma lub początkowy ujęcie składnik aktywa bądź zobowiązanie przy transakcja nie stanowiącej połączenie jednostka i w chwila on zawierania nie mającej wpływ ani na zysk lub strata brutto ani na dochód do opodatkowanie czy strata podatkowy oraz\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 66.66666666666666, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "except where the deferred tax liability arise from the initial recognition of goodwill an asset or liability in a transaction that be not a business combination and at the time of the transaction affect neither the accounting profit nor taxable profit or loss and\n", + "except where the deferred tax liability arise from the initial recognition koszty sprzedanych produktów, towarów i materiałów of goodwill an asset or liability in a transaction that be not a business combination and at the time of the transaction affect neither the accounting profit nor taxable profit or loss and\n", + "z wyjątek sytuacja gdy rezerwa na podatek odroczony powstawać w wynik początkowy ujęcie wartość firma lub początkowy ujęcie składnik aktywa bądź zobowiązanie przy transakcja nie stanowiącej połączenie jednostka i w chwila on zawierania nie mającej wpływ ani na zysk lub strata brutto ani na dochód do opodatkowanie czy strata podatkowy oraz\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the appeal from the resolution on imposition of the cash fine mention in passage 9 shall be submit to the audit oversight commission via the national council of statutory auditors within 14 day from the date of its delivery 12\n", + "the appeal from the resolution on imposition of the cash fine mention in passage 9 shall be submit to the audit badanie sprawozdania finansowego oversight commission via the national council of statutory auditors within 14 day from the date of its delivery 12\n", + "odwołanie od uchwała w sprawa nałożenia kara pieniężny o której mowa w ust 9 wnosić się do komisja nadzo ru audytowego za pośrednictwo krajowy rada biegły rewident w termin 14 dzień od dzień on doręczenia 12\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "the appeal from the resolution on imposition of the cash fine mention in passage 9 shall be submit to the audit oversight commission via the national council of statutory auditors within 14 day from the date of its delivery 12\n", + "the appeal from the resolution on imposition of the cash fine mention in passage 9 shall be submit to biegły rewident the audit oversight commission via the national council of statutory auditors within 14 day from the date of its delivery 12\n", + "odwołanie od uchwała w sprawa nałożenia kara pieniężny o której mowa w ust 9 wnosić się do komisja nadzo ru audytowego za pośrednictwo krajowy rada biegły rewident w termin 14 dzień od dzień on doręczenia 12\n", + "=====================================================================\n", + "[('cash', 100.0, 203), 57.142857142857146, array(['środki pieniężne'], dtype=object)]\n", + "the appeal from the resolution on imposition of the cash fine mention in passage 9 shall be submit to the audit oversight commission via the national council of statutory auditors within 14 day from the date of its delivery 12\n", + "the appeal from the resolution on imposition of the cash środki pieniężne fine mention in passage 9 shall be submit to the audit oversight commission via the national council of statutory auditors within 14 day from the date of its delivery 12\n", + "odwołanie od uchwała w sprawa nałożenia kara pieniężny o której mowa w ust 9 wnosić się do komisja nadzo ru audytowego za pośrednictwo krajowy rada biegły rewident w termin 14 dzień od dzień on doręczenia 12\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "the appeal from the resolution on imposition of the cash fine mention in passage 9 shall be submit to the audit oversight commission via the national council of statutory auditors within 14 day from the date of its delivery 12\n", + "the appeal from the resolution on prowizje imposition of the cash fine mention in passage 9 shall be submit to the audit oversight commission via the national council of statutory auditors within 14 day from the date of its delivery 12\n", + "odwołanie od uchwała w sprawa nałożenia kara pieniężny o której mowa w ust 9 wnosić się do komisja nadzo ru audytowego za pośrednictwo krajowy rada biegły rewident w termin 14 dzień od dzień on doręczenia 12\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 100.0, array(['nadzór'], dtype=object)]\n", + "the appeal from the resolution on imposition of the cash fine mention in passage 9 shall be submit to the audit oversight commission via the national council of statutory auditors within 14 day from the date of its delivery 12\n", + "the appeal from the resolution on imposition of the cash fine mention in passage 9 shall be submit to the audit oversight nadzór commission via the national council of statutory auditors within 14 day from the date of its delivery 12\n", + "odwołanie od uchwała w sprawa nałożenia kara pieniężny o której mowa w ust 9 wnosić się do komisja nadzo ru audytowego za pośrednictwo krajowy rada biegły rewident w termin 14 dzień od dzień on doręczenia 12\n", + "=====================================================================\n", + "[('account', 100.0, 13), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "at the date of the authorization of these financial statement for publication the management board be in the process of assess the impact of the application of ifrs 16 on the accounting principle policy apply by the company with respect to the company s operation or its financial result\n", + "at the date of the authorization of these financial statement for publication the management board be in the process of assess the impact of the application of ifrs 16 on the accounting konto principle policy apply by the company with respect to the company s operation or its financial result\n", + "na dzienie zatwierdzenie niniejszy sprawozdanie finansowy do publikacja zarząd być w trakt ocena wpływ wprowadzenie mssf 16 na stosowany przez spółka zasada polityka rachunkowość w odniesienie do działalność spółka lub on wynik finansowy\n", + "=====================================================================\n", + "[('account', 100.0, 25), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "at the date of the authorization of these financial statement for publication the management board be in the process of assess the impact of the application of ifrs 16 on the accounting principle policy apply by the company with respect to the company s operation or its financial result\n", + "at the date of the authorization of these financial statement for publication the management board be in the process of assess the impact of the application of ifrs 16 on the accounting konto principle policy apply by the company with respect to the company s operation or its financial result\n", + "na dzienie zatwierdzenie niniejszy sprawozdanie finansowy do publikacja zarząd być w trakt ocena wpływ wprowadzenie mssf 16 na stosowany przez spółka zasada polityka rachunkowość w odniesienie do działalność spółka lub on wynik finansowy\n", + "=====================================================================\n", + "[('account', 100.0, 57), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "at the date of the authorization of these financial statement for publication the management board be in the process of assess the impact of the application of ifrs 16 on the accounting principle policy apply by the company with respect to the company s operation or its financial result\n", + "at the date of the authorization of these financial statement for publication the management board be in the process of assess the impact of the application of ifrs 16 on the accounting konto principle policy apply by the company with respect to the company s operation or its financial result\n", + "na dzienie zatwierdzenie niniejszy sprawozdanie finansowy do publikacja zarząd być w trakt ocena wpływ wprowadzenie mssf 16 na stosowany przez spółka zasada polityka rachunkowość w odniesienie do działalność spółka lub on wynik finansowy\n", + "=====================================================================\n", + "[('company', 100.0, 245), 66.66666666666666, array(['spółka kapitałowa'], dtype=object)]\n", + "at the date of the authorization of these financial statement for publication the management board be in the process of assess the impact of the application of ifrs 16 on the accounting principle policy apply by the company with respect to the company s operation or its financial result\n", + "at the date of the authorization of these financial statement for publication the management board be in the process of assess the impact of the application of ifrs 16 on the accounting principle policy apply by the company spółka kapitałowa with respect to the company s operation or its financial result\n", + "na dzienie zatwierdzenie niniejszy sprawozdanie finansowy do publikacja zarząd być w trakt ocena wpływ wprowadzenie mssf 16 na stosowany przez spółka zasada polityka rachunkowość w odniesienie do działalność spółka lub on wynik finansowy\n", + "=====================================================================\n", + "[('financial result', 100.0, 521), 58.8235294117647, array(['wyniki finansowe'], dtype=object)]\n", + "at the date of the authorization of these financial statement for publication the management board be in the process of assess the impact of the application of ifrs 16 on the accounting principle policy apply by the company with respect to the company s operation or its financial result\n", + "at the date of the authorization of these financial statement wyniki finansowe for publication the management board be in the process of assess the impact of the application of ifrs 16 on the accounting principle policy apply by the company with respect to the company s operation or its financial result\n", + "na dzienie zatwierdzenie niniejszy sprawozdanie finansowy do publikacja zarząd być w trakt ocena wpływ wprowadzenie mssf 16 na stosowany przez spółka zasada polityka rachunkowość w odniesienie do działalność spółka lub on wynik finansowy\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 50.0, array(['aktywa'], dtype=object)]\n", + "segment asset\n", + "segment aktywa asset\n", + "aktywa segment\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the appeal of any member of the audit oversight commission before the end of the term may take place 1 upon the member s request 2 at the request of a body or an institution which report he she as a candidate 3 ex officio in the case of non compliance with any of the condition refer to in article 93 and article 94 passage 1\n", + "the appeal of any member of the audit badanie sprawozdania finansowego oversight commission before the end of the term may take place 1 upon the member s request 2 at the request of a body or an institution which report he she as a candidate 3 ex officio in the case of non compliance with any of the condition refer to in article 93 and article 94 passage 1\n", + "odwołanie członek komisja nadzór audytowy przed upływ kadencja móc nastąpić 1 na on wniosek 2 na wniosek organ lub instytucja które zgłosić on kandydatura 3 z urząd w przypadek zaprzestanie spełniania któregokolwiek z warunki o których mowa w art 93 oraz art 94 ust 1\n", + "=====================================================================\n", + "[('cio', 100.0, 182), 100.0, array(['dyrektor ds. informacji'], dtype=object)]\n", + "the appeal of any member of the audit oversight commission before the end of the term may take place 1 upon the member s request 2 at the request of a body or an institution which report he she as a candidate 3 ex officio in the case of non compliance with any of the condition refer to in article 93 and article 94 passage 1\n", + "the appeal of any member of the audit oversight commission before the end of the term may take place 1 upon the member s request 2 at the request of a body or an institution which report he she as a candidate 3 ex officio dyrektor ds. informacji in the case of non compliance with any of the condition refer to in article 93 and article 94 passage 1\n", + "odwołanie członek komisja nadzór audytowy przed upływ kadencja móc nastąpić 1 na on wniosek 2 na wniosek organ lub instytucja które zgłosić on kandydatura 3 z urząd w przypadek zaprzestanie spełniania któregokolwiek z warunki o których mowa w art 93 oraz art 94 ust 1\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "the appeal of any member of the audit oversight commission before the end of the term may take place 1 upon the member s request 2 at the request of a body or an institution which report he she as a candidate 3 ex officio in the case of non compliance with any of the condition refer to in article 93 and article 94 passage 1\n", + "the appeal of any member of the audit oversight commission prowizje before the end of the term may take place 1 upon the member s request 2 at the request of a body or an institution which report he she as a candidate 3 ex officio in the case of non compliance with any of the condition refer to in article 93 and article 94 passage 1\n", + "odwołanie członek komisja nadzór audytowy przed upływ kadencja móc nastąpić 1 na on wniosek 2 na wniosek organ lub instytucja które zgłosić on kandydatura 3 z urząd w przypadek zaprzestanie spełniania któregokolwiek z warunki o których mowa w art 93 oraz art 94 ust 1\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 100.0, array(['nadzór'], dtype=object)]\n", + "the appeal of any member of the audit oversight commission before the end of the term may take place 1 upon the member s request 2 at the request of a body or an institution which report he she as a candidate 3 ex officio in the case of non compliance with any of the condition refer to in article 93 and article 94 passage 1\n", + "the appeal of any member of the audit oversight nadzór commission before the end of the term may take place 1 upon the member s request 2 at the request of a body or an institution which report he she as a candidate 3 ex officio in the case of non compliance with any of the condition refer to in article 93 and article 94 passage 1\n", + "odwołanie członek komisja nadzór audytowy przed upływ kadencja móc nastąpić 1 na on wniosek 2 na wniosek organ lub instytucja które zgłosić on kandydatura 3 z urząd w przypadek zaprzestanie spełniania któregokolwiek z warunki o których mowa w art 93 oraz art 94 ust 1\n", + "=====================================================================\n", + "[('ppe', 100.0, 844), 66.66666666666666, array(['środki trwałe'], dtype=object)]\n", + "the appeal of any member of the audit oversight commission before the end of the term may take place 1 upon the member s request 2 at the request of a body or an institution which report he she as a candidate 3 ex officio in the case of non compliance with any of the condition refer to in article 93 and article 94 passage 1\n", + "the appeal środki trwałe of any member of the audit oversight commission before the end of the term may take place 1 upon the member s request 2 at the request of a body or an institution which report he she as a candidate 3 ex officio in the case of non compliance with any of the condition refer to in article 93 and article 94 passage 1\n", + "odwołanie członek komisja nadzór audytowy przed upływ kadencja móc nastąpić 1 na on wniosek 2 na wniosek organ lub instytucja które zgłosić on kandydatura 3 z urząd w przypadek zaprzestanie spełniania któregokolwiek z warunki o których mowa w art 93 oraz art 94 ust 1\n", + "=====================================================================\n", + "[('interest', 100.0, 664), 57.142857142857146, array(['odsetki'], dtype=object)]\n", + "effective interest rate\n", + "effective interest odsetki rate\n", + "efektywny stopa procentowy\n", + "=====================================================================\n", + "[('effective unit', 88.88888888888889, 436), 46.15384615384615, array(['efektywne jednostki produkcji'], dtype=object)]\n", + "effective interest rate\n", + "effective interest efektywne jednostki produkcji rate\n", + "efektywny stopa procentowy\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 50.0, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "apply a percentage of completion method the company currently recognise revenue and trade and other receivable\n", + "apply a percentage of completion method the company currently recognise koszty sprzedanych produktów, towarów i materiałów revenue and trade and other receivable\n", + "spółka rozpoznawać przychód zgodnie z metoda stopień zaawansowanie w korespondencja z pozycja należność z tytuł dostawa i usługi oraz pozostały należność\n", + "=====================================================================\n", + "[('company', 100.0, 245), 50.0, array(['spółka kapitałowa'], dtype=object)]\n", + "apply a percentage of completion method the company currently recognise revenue and trade and other receivable\n", + "apply a spółka kapitałowa percentage of completion method the company currently recognise revenue and trade and other receivable\n", + "spółka rozpoznawać przychód zgodnie z metoda stopień zaawansowanie w korespondencja z pozycja należność z tytuł dostawa i usługi oraz pozostały należność\n", + "=====================================================================\n", + "[('percentage of completion method', 100.0, 858), 48.484848484848484, array(['metoda procentowej realizacji'], dtype=object)]\n", + "apply a percentage of completion method the company currently recognise revenue and trade and other receivable\n", + "apply a percentage of completion method metoda procentowej realizacji the company currently recognise revenue and trade and other receivable\n", + "spółka rozpoznawać przychód zgodnie z metoda stopień zaawansowanie w korespondencja z pozycja należność z tytuł dostawa i usługi oraz pozostały należność\n", + "=====================================================================\n", + "[('revenue', 100.0, 983), 42.857142857142854, array(['przychód'], dtype=object)]\n", + "apply a percentage of completion method the company currently recognise revenue and trade and other receivable\n", + "apply a percentage of completion method the company currently recognise revenue przychód and trade and other receivable\n", + "spółka rozpoznawać przychód zgodnie z metoda stopień zaawansowanie w korespondencja z pozycja należność z tytuł dostawa i usługi oraz pozostały należność\n", + "=====================================================================\n", + "[('expense', 100.0, 479), 42.857142857142854, array(['koszt'], dtype=object)]\n", + "direct operating expense incur by the group in the year end 31 december 2017 amount to while in the year end 31 december 2016\n", + "direct operating expense koszt incur by the group in the year end 31 december 2017 amount to while in the year end 31 december 2016\n", + "bezpośredni koszt operacyjny dotyczące nieruchomość inwestycyjny w rok zakończony 31 grudzień 2017 wynieść w rok zakończony 31 grudzień 2016\n", + "=====================================================================\n", + "[('group', 100.0, 593), 75.0, array(['grupa kapitałowa'], dtype=object)]\n", + "direct operating expense incur by the group in the year end 31 december 2017 amount to while in the year end 31 december 2016\n", + "direct operating expense incur by the group grupa kapitałowa in the year end 31 december 2017 amount to while in the year end 31 december 2016\n", + "bezpośredni koszt operacyjny dotyczące nieruchomość inwestycyjny w rok zakończony 31 grudzień 2017 wynieść w rok zakończony 31 grudzień 2016\n", + "=====================================================================\n", + "[('year end', 100.0, 1193), 50.0, array(['koniec roku'], dtype=object)]\n", + "direct operating expense incur by the group in the year end 31 december 2017 amount to while in the year end 31 december 2016\n", + "direct operating expense incur by the group in the year end koniec roku 31 december 2017 amount to while in the year end 31 december 2016\n", + "bezpośredni koszt operacyjny dotyczące nieruchomość inwestycyjny w rok zakończony 31 grudzień 2017 wynieść w rok zakończony 31 grudzień 2016\n", + "=====================================================================\n", + "[('gaa', 100.0, 563), 100.0, array(['światowe stowarzyszenie organizacji księgowych'], dtype=object)]\n", + "gaar define tax evasion as an activity perform mainly with a view to realise tax gain which be contrary under give circumstance to the subject and objective of the tax law\n", + "gaar światowe stowarzyszenie organizacji księgowych define tax evasion as an activity perform mainly with a view to realise tax gain which be contrary under give circumstance to the subject and objective of the tax law\n", + "gaar definiować unikanie opodatkowanie jako czynność dokonany przed wszystkim w cel osiągnięcie korzyść podatkowy sprzeczny w dane okoliczność z przedmiot i cel przepis ustawa podatkowy\n", + "=====================================================================\n", + "[('tax evasion', 100.0, 1095), 47.61904761904762, array(['uchylanie się od zobowiązań podatkowych'], dtype=object)]\n", + "gaar define tax evasion as an activity perform mainly with a view to realise tax gain which be contrary under give circumstance to the subject and objective of the tax law\n", + "gaar define tax evasion uchylanie się od zobowiązań podatkowych as an activity perform mainly with a view to realise tax gain which be contrary under give circumstance to the subject and objective of the tax law\n", + "gaar definiować unikanie opodatkowanie jako czynność dokonany przed wszystkim w cel osiągnięcie korzyść podatkowy sprzeczny w dane okoliczność z przedmiot i cel przepis ustawa podatkowy\n", + "=====================================================================\n", + "[('vas', 100.0, 1155), 50.0, array(['vas'], dtype=object)]\n", + "gaar define tax evasion as an activity perform mainly with a view to realise tax gain which be contrary under give circumstance to the subject and objective of the tax law\n", + "gaar define tax evasion vas as an activity perform mainly with a view to realise tax gain which be contrary under give circumstance to the subject and objective of the tax law\n", + "gaar definiować unikanie opodatkowanie jako czynność dokonany przed wszystkim w cel osiągnięcie korzyść podatkowy sprzeczny w dane okoliczność z przedmiot i cel przepis ustawa podatkowy\n", + "=====================================================================\n", + "[('vie', 100.0, 1157), 100.0, array(['podmiot o zmiennych udziałach'], dtype=object)]\n", + "gaar define tax evasion as an activity perform mainly with a view to realise tax gain which be contrary under give circumstance to the subject and objective of the tax law\n", + "gaar define tax evasion as an activity perform mainly with a view podmiot o zmiennych udziałach to realise tax gain which be contrary under give circumstance to the subject and objective of the tax law\n", + "gaar definiować unikanie opodatkowanie jako czynność dokonany przed wszystkim w cel osiągnięcie korzyść podatkowy sprzeczny w dane okoliczność z przedmiot i cel przepis ustawa podatkowy\n", + "=====================================================================\n", + "[('gaa', 100.0, 563), 100.0, array(['światowe stowarzyszenie organizacji księgowych'], dtype=object)]\n", + "gaar define tax evasion as an activity perform mainly with a view to realise tax gain which be contrary under give circumstance to the subject and objective of the tax law\n", + "gaar światowe stowarzyszenie organizacji księgowych define tax evasion as an activity perform mainly with a view to realise tax gain which be contrary under give circumstance to the subject and objective of the tax law\n", + "gaar definiować unikanie opodatkowanie jako czynność dokonany przed wszystkim w cel osiągnięcie korzyść podatkowy sprzeczny w dane okoliczność z przedmiot i cel przepis ustawa podatkowy\n", + "=====================================================================\n", + "[('tax evasion', 100.0, 1095), 47.61904761904762, array(['uchylanie się od zobowiązań podatkowych'], dtype=object)]\n", + "gaar define tax evasion as an activity perform mainly with a view to realise tax gain which be contrary under give circumstance to the subject and objective of the tax law\n", + "gaar define tax evasion uchylanie się od zobowiązań podatkowych as an activity perform mainly with a view to realise tax gain which be contrary under give circumstance to the subject and objective of the tax law\n", + "gaar definiować unikanie opodatkowanie jako czynność dokonany przed wszystkim w cel osiągnięcie korzyść podatkowy sprzeczny w dane okoliczność z przedmiot i cel przepis ustawa podatkowy\n", + "=====================================================================\n", + "[('vas', 100.0, 1155), 50.0, array(['vas'], dtype=object)]\n", + "gaar define tax evasion as an activity perform mainly with a view to realise tax gain which be contrary under give circumstance to the subject and objective of the tax law\n", + "gaar define tax evasion vas as an activity perform mainly with a view to realise tax gain which be contrary under give circumstance to the subject and objective of the tax law\n", + "gaar definiować unikanie opodatkowanie jako czynność dokonany przed wszystkim w cel osiągnięcie korzyść podatkowy sprzeczny w dane okoliczność z przedmiot i cel przepis ustawa podatkowy\n", + "=====================================================================\n", + "[('vie', 100.0, 1157), 100.0, array(['podmiot o zmiennych udziałach'], dtype=object)]\n", + "gaar define tax evasion as an activity perform mainly with a view to realise tax gain which be contrary under give circumstance to the subject and objective of the tax law\n", + "gaar define tax evasion as an activity perform mainly with a view podmiot o zmiennych udziałach to realise tax gain which be contrary under give circumstance to the subject and objective of the tax law\n", + "gaar definiować unikanie opodatkowanie jako czynność dokonany przed wszystkim w cel osiągnięcie korzyść podatkowy sprzeczny w dane okoliczność z przedmiot i cel przepis ustawa podatkowy\n", + "=====================================================================\n", + "[('research and development cost', 93.10344827586206, 967), 40.0, array(['koszt prac badawczych i rozwojowych'], dtype=object)]\n", + "a move towards r d poland have tremendous research and development potential\n", + "a move towards r d poland have tremendous research and development koszt prac badawczych i rozwojowych potential\n", + "przesunąć w kierunek b r polska mieć ogromny potencjał badawczy rozwojowy\n", + "=====================================================================\n", + "[('contract', 100.0, 282), 40.0, array(['kontrakt', 'umowa'], dtype=object)]\n", + "non current obligation under finance lease and hire purchase contract\n", + "non kontrakt current obligation under finance lease and hire purchase contract\n", + "zobowiązanie z tytuł leasing finansowy i umowa dzierżawa z opcja zakup długoterminowy\n", + "=====================================================================\n", + "[('contract', 100.0, 283), 40.0, array(['kontrakt', 'umowa'], dtype=object)]\n", + "non current obligation under finance lease and hire purchase contract\n", + "non kontrakt current obligation under finance lease and hire purchase contract\n", + "zobowiązanie z tytuł leasing finansowy i umowa dzierżawa z opcja zakup długoterminowy\n", + "=====================================================================\n", + "[('lease', 100.0, 709), 88.88888888888889, array(['leasing'], dtype=object)]\n", + "non current obligation under finance lease and hire purchase contract\n", + "non current obligation under finance lease leasing and hire purchase contract\n", + "zobowiązanie z tytuł leasing finansowy i umowa dzierżawa z opcja zakup długoterminowy\n", + "=====================================================================\n", + "[('purchase cost', 92.3076923076923, 924), 46.15384615384615, array(['cena nabycia'], dtype=object)]\n", + "non current obligation under finance lease and hire purchase contract\n", + "non current obligation under finance lease and hire purchase cena nabycia contract\n", + "zobowiązanie z tytuł leasing finansowy i umowa dzierżawa z opcja zakup długoterminowy\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 50.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "a copy of the final ruling on a penalty impose in the disciplinary proceeding shall be add to the personal file of the statutory auditor and information concern the penalty shall be record in this file\n", + "a badanie sprawozdania finansowego copy of the final ruling on a penalty impose in the disciplinary proceeding shall be add to the personal file of the statutory auditor and information concern the penalty shall be record in this file\n", + "odpis prawomocny orzeczenie o nałożonej w postępowanie dyscyplinarny karo dołączać się do akta osobowy biegły rewident oraz w akta tych czynić się wzmianka dotyczącą ukarania\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "a copy of the final ruling on a penalty impose in the disciplinary proceeding shall be add to the personal file of the statutory auditor and information concern the penalty shall be record in this file\n", + "a biegły rewident copy of the final ruling on a penalty impose in the disciplinary proceeding shall be add to the personal file of the statutory auditor and information concern the penalty shall be record in this file\n", + "odpis prawomocny orzeczenie o nałożonej w postępowanie dyscyplinarny karo dołączać się do akta osobowy biegły rewident oraz w akta tych czynić się wzmianka dotyczącą ukarania\n", + "=====================================================================\n", + "[('go concern', 90.0, 580), 50.0, array(['kontynuacja działalności'], dtype=object)]\n", + "a copy of the final ruling on a penalty impose in the disciplinary proceeding shall be add to the personal file of the statutory auditor and information concern the penalty shall be record in this file\n", + "a copy of the final ruling on a penalty impose in the disciplinary proceeding shall be add to the personal file of the statutory auditor and information concern kontynuacja działalności the penalty shall be record in this file\n", + "odpis prawomocny orzeczenie o nałożonej w postępowanie dyscyplinarny karo dołączać się do akta osobowy biegły rewident oraz w akta tych czynić się wzmianka dotyczącą ukarania\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 60.0, array(['aktywa'], dtype=object)]\n", + "interest revenue be recognise as the interest accrue use the effective interest method that be the rate that exactly discount estimate future cash receipt through the expect life of financial instrument to the net carrying amount of the underlying financial asset\n", + "interest revenue be recognise as aktywa the interest accrue use the effective interest method that be the rate that exactly discount estimate future cash receipt through the expect life of financial instrument to the net carrying amount of the underlying financial asset\n", + "przychód z tytuł odsetka są ujmowane sukcesywnie w miara on naliczania z uwzględnienie metoda efektywny stopa procentowy stanowiącej stopa dyskontującą przyszły wpływ pieniężny przez szacowany okres życie instrument finansowy w stosunek do wartość bilansowy netto dany składnik aktywa finansowy\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 66.66666666666666, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "interest revenue be recognise as the interest accrue use the effective interest method that be the rate that exactly discount estimate future cash receipt through the expect life of financial instrument to the net carrying amount of the underlying financial asset\n", + "interest revenue be recognise koszty sprzedanych produktów, towarów i materiałów as the interest accrue use the effective interest method that be the rate that exactly discount estimate future cash receipt through the expect life of financial instrument to the net carrying amount of the underlying financial asset\n", + "przychód z tytuł odsetka są ujmowane sukcesywnie w miara on naliczania z uwzględnienie metoda efektywny stopa procentowy stanowiącej stopa dyskontującą przyszły wpływ pieniężny przez szacowany okres życie instrument finansowy w stosunek do wartość bilansowy netto dany składnik aktywa finansowy\n", + "=====================================================================\n", + "[('cash', 100.0, 203), 50.0, array(['środki pieniężne'], dtype=object)]\n", + "interest revenue be recognise as the interest accrue use the effective interest method that be the rate that exactly discount estimate future cash receipt through the expect life of financial instrument to the net carrying amount of the underlying financial asset\n", + "interest revenue be recognise as środki pieniężne the interest accrue use the effective interest method that be the rate that exactly discount estimate future cash receipt through the expect life of financial instrument to the net carrying amount of the underlying financial asset\n", + "przychód z tytuł odsetka są ujmowane sukcesywnie w miara on naliczania z uwzględnienie metoda efektywny stopa procentowy stanowiącej stopa dyskontującą przyszły wpływ pieniężny przez szacowany okres życie instrument finansowy w stosunek do wartość bilansowy netto dany składnik aktywa finansowy\n", + "=====================================================================\n", + "[('discount', 100.0, 391), 66.66666666666666, array(['rabat'], dtype=object)]\n", + "interest revenue be recognise as the interest accrue use the effective interest method that be the rate that exactly discount estimate future cash receipt through the expect life of financial instrument to the net carrying amount of the underlying financial asset\n", + "interest revenue be recognise as the interest accrue use the effective interest method that be the rate that exactly discount rabat estimate future cash receipt through the expect life of financial instrument to the net carrying amount of the underlying financial asset\n", + "przychód z tytuł odsetka są ujmowane sukcesywnie w miara on naliczania z uwzględnienie metoda efektywny stopa procentowy stanowiącej stopa dyskontującą przyszły wpływ pieniężny przez szacowany okres życie instrument finansowy w stosunek do wartość bilansowy netto dany składnik aktywa finansowy\n", + "=====================================================================\n", + "[('financial asset', 100.0, 514), 62.5, array(['aktywa finansowe'], dtype=object)]\n", + "interest revenue be recognise as the interest accrue use the effective interest method that be the rate that exactly discount estimate future cash receipt through the expect life of financial instrument to the net carrying amount of the underlying financial asset\n", + "interest revenue be recognise as the interest accrue use the effective interest method that be the rate that exactly discount estimate future cash receipt through the expect life of financial aktywa finansowe instrument to the net carrying amount of the underlying financial asset\n", + "przychód z tytuł odsetka są ujmowane sukcesywnie w miara on naliczania z uwzględnienie metoda efektywny stopa procentowy stanowiącej stopa dyskontującą przyszły wpływ pieniężny przez szacowany okres życie instrument finansowy w stosunek do wartość bilansowy netto dany składnik aktywa finansowy\n", + "=====================================================================\n", + "[('effective tax rate', 100.0, 435), 47.05882352941177, array(['efektywna stopa podatkowa'], dtype=object)]\n", + "the reconciliation of income tax on pre tax gross profit loss tax at statutory rate and income tax at effective tax rate of the group for the year end 31 december 2017 and 31 december 2016 be as follow\n", + "the reconciliation of income tax on pre tax gross profit loss tax at statutory rate and income tax at effective tax rate efektywna stopa podatkowa of the group for the year end 31 december 2017 and 31 december 2016 be as follow\n", + "uzgodnienie podatek dochodowy od zysku strata brutto przed opodatkowanie według ustawowy stawka podatkowy z podatek dochodowy liczonym według efektywny stawka podatkowy grupa za rok zakończony 31 grudzień 2017 rok i 31 grudzień 2016 rok przedstawiać się następująco\n", + "=====================================================================\n", + "[('gross profit', 100.0, 591), 60.0, array(['zysk brutto ze sprzedaży'], dtype=object)]\n", + "the reconciliation of income tax on pre tax gross profit loss tax at statutory rate and income tax at effective tax rate of the group for the year end 31 december 2017 and 31 december 2016 be as follow\n", + "the reconciliation of income tax on pre tax gross profit zysk brutto ze sprzedaży loss tax at statutory rate and income tax at effective tax rate of the group for the year end 31 december 2017 and 31 december 2016 be as follow\n", + "uzgodnienie podatek dochodowy od zysku strata brutto przed opodatkowanie według ustawowy stawka podatkowy z podatek dochodowy liczonym według efektywny stawka podatkowy grupa za rok zakończony 31 grudzień 2017 rok i 31 grudzień 2016 rok przedstawiać się następująco\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "the reconciliation of income tax on pre tax gross profit loss tax at statutory rate and income tax at effective tax rate of the group for the year end 31 december 2017 and 31 december 2016 be as follow\n", + "the reconciliation of income tax on pre tax gross profit loss tax at statutory rate and income tax at effective tax rate of the group grupa kapitałowa for the year end 31 december 2017 and 31 december 2016 be as follow\n", + "uzgodnienie podatek dochodowy od zysku strata brutto przed opodatkowanie według ustawowy stawka podatkowy z podatek dochodowy liczonym według efektywny stawka podatkowy grupa za rok zakończony 31 grudzień 2017 rok i 31 grudzień 2016 rok przedstawiać się następująco\n", + "=====================================================================\n", + "[('income', 100.0, 638), 100.0, array(['zysk'], dtype=object)]\n", + "the reconciliation of income tax on pre tax gross profit loss tax at statutory rate and income tax at effective tax rate of the group for the year end 31 december 2017 and 31 december 2016 be as follow\n", + "the reconciliation of income zysk tax on pre tax gross profit loss tax at statutory rate and income tax at effective tax rate of the group for the year end 31 december 2017 and 31 december 2016 be as follow\n", + "uzgodnienie podatek dochodowy od zysku strata brutto przed opodatkowanie według ustawowy stawka podatkowy z podatek dochodowy liczonym według efektywny stawka podatkowy grupa za rok zakończony 31 grudzień 2017 rok i 31 grudzień 2016 rok przedstawiać się następująco\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 50.0, array(['strata'], dtype=object)]\n", + "the reconciliation of income tax on pre tax gross profit loss tax at statutory rate and income tax at effective tax rate of the group for the year end 31 december 2017 and 31 december 2016 be as follow\n", + "the reconciliation of income tax on pre tax gross profit loss strata tax at statutory rate and income tax at effective tax rate of the group for the year end 31 december 2017 and 31 december 2016 be as follow\n", + "uzgodnienie podatek dochodowy od zysku strata brutto przed opodatkowanie według ustawowy stawka podatkowy z podatek dochodowy liczonym według efektywny stawka podatkowy grupa za rok zakończony 31 grudzień 2017 rok i 31 grudzień 2016 rok przedstawiać się następująco\n", + "=====================================================================\n", + "[('amortisation', 100.0, 90), 100.0, array(['amortyzacja'], dtype=object)]\n", + "accumulated amortisation and impairment as at 31 december 2017\n", + "accumulated amortisation amortyzacja and impairment as at 31 december 2017\n", + "umorzenie i odpis aktualizujące na dzienie 31 grudzień 2017 rok\n", + "=====================================================================\n", + "[('isa', 100.0, 628), 100.0, array(['międzynarodowe standardy rewizji finansowej'], dtype=object)]\n", + "accumulated amortisation and impairment as at 31 december 2017\n", + "accumulated amortisation międzynarodowe standardy rewizji finansowej and impairment as at 31 december 2017\n", + "umorzenie i odpis aktualizujące na dzienie 31 grudzień 2017 rok\n", + "=====================================================================\n", + "[('impairment', 100.0, 632), 100.0, array(['utrata wartości aktywów'], dtype=object)]\n", + "accumulated amortisation and impairment as at 31 december 2017\n", + "accumulated amortisation and impairment utrata wartości aktywów as at 31 december 2017\n", + "umorzenie i odpis aktualizujące na dzienie 31 grudzień 2017 rok\n", + "=====================================================================\n", + "[('subsidiary', 100.0, 1066), 50.0, array(['jednostka zależna'], dtype=object)]\n", + "for the avoidance of doubt for the time period after the agreement be terminate no remuneration have to be pay by the subsidiary\n", + "for the avoidance of doubt for the time period after the agreement be terminate no remuneration have to be pay jednostka zależna by the subsidiary\n", + "cel uniknięcia wątpliwość spółka zależny nie jest zobowiązany do wypłata wynagrodzenie za okres przypadający po rozwiązanie umowa\n", + "=====================================================================\n", + "[('company', 100.0, 245), 57.142857142857146, array(['spółka kapitałowa'], dtype=object)]\n", + "the economic useful life be review annually by the company base on current estimate\n", + "the economic useful life be review annually by the company spółka kapitałowa base on current estimate\n", + "spółka corocznie dokonywać weryfikacja przyjęty okres ekonomiczny użyteczność na podstawa bieżący szacunek\n", + "=====================================================================\n", + "[('economic', 100.0, 433), 87.5, array(['ekonomia'], dtype=object)]\n", + "the economic useful life be review annually by the company base on current estimate\n", + "the economic ekonomia useful life be review annually by the company base on current estimate\n", + "spółka corocznie dokonywać weryfikacja przyjęty okres ekonomiczny użyteczność na podstawa bieżący szacunek\n", + "=====================================================================\n", + "[('vie', 100.0, 1157), 80.0, array(['podmiot o zmiennych udziałach'], dtype=object)]\n", + "the economic useful life be review annually by the company base on current estimate\n", + "the economic useful life be review podmiot o zmiennych udziałach annually by the company base on current estimate\n", + "spółka corocznie dokonywać weryfikacja przyjęty okres ekonomiczny użyteczność na podstawa bieżący szacunek\n", + "=====================================================================\n", + "[('cash', 100.0, 203), 50.0, array(['środki pieniężne'], dtype=object)]\n", + "accord to the group s assessment the fair value of cash short term deposit trade receivables trade payable bank overdraft and other short term liability do not differ from their carrying amount due to the short term maturity period\n", + "accord to the group s środki pieniężne assessment the fair value of cash short term deposit trade receivables trade payable bank overdraft and other short term liability do not differ from their carrying amount due to the short term maturity period\n", + "według ocena grupa wartość godziwa środki pieniężny krótkoterminowy lokata należność z tytuł dostawa i usługi zobowiązanie z tytuł dostawa i usługi kredyt w rachunek bieżący oraz pozostały zobowiązanie krótkoterminowy nie odbiegać od wartość bilansowy głównie z wzgląd na krótki termin zapadalność\n", + "=====================================================================\n", + "[('epos', 100.0, 411), 66.66666666666666, array(['elektroniczny punkt sprzedaży'], dtype=object)]\n", + "accord to the group s assessment the fair value of cash short term deposit trade receivables trade payable bank overdraft and other short term liability do not differ from their carrying amount due to the short term maturity period\n", + "accord to the group s elektroniczny punkt sprzedaży assessment the fair value of cash short term deposit trade receivables trade payable bank overdraft and other short term liability do not differ from their carrying amount due to the short term maturity period\n", + "według ocena grupa wartość godziwa środki pieniężny krótkoterminowy lokata należność z tytuł dostawa i usługi zobowiązanie z tytuł dostawa i usługi kredyt w rachunek bieżący oraz pozostały zobowiązanie krótkoterminowy nie odbiegać od wartość bilansowy głównie z wzgląd na krótki termin zapadalność\n", + "=====================================================================\n", + "[('fair value', 100.0, 497), 50.0, array(['wartość godziwa'], dtype=object)]\n", + "accord to the group s assessment the fair value of cash short term deposit trade receivables trade payable bank overdraft and other short term liability do not differ from their carrying amount due to the short term maturity period\n", + "accord to the group s assessment the fair value wartość godziwa of cash short term deposit trade receivables trade payable bank overdraft and other short term liability do not differ from their carrying amount due to the short term maturity period\n", + "według ocena grupa wartość godziwa środki pieniężny krótkoterminowy lokata należność z tytuł dostawa i usługi zobowiązanie z tytuł dostawa i usługi kredyt w rachunek bieżący oraz pozostały zobowiązanie krótkoterminowy nie odbiegać od wartość bilansowy głównie z wzgląd na krótki termin zapadalność\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "accord to the group s assessment the fair value of cash short term deposit trade receivables trade payable bank overdraft and other short term liability do not differ from their carrying amount due to the short term maturity period\n", + "accord to the group grupa kapitałowa s assessment the fair value of cash short term deposit trade receivables trade payable bank overdraft and other short term liability do not differ from their carrying amount due to the short term maturity period\n", + "według ocena grupa wartość godziwa środki pieniężny krótkoterminowy lokata należność z tytuł dostawa i usługi zobowiązanie z tytuł dostawa i usługi kredyt w rachunek bieżący oraz pozostały zobowiązanie krótkoterminowy nie odbiegać od wartość bilansowy głównie z wzgląd na krótki termin zapadalność\n", + "=====================================================================\n", + "[('liability', 100.0, 716), 100.0, array(['zobowiązania'], dtype=object)]\n", + "accord to the group s assessment the fair value of cash short term deposit trade receivables trade payable bank overdraft and other short term liability do not differ from their carrying amount due to the short term maturity period\n", + "accord to the group s assessment the fair value of cash short term deposit trade receivables trade payable bank overdraft and other short term liability zobowiązania do not differ from their carrying amount due to the short term maturity period\n", + "według ocena grupa wartość godziwa środki pieniężny krótkoterminowy lokata należność z tytuł dostawa i usługi zobowiązanie z tytuł dostawa i usługi kredyt w rachunek bieżący oraz pozostały zobowiązanie krótkoterminowy nie odbiegać od wartość bilansowy głównie z wzgląd na krótki termin zapadalność\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the audit firm audit the financial statement shall be select by an authority approve the financial statement of the entity unless a statute article of association or other regulation bind the entity state otherwise\n", + "the audit badanie sprawozdania finansowego firm audit the financial statement shall be select by an authority approve the financial statement of the entity unless a statute article of association or other regulation bind the entity state otherwise\n", + "wybór firma audytorski do przeprowadzenia badanie sprawozdanie finansowy dokonywać organ zatwierdzający sprawozdanie finansowy jednostka chyba że statut umowa lub inny wiążący jednostka przepis prawo stanowić inaczej\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 66.66666666666666, array(['jednostka'], dtype=object)]\n", + "the audit firm audit the financial statement shall be select by an authority approve the financial statement of the entity unless a statute article of association or other regulation bind the entity state otherwise\n", + "the audit firm audit the financial statement shall be select by an authority approve the financial statement of the entity jednostka unless a statute article of association or other regulation bind the entity state otherwise\n", + "wybór firma audytorski do przeprowadzenia badanie sprawozdanie finansowy dokonywać organ zatwierdzający sprawozdanie finansowy jednostka chyba że statut umowa lub inny wiążący jednostka przepis prawo stanowić inaczej\n", + "=====================================================================\n", + "[('financial statement', 100.0, 526), 56.25, array(['sprawozdanie finansowe'], dtype=object)]\n", + "the audit firm audit the financial statement shall be select by an authority approve the financial statement of the entity unless a statute article of association or other regulation bind the entity state otherwise\n", + "the audit firm audit the financial statement sprawozdanie finansowe shall be select by an authority approve the financial statement of the entity unless a statute article of association or other regulation bind the entity state otherwise\n", + "wybór firma audytorski do przeprowadzenia badanie sprawozdanie finansowy dokonywać organ zatwierdzający sprawozdanie finansowy jednostka chyba że statut umowa lub inny wiążący jednostka przepis prawo stanowić inaczej\n", + "=====================================================================\n", + "[('contract', 100.0, 282), 40.0, array(['kontrakt', 'umowa'], dtype=object)]\n", + "management response 14 ifrs 15 revenue from contract with customer\n", + "management response 14 ifrs 15 revenue from contract kontrakt with customer\n", + "odpowiedź zarząd 14 mssf 15 przychód z umowa z klient\n", + "=====================================================================\n", + "[('contract', 100.0, 283), 40.0, array(['kontrakt', 'umowa'], dtype=object)]\n", + "management response 14 ifrs 15 revenue from contract with customer\n", + "management response 14 ifrs 15 revenue from contract kontrakt with customer\n", + "odpowiedź zarząd 14 mssf 15 przychód z umowa z klient\n", + "=====================================================================\n", + "[('ifrs', 100.0, 624), 40.0, array(['mssf'], dtype=object)]\n", + "management response 14 ifrs 15 revenue from contract with customer\n", + "management response 14 ifrs mssf 15 revenue from contract with customer\n", + "odpowiedź zarząd 14 mssf 15 przychód z umowa z klient\n", + "=====================================================================\n", + "[('revenue', 100.0, 983), 28.57142857142857, array(['przychód'], dtype=object)]\n", + "management response 14 ifrs 15 revenue from contract with customer\n", + "management response 14 ifrs 15 revenue przychód from contract with customer\n", + "odpowiedź zarząd 14 mssf 15 przychód z umowa z klient\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 50.0, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "where the term of an equity settle award be modify as a minimum an expense be recognise as if the term have not be modify\n", + "where the term of an equity settle award be modify as a minimum an expense be recognise koszty sprzedanych produktów, towarów i materiałów as if the term have not be modify\n", + "w przypadek modyfikacja warunki przyznawania nagroda rozliczanych w instrument kapitałowy w ramy spełnienie wymóg minimum ujmować się koszt jak w przypadek gdyby warunek te nie ulec zmiana\n", + "=====================================================================\n", + "[('equity', 100.0, 460), 66.66666666666666, array(['kapitał własny'], dtype=object)]\n", + "where the term of an equity settle award be modify as a minimum an expense be recognise as if the term have not be modify\n", + "where the term of an equity kapitał własny settle award be modify as a minimum an expense be recognise as if the term have not be modify\n", + "w przypadek modyfikacja warunki przyznawania nagroda rozliczanych w instrument kapitałowy w ramy spełnienie wymóg minimum ujmować się koszt jak w przypadek gdyby warunek te nie ulec zmiana\n", + "=====================================================================\n", + "[('expense', 100.0, 479), 66.66666666666666, array(['koszt'], dtype=object)]\n", + "where the term of an equity settle award be modify as a minimum an expense be recognise as if the term have not be modify\n", + "where the term of an equity settle award be modify as a minimum an expense koszt be recognise as if the term have not be modify\n", + "w przypadek modyfikacja warunki przyznawania nagroda rozliczanych w instrument kapitałowy w ramy spełnienie wymóg minimum ujmować się koszt jak w przypadek gdyby warunek te nie ulec zmiana\n", + "=====================================================================\n", + "[('account', 100.0, 13), 44.44444444444444, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "accounting profit loss before income tax\n", + "accounting konto profit loss before income tax\n", + "zysk strata brutto przed opodatkowanie\n", + "=====================================================================\n", + "[('account', 100.0, 25), 44.44444444444444, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "accounting profit loss before income tax\n", + "accounting konto profit loss before income tax\n", + "zysk strata brutto przed opodatkowanie\n", + "=====================================================================\n", + "[('account', 100.0, 57), 44.44444444444444, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "accounting profit loss before income tax\n", + "accounting konto profit loss before income tax\n", + "zysk strata brutto przed opodatkowanie\n", + "=====================================================================\n", + "[('income', 100.0, 638), 33.33333333333333, array(['zysk'], dtype=object)]\n", + "accounting profit loss before income tax\n", + "accounting profit loss before income zysk tax\n", + "zysk strata brutto przed opodatkowanie\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 40.0, array(['strata'], dtype=object)]\n", + "accounting profit loss before income tax\n", + "accounting profit loss strata before income tax\n", + "zysk strata brutto przed opodatkowanie\n", + "=====================================================================\n", + "[('company', 100.0, 245), 100.0, array(['spółka kapitałowa'], dtype=object)]\n", + "importantly tax authority also question vat deduction where there be a number of trust and test contractor in a chain between a fraudulent company and the business that seek recovery of input vat\n", + "importantly tax authority also question vat deduction where there be a spółka kapitałowa number of trust and test contractor in a chain between a fraudulent company and the business that seek recovery of input vat\n", + "co istotny organ podatkowy kwestionować odliczenie podatek vat także w sytuacja gdy pomiędzy fikcyjny podmiot a odliczającym występować szereg zaufany i sprawdzonych kontrahent\n", + "=====================================================================\n", + "[('contract', 100.0, 282), 100.0, array(['kontrakt', 'umowa'], dtype=object)]\n", + "importantly tax authority also question vat deduction where there be a number of trust and test contractor in a chain between a fraudulent company and the business that seek recovery of input vat\n", + "importantly tax authority also question vat deduction where there be a kontrakt number of trust and test contractor in a chain between a fraudulent company and the business that seek recovery of input vat\n", + "co istotny organ podatkowy kwestionować odliczenie podatek vat także w sytuacja gdy pomiędzy fikcyjny podmiot a odliczającym występować szereg zaufany i sprawdzonych kontrahent\n", + "=====================================================================\n", + "[('contract', 100.0, 283), 100.0, array(['kontrakt', 'umowa'], dtype=object)]\n", + "importantly tax authority also question vat deduction where there be a number of trust and test contractor in a chain between a fraudulent company and the business that seek recovery of input vat\n", + "importantly tax authority also question vat deduction where there be a kontrakt number of trust and test contractor in a chain between a fraudulent company and the business that seek recovery of input vat\n", + "co istotny organ podatkowy kwestionować odliczenie podatek vat także w sytuacja gdy pomiędzy fikcyjny podmiot a odliczającym występować szereg zaufany i sprawdzonych kontrahent\n", + "=====================================================================\n", + "[('vat', 100.0, 1156), 100.0, array(['vat'], dtype=object)]\n", + "importantly tax authority also question vat deduction where there be a number of trust and test contractor in a chain between a fraudulent company and the business that seek recovery of input vat\n", + "importantly tax authority also question vat vat deduction where there be a number of trust and test contractor in a chain between a fraudulent company and the business that seek recovery of input vat\n", + "co istotny organ podatkowy kwestionować odliczenie podatek vat także w sytuacja gdy pomiędzy fikcyjny podmiot a odliczającym występować szereg zaufany i sprawdzonych kontrahent\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the audit oversight commission meet in plenary session manage by its chairperson and in the case of his her absence the deputy chairperson\n", + "the audit badanie sprawozdania finansowego oversight commission meet in plenary session manage by its chairperson and in the case of his her absence the deputy chairperson\n", + "komisja nadzór audytowy obradować na posiedzenie plenarny którymi kierować on przewodniczący a w przypadek on nieobecność zastępca przewodniczący\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "the audit oversight commission meet in plenary session manage by its chairperson and in the case of his her absence the deputy chairperson\n", + "the audit oversight commission prowizje meet in plenary session manage by its chairperson and in the case of his her absence the deputy chairperson\n", + "komisja nadzór audytowy obradować na posiedzenie plenarny którymi kierować on przewodniczący a w przypadek on nieobecność zastępca przewodniczący\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 66.66666666666666, array(['nadzór'], dtype=object)]\n", + "the audit oversight commission meet in plenary session manage by its chairperson and in the case of his her absence the deputy chairperson\n", + "the audit oversight nadzór commission meet in plenary session manage by its chairperson and in the case of his her absence the deputy chairperson\n", + "komisja nadzór audytowy obradować na posiedzenie plenarny którymi kierować on przewodniczący a w przypadek on nieobecność zastępca przewodniczący\n", + "=====================================================================\n", + "[('account', 100.0, 13), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the provision of passage 3 item 10 and 11 shall not apply to the statement on non financial information refer to in article 49b passage 1 of the act of 29 september 1994 on accounting and the separate statement on non financial information refer to in article 49b passage 9 of this act 5\n", + "the provision of passage 3 item 10 and 11 shall not apply to the statement on non financial information refer to in article 49b passage 1 of the act of 29 september 1994 on accounting konto and the separate statement on non financial information refer to in article 49b passage 9 of this act 5\n", + "przepis ust 3 pkt 10 i 11 nie stosować się do oświadczenie na temat informacja finansowy o którym mowa w art 49b ust 1 ustawa z dzień 29 wrzesień 1994 r o rachunkowość i odrębny sprawozdanie na temat informacja nie finansowy o którym mowa w art 49b ust 9 tej ustawa 5\n", + "=====================================================================\n", + "[('account', 100.0, 25), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the provision of passage 3 item 10 and 11 shall not apply to the statement on non financial information refer to in article 49b passage 1 of the act of 29 september 1994 on accounting and the separate statement on non financial information refer to in article 49b passage 9 of this act 5\n", + "the provision of passage 3 item 10 and 11 shall not apply to the statement on non financial information refer to in article 49b passage 1 of the act of 29 september 1994 on accounting konto and the separate statement on non financial information refer to in article 49b passage 9 of this act 5\n", + "przepis ust 3 pkt 10 i 11 nie stosować się do oświadczenie na temat informacja finansowy o którym mowa w art 49b ust 1 ustawa z dzień 29 wrzesień 1994 r o rachunkowość i odrębny sprawozdanie na temat informacja nie finansowy o którym mowa w art 49b ust 9 tej ustawa 5\n", + "=====================================================================\n", + "[('account', 100.0, 57), 100.0, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the provision of passage 3 item 10 and 11 shall not apply to the statement on non financial information refer to in article 49b passage 1 of the act of 29 september 1994 on accounting and the separate statement on non financial information refer to in article 49b passage 9 of this act 5\n", + "the provision of passage 3 item 10 and 11 shall not apply to the statement on non financial information refer to in article 49b passage 1 of the act of 29 september 1994 on accounting konto and the separate statement on non financial information refer to in article 49b passage 9 of this act 5\n", + "przepis ust 3 pkt 10 i 11 nie stosować się do oświadczenie na temat informacja finansowy o którym mowa w art 49b ust 1 ustawa z dzień 29 wrzesień 1994 r o rachunkowość i odrębny sprawozdanie na temat informacja nie finansowy o którym mowa w art 49b ust 9 tej ustawa 5\n", + "=====================================================================\n", + "[('provision', 100.0, 909), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "the provision of passage 3 item 10 and 11 shall not apply to the statement on non financial information refer to in article 49b passage 1 of the act of 29 september 1994 on accounting and the separate statement on non financial information refer to in article 49b passage 9 of this act 5\n", + "the provision rezerwa of passage 3 item 10 and 11 shall not apply to the statement on non financial information refer to in article 49b passage 1 of the act of 29 september 1994 on accounting and the separate statement on non financial information refer to in article 49b passage 9 of this act 5\n", + "przepis ust 3 pkt 10 i 11 nie stosować się do oświadczenie na temat informacja finansowy o którym mowa w art 49b ust 1 ustawa z dzień 29 wrzesień 1994 r o rachunkowość i odrębny sprawozdanie na temat informacja nie finansowy o którym mowa w art 49b ust 9 tej ustawa 5\n", + "=====================================================================\n", + "[('provision', 100.0, 911), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "the provision of passage 3 item 10 and 11 shall not apply to the statement on non financial information refer to in article 49b passage 1 of the act of 29 september 1994 on accounting and the separate statement on non financial information refer to in article 49b passage 9 of this act 5\n", + "the provision rezerwa of passage 3 item 10 and 11 shall not apply to the statement on non financial information refer to in article 49b passage 1 of the act of 29 september 1994 on accounting and the separate statement on non financial information refer to in article 49b passage 9 of this act 5\n", + "przepis ust 3 pkt 10 i 11 nie stosować się do oświadczenie na temat informacja finansowy o którym mowa w art 49b ust 1 ustawa z dzień 29 wrzesień 1994 r o rachunkowość i odrębny sprawozdanie na temat informacja nie finansowy o którym mowa w art 49b ust 9 tej ustawa 5\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 60.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the audit report on the annual consolidated financial statement\n", + "the audit badanie sprawozdania finansowego report on the annual consolidated financial statement\n", + "sprawozdanie z badanie roczny skonsolidowanego sprawozdanie finansowy\n", + "=====================================================================\n", + "[('financial statement', 100.0, 526), 37.5, array(['sprawozdanie finansowe'], dtype=object)]\n", + "the audit report on the annual consolidated financial statement\n", + "the audit report on the annual consolidated financial sprawozdanie finansowe statement\n", + "sprawozdanie z badanie roczny skonsolidowanego sprawozdanie finansowy\n", + "=====================================================================\n", + "[('report', 100.0, 963), 44.44444444444444, array(['sprawozdawczość'], dtype=object)]\n", + "the audit report on the annual consolidated financial statement\n", + "the audit report sprawozdawczość on the annual consolidated financial statement\n", + "sprawozdanie z badanie roczny skonsolidowanego sprawozdanie finansowy\n", + "=====================================================================\n", + "[('spread financial statement', 91.66666666666667, 1039), 50.0, array(['ujednolicanie sprawozdań finansowych'], dtype=object)]\n", + "the audit report on the annual consolidated financial statement\n", + "the audit report on the annual consolidated financial ujednolicanie sprawozdań finansowych statement\n", + "sprawozdanie z badanie roczny skonsolidowanego sprawozdanie finansowy\n", + "=====================================================================\n", + "[('restatement', 90.0, 972), 28.57142857142857, array(['korekty poprzedniego okresu'], dtype=object)]\n", + "the audit report on the annual consolidated financial statement\n", + "the korekty poprzedniego okresu audit report on the annual consolidated financial statement\n", + "sprawozdanie z badanie roczny skonsolidowanego sprawozdanie finansowy\n", + "=====================================================================\n", + "[('c a', 100.0, 176), 80.0, array(['dyplomowany biegły rewident'], dtype=object)]\n", + "in this year s report we seek answer to these and other important question for our sector daniel keys moran the outstanding american programmer and author of science fiction novel once say you can have datum without information but you can not have information without datum in the report you will therefore find a number of statistic along with a clarification of issue crucial to our industry\n", + "in this year s report we seek answer to these and other important question for our sector daniel keys moran the outstanding american programmer and author of science fiction novel once say you can have datum without information but you can not have information without datum in the report you will therefore find a number of statistic along dyplomowany biegły rewident with a clarification of issue crucial to our industry\n", + "w tegoroczny raport poszukiwać odpowiedź na te i inny ważny dla branża pytanie daniela keys morany wybitny amerykański programista a przy okazja autor powieść science fiction stwierdzić kiedyś móc mieść dana i nie mieść wiedza ale nie móc mieść wiedza bez posiadanie dane w raport znajdziecie państwo zatem szereg statystyka wraz z wyjaśnienie istotny dla naszej branża zagadnienie\n", + "=====================================================================\n", + "[('report', 100.0, 963), 83.33333333333333, array(['sprawozdawczość'], dtype=object)]\n", + "in this year s report we seek answer to these and other important question for our sector daniel keys moran the outstanding american programmer and author of science fiction novel once say you can have datum without information but you can not have information without datum in the report you will therefore find a number of statistic along with a clarification of issue crucial to our industry\n", + "in this year s report sprawozdawczość we seek answer to these and other important question for our sector daniel keys moran the outstanding american programmer and author of science fiction novel once say you can have datum without information but you can not have information without datum in the report you will therefore find a number of statistic along with a clarification of issue crucial to our industry\n", + "w tegoroczny raport poszukiwać odpowiedź na te i inny ważny dla branża pytanie daniela keys morany wybitny amerykański programista a przy okazja autor powieść science fiction stwierdzić kiedyś móc mieść dana i nie mieść wiedza ale nie móc mieść wiedza bez posiadanie dane w raport znajdziecie państwo zatem szereg statystyka wraz z wyjaśnienie istotny dla naszej branża zagadnienie\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "as at 31 december 2017 the group have a interest in nazwa 31 december 2016\n", + "as at 31 december 2017 the group grupa kapitałowa have a interest in nazwa 31 december 2016\n", + "na dzienie 31 grudzień 2017 rok grupa posiadać udział w spółka nazwa 31 grudzień 2016\n", + "=====================================================================\n", + "[('interest', 100.0, 664), 54.54545454545455, array(['odsetki'], dtype=object)]\n", + "as at 31 december 2017 the group have a interest in nazwa 31 december 2016\n", + "as at 31 december 2017 the group have a interest odsetki in nazwa 31 december 2016\n", + "na dzienie 31 grudzień 2017 rok grupa posiadać udział w spółka nazwa 31 grudzień 2016\n", + "=====================================================================\n", + "[('isa', 100.0, 628), 100.0, array(['międzynarodowe standardy rewizji finansowej'], dtype=object)]\n", + "increase decrease in payable except loan and borrowing and other financial liability wpisać jakich\n", + "increase decrease in payable except loan and borrowing and other financial liability wpisać międzynarodowe standardy rewizji finansowej jakich\n", + "zwiększenie zmniejszenie stan zobowiązanie z wyjątek kredyt i pożyczka oraz inny zobowiązanie finansowy wpisać jakich\n", + "=====================================================================\n", + "[('liability', 100.0, 716), 100.0, array(['zobowiązania'], dtype=object)]\n", + "increase decrease in payable except loan and borrowing and other financial liability wpisać jakich\n", + "increase decrease in payable except loan and borrowing and other financial liability zobowiązania wpisać jakich\n", + "zwiększenie zmniejszenie stan zobowiązanie z wyjątek kredyt i pożyczka oraz inny zobowiązanie finansowy wpisać jakich\n", + "=====================================================================\n", + "[('loan a', 100.0, 722), 54.54545454545455, array(['kredyt (udzielony)'], dtype=object)]\n", + "increase decrease in payable except loan and borrowing and other financial liability wpisać jakich\n", + "increase decrease in payable except loan and kredyt (udzielony) borrowing and other financial liability wpisać jakich\n", + "zwiększenie zmniejszenie stan zobowiązanie z wyjątek kredyt i pożyczka oraz inny zobowiązanie finansowy wpisać jakich\n", + "=====================================================================\n", + "[('payable', 100.0, 853), 50.0, array(['zobowiązania z tytułu dostaw i usług'], dtype=object)]\n", + "increase decrease in payable except loan and borrowing and other financial liability wpisać jakich\n", + "increase decrease in payable zobowiązania z tytułu dostaw i usług except loan and borrowing and other financial liability wpisać jakich\n", + "zwiększenie zmniejszenie stan zobowiązanie z wyjątek kredyt i pożyczka oraz inny zobowiązanie finansowy wpisać jakich\n", + "=====================================================================\n", + "[('control', 100.0, 289), 54.54545454545455, array(['kontrola '], dtype=object)]\n", + "interact with all local control organization follow the country retail policy and standard\n", + "interact with all local control kontrola organization follow the country retail policy and standard\n", + "kontakt z wszystkimi organizacja lokalny przestrzeganie krajowy polityka i standard handel detaliczny\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the audit oversight commission can apply to the national supervisory committee for conduct the ad hoc nsc inspection in connection with obtain information on non compliance in conduct statutory audits in entity other than the public interest entity 4 the audit oversight commission shall publish on the website until the end of the calendar year information concern activity with regard to public oversight plan for the following year with a particular focus on activity concern oversight of the statutory auditor and the audit firm conduct statutory audits in the public interest entity dz u 41 item 1089 5\n", + "the audit badanie sprawozdania finansowego oversight commission can apply to the national supervisory committee for conduct the ad hoc nsc inspection in connection with obtain information on non compliance in conduct statutory audits in entity other than the public interest entity 4 the audit oversight commission shall publish on the website until the end of the calendar year information concern activity with regard to public oversight plan for the following year with a particular focus on activity concern oversight of the statutory auditor and the audit firm conduct statutory audits in the public interest entity dz u 41 item 1089 5\n", + "komisja nadzór audytowy móc wystąpić do krajowy komisja nadzór z wniosek o przeprowadzenie kon troli doraźny kkn w związek z powzięciem informacja o nieprawidłowość w przeprowadzaniu badanie ustawowy jednostka inny niż jednostka zainteresowanie publiczny 4 komisja nadzór audytowy publikować na strona internetowy do koniec rok kalendarzowy informacja doty czącą planowanych działanie w zakres nadzór publiczny na rok następny z szczególny uwzględnienie działanie dotyczących nadzór nad biegły rewident i firma audytorski przeprowadzającymi badanie ustawowy jednostka zainteresowanie publiczny 5\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "the audit oversight commission can apply to the national supervisory committee for conduct the ad hoc nsc inspection in connection with obtain information on non compliance in conduct statutory audits in entity other than the public interest entity 4 the audit oversight commission shall publish on the website until the end of the calendar year information concern activity with regard to public oversight plan for the following year with a particular focus on activity concern oversight of the statutory auditor and the audit firm conduct statutory audits in the public interest entity dz u 41 item 1089 5\n", + "the audit biegły rewident oversight commission can apply to the national supervisory committee for conduct the ad hoc nsc inspection in connection with obtain information on non compliance in conduct statutory audits in entity other than the public interest entity 4 the audit oversight commission shall publish on the website until the end of the calendar year information concern activity with regard to public oversight plan for the following year with a particular focus on activity concern oversight of the statutory auditor and the audit firm conduct statutory audits in the public interest entity dz u 41 item 1089 5\n", + "komisja nadzór audytowy móc wystąpić do krajowy komisja nadzór z wniosek o przeprowadzenie kon troli doraźny kkn w związek z powzięciem informacja o nieprawidłowość w przeprowadzaniu badanie ustawowy jednostka inny niż jednostka zainteresowanie publiczny 4 komisja nadzór audytowy publikować na strona internetowy do koniec rok kalendarzowy informacja doty czącą planowanych działanie w zakres nadzór publiczny na rok następny z szczególny uwzględnienie działanie dotyczących nadzór nad biegły rewident i firma audytorski przeprowadzającymi badanie ustawowy jednostka zainteresowanie publiczny 5\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "the audit oversight commission can apply to the national supervisory committee for conduct the ad hoc nsc inspection in connection with obtain information on non compliance in conduct statutory audits in entity other than the public interest entity 4 the audit oversight commission shall publish on the website until the end of the calendar year information concern activity with regard to public oversight plan for the following year with a particular focus on activity concern oversight of the statutory auditor and the audit firm conduct statutory audits in the public interest entity dz u 41 item 1089 5\n", + "the audit oversight commission prowizje can apply to the national supervisory committee for conduct the ad hoc nsc inspection in connection with obtain information on non compliance in conduct statutory audits in entity other than the public interest entity 4 the audit oversight commission shall publish on the website until the end of the calendar year information concern activity with regard to public oversight plan for the following year with a particular focus on activity concern oversight of the statutory auditor and the audit firm conduct statutory audits in the public interest entity dz u 41 item 1089 5\n", + "komisja nadzór audytowy móc wystąpić do krajowy komisja nadzór z wniosek o przeprowadzenie kon troli doraźny kkn w związek z powzięciem informacja o nieprawidłowość w przeprowadzaniu badanie ustawowy jednostka inny niż jednostka zainteresowanie publiczny 4 komisja nadzór audytowy publikować na strona internetowy do koniec rok kalendarzowy informacja doty czącą planowanych działanie w zakres nadzór publiczny na rok następny z szczególny uwzględnienie działanie dotyczących nadzór nad biegły rewident i firma audytorski przeprowadzającymi badanie ustawowy jednostka zainteresowanie publiczny 5\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 100.0, array(['jednostka'], dtype=object)]\n", + "the audit oversight commission can apply to the national supervisory committee for conduct the ad hoc nsc inspection in connection with obtain information on non compliance in conduct statutory audits in entity other than the public interest entity 4 the audit oversight commission shall publish on the website until the end of the calendar year information concern activity with regard to public oversight plan for the following year with a particular focus on activity concern oversight of the statutory auditor and the audit firm conduct statutory audits in the public interest entity dz u 41 item 1089 5\n", + "the audit oversight commission can apply to the national supervisory committee for conduct the ad hoc nsc inspection in connection with obtain information on non compliance in conduct statutory audits in entity jednostka other than the public interest entity 4 the audit oversight commission shall publish on the website until the end of the calendar year information concern activity with regard to public oversight plan for the following year with a particular focus on activity concern oversight of the statutory auditor and the audit firm conduct statutory audits in the public interest entity dz u 41 item 1089 5\n", + "komisja nadzór audytowy móc wystąpić do krajowy komisja nadzór z wniosek o przeprowadzenie kon troli doraźny kkn w związek z powzięciem informacja o nieprawidłowość w przeprowadzaniu badanie ustawowy jednostka inny niż jednostka zainteresowanie publiczny 4 komisja nadzór audytowy publikować na strona internetowy do koniec rok kalendarzowy informacja doty czącą planowanych działanie w zakres nadzór publiczny na rok następny z szczególny uwzględnienie działanie dotyczących nadzór nad biegły rewident i firma audytorski przeprowadzającymi badanie ustawowy jednostka zainteresowanie publiczny 5\n", + "=====================================================================\n", + "[('interest', 100.0, 664), 100.0, array(['odsetki'], dtype=object)]\n", + "the audit oversight commission can apply to the national supervisory committee for conduct the ad hoc nsc inspection in connection with obtain information on non compliance in conduct statutory audits in entity other than the public interest entity 4 the audit oversight commission shall publish on the website until the end of the calendar year information concern activity with regard to public oversight plan for the following year with a particular focus on activity concern oversight of the statutory auditor and the audit firm conduct statutory audits in the public interest entity dz u 41 item 1089 5\n", + "the audit oversight commission can apply to the national supervisory committee for conduct the ad hoc nsc inspection in odsetki connection with obtain information on non compliance in conduct statutory audits in entity other than the public interest entity 4 the audit oversight commission shall publish on the website until the end of the calendar year information concern activity with regard to public oversight plan for the following year with a particular focus on activity concern oversight of the statutory auditor and the audit firm conduct statutory audits in the public interest entity dz u 41 item 1089 5\n", + "komisja nadzór audytowy móc wystąpić do krajowy komisja nadzór z wniosek o przeprowadzenie kon troli doraźny kkn w związek z powzięciem informacja o nieprawidłowość w przeprowadzaniu badanie ustawowy jednostka inny niż jednostka zainteresowanie publiczny 4 komisja nadzór audytowy publikować na strona internetowy do koniec rok kalendarzowy informacja doty czącą planowanych działanie w zakres nadzór publiczny na rok następny z szczególny uwzględnienie działanie dotyczących nadzór nad biegły rewident i firma audytorski przeprowadzającymi badanie ustawowy jednostka zainteresowanie publiczny 5\n", + "=====================================================================\n", + "[('company', 100.0, 245), 50.0, array(['spółka kapitałowa'], dtype=object)]\n", + "as of now the company will be require to assess which information be price setting and therefore should be publish\n", + "as of now the company spółka kapitałowa will be require to assess which information be price setting and therefore should be publish\n", + "teraz być musieć sam ocenić które informacja są cenotwórczy i należeć on opublikować brać odpowiedzialność za konsekwencja\n", + "=====================================================================\n", + "[('dividend', 100.0, 394), 75.0, array(['dywidenda'], dtype=object)]\n", + "dividend per other than ordinary share non ordinary dps for 2016 amount to pln 2014 pln\n", + "dividend dywidenda per other than ordinary share non ordinary dps for 2016 amount to pln 2014 pln\n", + "wartość dywidenda na akcja inny niż zwyknąć za rok 2016 wynieść pln 2013 pln\n", + "=====================================================================\n", + "[('acquisition', 100.0, 67), 66.66666666666666, array(['nabycie przedsiębiorstwa'], dtype=object)]\n", + "carry amount of goodwill originate from acquisition of the follow entity\n", + "carry amount of goodwill originate from acquisition nabycie przedsiębiorstwa of the follow entity\n", + "wartość bilansowy wartość firma powstać na nabycie następujący jednostka\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 50.0, array(['jednostka'], dtype=object)]\n", + "carry amount of goodwill originate from acquisition of the follow entity\n", + "carry amount of goodwill originate from acquisition of the jednostka follow entity\n", + "wartość bilansowy wartość firma powstać na nabycie następujący jednostka\n", + "=====================================================================\n", + "[('goodwill', 100.0, 584), 36.36363636363637, array(['wartość firmy'], dtype=object)]\n", + "carry amount of goodwill originate from acquisition of the follow entity\n", + "carry amount of goodwill wartość firmy originate from acquisition of the follow entity\n", + "wartość bilansowy wartość firma powstać na nabycie następujący jednostka\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "should the audit firm fail to perform the obligation of refer to in passage 1 or 2 the audit oversight commission shall issue an administrative decision determine the amount of the fee 5\n", + "should the audit badanie sprawozdania finansowego firm fail to perform the obligation of refer to in passage 1 or 2 the audit oversight commission shall issue an administrative decision determine the amount of the fee 5\n", + "w przypadek niewywiązania się przez firma audytorski z obowiązek o którym mowa w ust 1 lub 2 komisja nadzór audytowy wydawać decyzja administracyjny określającą wysokość opłata 5\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "should the audit firm fail to perform the obligation of refer to in passage 1 or 2 the audit oversight commission shall issue an administrative decision determine the amount of the fee 5\n", + "should the audit firm fail to perform the obligation of refer to in passage 1 or 2 the audit oversight commission prowizje shall issue an administrative decision determine the amount of the fee 5\n", + "w przypadek niewywiązania się przez firma audytorski z obowiązek o którym mowa w ust 1 lub 2 komisja nadzór audytowy wydawać decyzja administracyjny określającą wysokość opłata 5\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 100.0, array(['nadzór'], dtype=object)]\n", + "should the audit firm fail to perform the obligation of refer to in passage 1 or 2 the audit oversight commission shall issue an administrative decision determine the amount of the fee 5\n", + "should the audit firm fail to perform the obligation of refer to in passage 1 or 2 the audit oversight nadzór commission shall issue an administrative decision determine the amount of the fee 5\n", + "w przypadek niewywiązania się przez firma audytorski z obowiązek o którym mowa w ust 1 lub 2 komisja nadzór audytowy wydawać decyzja administracyjny określającą wysokość opłata 5\n", + "=====================================================================\n", + "[('acquisition', 100.0, 67), 100.0, array(['nabycie przedsiębiorstwa'], dtype=object)]\n", + "these expenditure will be incur for the acquisition of new machinery and equipment\n", + "these expenditure will be incur for the acquisition nabycie przedsiębiorstwa of new machinery and equipment\n", + "kwota te przeznaczone być na zakup nowy maszyna i urządzenie\n", + "=====================================================================\n", + "[('expenditure', 100.0, 478), 100.0, array(['wydatki'], dtype=object)]\n", + "these expenditure will be incur for the acquisition of new machinery and equipment\n", + "these expenditure wydatki will be incur for the acquisition of new machinery and equipment\n", + "kwota te przeznaczone być na zakup nowy maszyna i urządzenie\n", + "=====================================================================\n", + "[('liability', 100.0, 716), 57.142857142857146, array(['zobowiązania'], dtype=object)]\n", + "other liability wymienić jakie\n", + "other liability zobowiązania wymienić jakie\n", + "inny zobowiązanie wymienić jakie\n", + "=====================================================================\n", + "[('reliability', 90.9090909090909, 959), 57.142857142857146, array(['wiarygodność'], dtype=object)]\n", + "other liability wymienić jakie\n", + "other liability wiarygodność wymienić jakie\n", + "inny zobowiązanie wymienić jakie\n", + "=====================================================================\n", + "[('equity', 100.0, 460), 50.0, array(['kapitał własny'], dtype=object)]\n", + "value of investment in associate determine use the equity method\n", + "value of investment in associate determine use the equity kapitał własny method\n", + "wartość inwestycja w jednostka stowarzyszony ustalona metoda prawo własność\n", + "=====================================================================\n", + "[('equity method', 100.0, 461), 60.0, array(['metoda praw własności'], dtype=object)]\n", + "value of investment in associate determine use the equity method\n", + "value of investment in associate determine use the equity metoda praw własności method\n", + "wartość inwestycja w jednostka stowarzyszony ustalona metoda prawo własność\n", + "=====================================================================\n", + "[('cap', 100.0, 178), 66.66666666666666, array(['dyplomowany księgowy'], dtype=object)]\n", + "total capital\n", + "total dyplomowany księgowy capital\n", + "kapitała razem\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the audit firm shall prepare a quality control policy regard performance of the order by an independent statutory auditor with regard to the statutory audits of the public interest entity\n", + "the audit badanie sprawozdania finansowego firm shall prepare a quality control policy regard performance of the order by an independent statutory auditor with regard to the statutory audits of the public interest entity\n", + "firma audytorski opracowywać polityka kontrola jakość wykonanie zlecenie przez zależny biegły rewident w odniesienie do badanie ustawowy jednostka zainteresowanie publiczny\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 85.71428571428571, array(['biegły rewident'], dtype=object)]\n", + "the audit firm shall prepare a quality control policy regard performance of the order by an independent statutory auditor with regard to the statutory audits of the public interest entity\n", + "the audit biegły rewident firm shall prepare a quality control policy regard performance of the order by an independent statutory auditor with regard to the statutory audits of the public interest entity\n", + "firma audytorski opracowywać polityka kontrola jakość wykonanie zlecenie przez zależny biegły rewident w odniesienie do badanie ustawowy jednostka zainteresowanie publiczny\n", + "=====================================================================\n", + "[('control', 100.0, 289), 85.71428571428571, array(['kontrola '], dtype=object)]\n", + "the audit firm shall prepare a quality control policy regard performance of the order by an independent statutory auditor with regard to the statutory audits of the public interest entity\n", + "the audit firm shall prepare a quality control kontrola policy regard performance of the order by an independent statutory auditor with regard to the statutory audits of the public interest entity\n", + "firma audytorski opracowywać polityka kontrola jakość wykonanie zlecenie przez zależny biegły rewident w odniesienie do badanie ustawowy jednostka zainteresowanie publiczny\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 66.66666666666666, array(['jednostka'], dtype=object)]\n", + "the audit firm shall prepare a quality control policy regard performance of the order by an independent statutory auditor with regard to the statutory audits of the public interest entity\n", + "the audit firm shall prepare a quality jednostka control policy regard performance of the order by an independent statutory auditor with regard to the statutory audits of the public interest entity\n", + "firma audytorski opracowywać polityka kontrola jakość wykonanie zlecenie przez zależny biegły rewident w odniesienie do badanie ustawowy jednostka zainteresowanie publiczny\n", + "=====================================================================\n", + "[('interest', 100.0, 664), 87.5, array(['odsetki'], dtype=object)]\n", + "the audit firm shall prepare a quality control policy regard performance of the order by an independent statutory auditor with regard to the statutory audits of the public interest entity\n", + "the audit firm shall prepare a quality control policy regard performance of the order by an independent statutory auditor with regard to the statutory audits of the public interest odsetki entity\n", + "firma audytorski opracowywać polityka kontrola jakość wykonanie zlecenie przez zależny biegły rewident w odniesienie do badanie ustawowy jednostka zainteresowanie publiczny\n", + "=====================================================================\n", + "[('liability', 100.0, 716), 66.66666666666666, array(['zobowiązania'], dtype=object)]\n", + "obligation to hold a civil liability insurance cover provision of service or conduct of activity refer to in article 47 passage 2 shall arise no later than on the day precede the day of commencement of these service or activity 5\n", + "obligation to hold a zobowiązania civil liability insurance cover provision of service or conduct of activity refer to in article 47 passage 2 shall arise no later than on the day precede the day of commencement of these service or activity 5\n", + "obowiązek ubezpieczenie odpowiedzialność cywilny w zakres świadczenie usługi lub prowadzenie działalność o których mowa w art 47 ust 2 powstawać nie późno niż w dzień poprzedzającym dzienie rozpoczęcie świadczenie tych usługi lub prowadzenie działalność 5\n", + "=====================================================================\n", + "[('provision', 100.0, 909), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "obligation to hold a civil liability insurance cover provision of service or conduct of activity refer to in article 47 passage 2 shall arise no later than on the day precede the day of commencement of these service or activity 5\n", + "obligation to hold a civil liability insurance cover provision rezerwa of service or conduct of activity refer to in article 47 passage 2 shall arise no later than on the day precede the day of commencement of these service or activity 5\n", + "obowiązek ubezpieczenie odpowiedzialność cywilny w zakres świadczenie usługi lub prowadzenie działalność o których mowa w art 47 ust 2 powstawać nie późno niż w dzień poprzedzającym dzienie rozpoczęcie świadczenie tych usługi lub prowadzenie działalność 5\n", + "=====================================================================\n", + "[('provision', 100.0, 911), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "obligation to hold a civil liability insurance cover provision of service or conduct of activity refer to in article 47 passage 2 shall arise no later than on the day precede the day of commencement of these service or activity 5\n", + "obligation to hold a civil liability insurance cover provision rezerwa of service or conduct of activity refer to in article 47 passage 2 shall arise no later than on the day precede the day of commencement of these service or activity 5\n", + "obowiązek ubezpieczenie odpowiedzialność cywilny w zakres świadczenie usługi lub prowadzenie działalność o których mowa w art 47 ust 2 powstawać nie późno niż w dzień poprzedzającym dzienie rozpoczęcie świadczenie tych usługi lub prowadzenie działalność 5\n", + "=====================================================================\n", + "[('cost', 100.0, 303), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "advantage cit exemption for up to 15 year the value of exemption that be the amount of cit pit not payable will be calculate as the product of the intensity of regional aid and the eligible cost investment outlay or two year labor cost of new employee hire in connection with the implementation of the investment\n", + "advantage cit exemption for up to 15 year the value of exemption that be the amount of cit pit not payable will be calculate as the product of the intensity of regional aid and the eligible cost koszt investment outlay or two year labor cost of new employee hire in connection with the implementation of the investment\n", + "korzyść zwolnienie z cit nawet do 15 rok wartość ulga czyli wysokość niezapłaconego podatek cit pit być kalkulowana jako iloczyn intensywność pomoc regionalny oraz koszt kwalifikowany wydatek inwestycyjny lub dwuletnie koszt praca nowy pracownik zatrudniony w związek z realizacja inwestycja\n", + "=====================================================================\n", + "[('cost', 100.0, 324), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "advantage cit exemption for up to 15 year the value of exemption that be the amount of cit pit not payable will be calculate as the product of the intensity of regional aid and the eligible cost investment outlay or two year labor cost of new employee hire in connection with the implementation of the investment\n", + "advantage cit exemption for up to 15 year the value of exemption that be the amount of cit pit not payable will be calculate as the product of the intensity of regional aid and the eligible cost koszt investment outlay or two year labor cost of new employee hire in connection with the implementation of the investment\n", + "korzyść zwolnienie z cit nawet do 15 rok wartość ulga czyli wysokość niezapłaconego podatek cit pit być kalkulowana jako iloczyn intensywność pomoc regionalny oraz koszt kwalifikowany wydatek inwestycyjny lub dwuletnie koszt praca nowy pracownik zatrudniony w związek z realizacja inwestycja\n", + "=====================================================================\n", + "[('outlay', 100.0, 829), 75.0, array(['nakład'], dtype=object)]\n", + "advantage cit exemption for up to 15 year the value of exemption that be the amount of cit pit not payable will be calculate as the product of the intensity of regional aid and the eligible cost investment outlay or two year labor cost of new employee hire in connection with the implementation of the investment\n", + "advantage cit exemption for up to 15 year the value of exemption that be the amount of cit pit not payable will be calculate as the product of the intensity of regional aid and the eligible cost investment outlay nakład or two year labor cost of new employee hire in connection with the implementation of the investment\n", + "korzyść zwolnienie z cit nawet do 15 rok wartość ulga czyli wysokość niezapłaconego podatek cit pit być kalkulowana jako iloczyn intensywność pomoc regionalny oraz koszt kwalifikowany wydatek inwestycyjny lub dwuletnie koszt praca nowy pracownik zatrudniony w związek z realizacja inwestycja\n", + "=====================================================================\n", + "[('payable', 100.0, 853), 66.66666666666666, array(['zobowiązania z tytułu dostaw i usług'], dtype=object)]\n", + "advantage cit exemption for up to 15 year the value of exemption that be the amount of cit pit not payable will be calculate as the product of the intensity of regional aid and the eligible cost investment outlay or two year labor cost of new employee hire in connection with the implementation of the investment\n", + "advantage cit exemption for up to 15 year the value of exemption that be the amount of cit pit not payable zobowiązania z tytułu dostaw i usług will be calculate as the product of the intensity of regional aid and the eligible cost investment outlay or two year labor cost of new employee hire in connection with the implementation of the investment\n", + "korzyść zwolnienie z cit nawet do 15 rok wartość ulga czyli wysokość niezapłaconego podatek cit pit być kalkulowana jako iloczyn intensywność pomoc regionalny oraz koszt kwalifikowany wydatek inwestycyjny lub dwuletnie koszt praca nowy pracownik zatrudniony w związek z realizacja inwestycja\n", + "=====================================================================\n", + "[('lease', 100.0, 709), 88.88888888888889, array(['leasing'], dtype=object)]\n", + "finance charge payable under finance lease\n", + "finance charge payable leasing under finance lease\n", + "koszt finansowy z tytuł umowa leasing finansowy\n", + "=====================================================================\n", + "[('payable', 100.0, 853), 44.44444444444444, array(['zobowiązania z tytułu dostaw i usług'], dtype=object)]\n", + "finance charge payable under finance lease\n", + "finance charge payable zobowiązania z tytułu dostaw i usług under finance lease\n", + "koszt finansowy z tytuł umowa leasing finansowy\n", + "=====================================================================\n", + "[('disclosure', 100.0, 388), 100.0, array(['ujawnianie informacji finansowych'], dtype=object)]\n", + "d presentation and disclosure requirement the presentation and disclosure requirement in ifrs 15 be more detailed than under current ifrs\n", + "d ujawnianie informacji finansowych presentation and disclosure requirement the presentation and disclosure requirement in ifrs 15 be more detailed than under current ifrs\n", + "d wymóg w zakres prezentacja i ujawniania informacja mssf 15 wprowadzać nowy wymóg w zakres prezentacja i ujawnienie\n", + "=====================================================================\n", + "[('ifrs', 100.0, 624), 100.0, array(['mssf'], dtype=object)]\n", + "d presentation and disclosure requirement the presentation and disclosure requirement in ifrs 15 be more detailed than under current ifrs\n", + "d presentation and disclosure requirement the presentation and disclosure requirement in ifrs mssf 15 be more detailed than under current ifrs\n", + "d wymóg w zakres prezentacja i ujawniania informacja mssf 15 wprowadzać nowy wymóg w zakres prezentacja i ujawnienie\n", + "=====================================================================\n", + "[('company', 100.0, 245), 54.54545454545455, array(['spółka kapitałowa'], dtype=object)]\n", + "the company be grant statistical regon number\n", + "the company spółka kapitałowa be grant statistical regon number\n", + "spółka nadać numer statystyczny regon\n", + "=====================================================================\n", + "[('vat', 100.0, 1156), 100.0, array(['vat'], dtype=object)]\n", + "consequently in addition to any remuneration and payment vat shall be due if applicable\n", + "consequently in addition to any remuneration and payment vat vat shall be due if applicable\n", + "do wynagrodzenie oraz wszelkich płatność dodać należeć kwota podatek vat jeśli należny\n", + "=====================================================================\n", + "[('ombudsperson', 100.0, 801), 100.0, array(['rzecznik'], dtype=object)]\n", + "the explanatory proceeding shall not be commence if a notification of a suspect disciplinary offence be submit by the national disciplinary ombudsperson or the authority refer to in article 148 passage 2\n", + "the explanatory proceeding shall not be commence if a notification of a suspect disciplinary offence be submit by the national disciplinary ombudsperson rzecznik or the authority refer to in article 148 passage 2\n", + "postępowanie wyjaśniający nie wszczynać się w przypadek gdy zawiadomienie o podejrzenie popełnienia przewinienie dyscyplinarny złożyć krajowy rzecznik dyscyplinarny lub organ o których mowa w art 148 ust 2\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "entry in the list shall be make if the audit firm fulfil the follow condition 1 submission of the application contain document datum refer to in passage 2 item 2 12 2 be of good repute 3 submission of statement of the capability to offer service in the scope of performance of financial inspection activity sign by member of the management board and in the case of the lack thereof by owner or partner 5\n", + "entry in the list shall be make if the audit badanie sprawozdania finansowego firm fulfil the follow condition 1 submission of the application contain document datum refer to in passage 2 item 2 12 2 be of good repute 3 submission of statement of the capability to offer service in the scope of performance of financial inspection activity sign by member of the management board and in the case of the lack thereof by owner or partner 5\n", + "wpis na lista dokonywać się w przypadek spełniania przez firma audytorski następujący warunki 1 złożenie wniosek zawierającego udokumentowane dana o których mowa w ust 2 pkt 2 12 2 posiadanie nieposzlakowany opinia 3 złożenie oświadczenie o zdolność do prowadzenie działalność w zakres wykonywania czynność rewizja finanso wej podpisanego przez członek zarząd a w przypadek brak zarząd przez właściciel lub wspólnik 5\n", + "=====================================================================\n", + "[('cap', 100.0, 178), 100.0, array(['dyplomowany księgowy'], dtype=object)]\n", + "entry in the list shall be make if the audit firm fulfil the follow condition 1 submission of the application contain document datum refer to in passage 2 item 2 12 2 be of good repute 3 submission of statement of the capability to offer service in the scope of performance of financial inspection activity sign by member of the management board and in the case of the lack thereof by owner or partner 5\n", + "entry in the list shall be make if the audit firm fulfil the follow condition 1 submission of the application contain document datum refer to in passage 2 item 2 12 2 be of good repute 3 submission of statement of the capability dyplomowany księgowy to offer service in the scope of performance of financial inspection activity sign by member of the management board and in the case of the lack thereof by owner or partner 5\n", + "wpis na lista dokonywać się w przypadek spełniania przez firma audytorski następujący warunki 1 złożenie wniosek zawierającego udokumentowane dana o których mowa w ust 2 pkt 2 12 2 posiadanie nieposzlakowany opinia 3 złożenie oświadczenie o zdolność do prowadzenie działalność w zakres wykonywania czynność rewizja finanso wej podpisanego przez członek zarząd a w przypadek brak zarząd przez właściciel lub wspólnik 5\n", + "=====================================================================\n", + "[('temporary difference', 100.0, 1114), 52.17391304347826, array(['różnice przejściowe'], dtype=object)]\n", + "relate to origination and reversal of temporary difference\n", + "relate to origination and reversal of temporary różnice przejściowe difference\n", + "związany z powstanie i odwrócenie się różnica przejściowy\n", + "=====================================================================\n", + "[('liability', 100.0, 716), 57.142857142857146, array(['zobowiązania'], dtype=object)]\n", + "litigation liability note\n", + "litigation liability zobowiązania note\n", + "zobowiązanie z tytuł pozew sądowy nota\n", + "=====================================================================\n", + "[('note', 100.0, 791), 57.142857142857146, array(['informacja dodatkowa'], dtype=object)]\n", + "litigation liability note\n", + "litigation informacja dodatkowa liability note\n", + "zobowiązanie z tytuł pozew sądowy nota\n", + "=====================================================================\n", + "[('expense', 100.0, 479), 33.33333333333333, array(['koszt'], dtype=object)]\n", + "include in administrative expense\n", + "include in koszt administrative expense\n", + "pozycja ujęte w koszt ogólny zarząd\n", + "=====================================================================\n", + "[('aca', 100.0, 1), 66.66666666666666, array(['członek stowarzyszenia dyplomowanych biegłych rewidentów'],\n", + " dtype=object)]\n", + "most of the regional office market see minor fluc tuation in quarterly vacancy rate over the course of 2016\n", + "most of the regional office market see minor fluc tuation in quarterly vacancy członek stowarzyszenia dyplomowanych biegłych rewidentów rate over the course of 2016\n", + "w poszczególny kwartał 2016 r większość regionalny rynek biurowy odnotować wielki wahanie wartość wskaźnik pustostan\n", + "=====================================================================\n", + "[('company', 100.0, 245), 50.0, array(['spółka kapitałowa'], dtype=object)]\n", + "the responsibility of the company be to take adequate preventive measure to monitor detect and respond to identify threat\n", + "the responsibility of the company spółka kapitałowa be to take adequate preventive measure to monitor detect and respond to identify threat\n", + "na spółka spoczywać odpowiedzialność za podjęcie działanie zapobiegawczy jak również monitorować wykrywania i reakcja na zidentyfikowane zagrożenie\n", + "=====================================================================\n", + "[('budget', 100.0, 168), 83.33333333333333, array(['budżet'], dtype=object)]\n", + "market share during the budget period and\n", + "market share during the budget budżet period and\n", + "udział w rynek w okres budżetowy oraz\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "article 104 the audit oversight commission may apply to the body of the polish chamber of statutory auditors for adopt a resolution in a case in the scope of its competency determine at the same time the term for its adoption not short than 30 day dz\n", + "article 104 the audit badanie sprawozdania finansowego oversight commission may apply to the body of the polish chamber of statutory auditors for adopt a resolution in a case in the scope of its competency determine at the same time the term for its adoption not short than 30 day dz\n", + "art 104 komisja nadzór audytowy móc zwrócić się do organ polski izba biegły rewident o podjęcie uchwała w określony sprawa należący do on właściwość wyznaczać jednocześnie termin na on podjęcie nie krótki niż 30 dzień\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "article 104 the audit oversight commission may apply to the body of the polish chamber of statutory auditors for adopt a resolution in a case in the scope of its competency determine at the same time the term for its adoption not short than 30 day dz\n", + "article 104 the audit biegły rewident oversight commission may apply to the body of the polish chamber of statutory auditors for adopt a resolution in a case in the scope of its competency determine at the same time the term for its adoption not short than 30 day dz\n", + "art 104 komisja nadzór audytowy móc zwrócić się do organ polski izba biegły rewident o podjęcie uchwała w określony sprawa należący do on właściwość wyznaczać jednocześnie termin na on podjęcie nie krótki niż 30 dzień\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "article 104 the audit oversight commission may apply to the body of the polish chamber of statutory auditors for adopt a resolution in a case in the scope of its competency determine at the same time the term for its adoption not short than 30 day dz\n", + "article 104 the audit oversight commission prowizje may apply to the body of the polish chamber of statutory auditors for adopt a resolution in a case in the scope of its competency determine at the same time the term for its adoption not short than 30 day dz\n", + "art 104 komisja nadzór audytowy móc zwrócić się do organ polski izba biegły rewident o podjęcie uchwała w określony sprawa należący do on właściwość wyznaczać jednocześnie termin na on podjęcie nie krótki niż 30 dzień\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 100.0, array(['nadzór'], dtype=object)]\n", + "article 104 the audit oversight commission may apply to the body of the polish chamber of statutory auditors for adopt a resolution in a case in the scope of its competency determine at the same time the term for its adoption not short than 30 day dz\n", + "article 104 the audit oversight nadzór commission may apply to the body of the polish chamber of statutory auditors for adopt a resolution in a case in the scope of its competency determine at the same time the term for its adoption not short than 30 day dz\n", + "art 104 komisja nadzór audytowy móc zwrócić się do organ polski izba biegły rewident o podjęcie uchwała w określony sprawa należący do on właściwość wyznaczać jednocześnie termin na on podjęcie nie krótki niż 30 dzień\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "as part of the public oversight refer to in article 88 the audit oversight commission shall be entitle to take part via their representative in meeting of the body the polish chamber of statutory auditors\n", + "as part of the public oversight refer to in article 88 the audit badanie sprawozdania finansowego oversight commission shall be entitle to take part via their representative in meeting of the body the polish chamber of statutory auditors\n", + "w ramy sprawowanie nadzór publiczny o którym mowa w art 88 komisja nadzór audytowy przysługiwać prawo do uczestnictwo za pośrednictwo swoich przedstawiciel w posiedzenie organy polski izba biegły rewident\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "as part of the public oversight refer to in article 88 the audit oversight commission shall be entitle to take part via their representative in meeting of the body the polish chamber of statutory auditors\n", + "as part of the public oversight refer to biegły rewident in article 88 the audit oversight commission shall be entitle to take part via their representative in meeting of the body the polish chamber of statutory auditors\n", + "w ramy sprawowanie nadzór publiczny o którym mowa w art 88 komisja nadzór audytowy przysługiwać prawo do uczestnictwo za pośrednictwo swoich przedstawiciel w posiedzenie organy polski izba biegły rewident\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "as part of the public oversight refer to in article 88 the audit oversight commission shall be entitle to take part via their representative in meeting of the body the polish chamber of statutory auditors\n", + "as part of the public oversight refer to in article 88 the audit oversight commission prowizje shall be entitle to take part via their representative in meeting of the body the polish chamber of statutory auditors\n", + "w ramy sprawowanie nadzór publiczny o którym mowa w art 88 komisja nadzór audytowy przysługiwać prawo do uczestnictwo za pośrednictwo swoich przedstawiciel w posiedzenie organy polski izba biegły rewident\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 100.0, array(['nadzór'], dtype=object)]\n", + "as part of the public oversight refer to in article 88 the audit oversight commission shall be entitle to take part via their representative in meeting of the body the polish chamber of statutory auditors\n", + "as part of the public oversight nadzór refer to in article 88 the audit oversight commission shall be entitle to take part via their representative in meeting of the body the polish chamber of statutory auditors\n", + "w ramy sprawowanie nadzór publiczny o którym mowa w art 88 komisja nadzór audytowy przysługiwać prawo do uczestnictwo za pośrednictwo swoich przedstawiciel w posiedzenie organy polski izba biegły rewident\n", + "=====================================================================\n", + "[('comprehensive income', 100.0, 253), 40.0, array(['zysk całkowity'], dtype=object)]\n", + "other comprehensive income 5\n", + "other comprehensive income zysk całkowity 5\n", + "inny całkowity dochody5\n", + "=====================================================================\n", + "[('income', 100.0, 638), 66.66666666666666, array(['zysk'], dtype=object)]\n", + "other comprehensive income 5\n", + "other comprehensive income zysk 5\n", + "inny całkowity dochody5\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 66.66666666666666, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "if the forecast transaction be no long expect to occur the net cumulative gain or loss recognise in equity be take to the profit or loss for the period\n", + "if the forecast transaction be no long expect to occur the net cumulative gain or loss recognise koszty sprzedanych produktów, towarów i materiałów in equity be take to the profit or loss for the period\n", + "jeżeli grupa przestać spodziewać się że prognozowana transakcja nastąpić wówczas zakumulowany w kapitała własny łączny zysk lub strata netto są odnoszone do zysk lub strata netto za bieżący okres\n", + "=====================================================================\n", + "[('equity', 100.0, 460), 66.66666666666666, array(['kapitał własny'], dtype=object)]\n", + "if the forecast transaction be no long expect to occur the net cumulative gain or loss recognise in equity be take to the profit or loss for the period\n", + "if the forecast transaction be no long expect to occur the net cumulative gain or loss recognise in equity kapitał własny be take to the profit or loss for the period\n", + "jeżeli grupa przestać spodziewać się że prognozowana transakcja nastąpić wówczas zakumulowany w kapitała własny łączny zysk lub strata netto są odnoszone do zysk lub strata netto za bieżący okres\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 66.66666666666666, array(['strata'], dtype=object)]\n", + "if the forecast transaction be no long expect to occur the net cumulative gain or loss recognise in equity be take to the profit or loss for the period\n", + "if the forecast transaction be no long expect to occur the net cumulative gain or loss strata recognise in equity be take to the profit or loss for the period\n", + "jeżeli grupa przestać spodziewać się że prognozowana transakcja nastąpić wówczas zakumulowany w kapitała własny łączny zysk lub strata netto są odnoszone do zysk lub strata netto za bieżący okres\n", + "=====================================================================\n", + "[('profit', 100.0, 898), 66.66666666666666, array(['zysk'], dtype=object)]\n", + "if the forecast transaction be no long expect to occur the net cumulative gain or loss recognise in equity be take to the profit or loss for the period\n", + "if the forecast transaction be no long expect to occur the net cumulative gain or loss recognise in equity be take to the profit zysk or loss for the period\n", + "jeżeli grupa przestać spodziewać się że prognozowana transakcja nastąpić wówczas zakumulowany w kapitała własny łączny zysk lub strata netto są odnoszone do zysk lub strata netto za bieżący okres\n", + "=====================================================================\n", + "[('sac', 100.0, 993), 66.66666666666666, array(['komisje doradcze ds. standardów'], dtype=object)]\n", + "if the forecast transaction be no long expect to occur the net cumulative gain or loss recognise in equity be take to the profit or loss for the period\n", + "if the forecast transaction komisje doradcze ds. standardów be no long expect to occur the net cumulative gain or loss recognise in equity be take to the profit or loss for the period\n", + "jeżeli grupa przestać spodziewać się że prognozowana transakcja nastąpić wówczas zakumulowany w kapitała własny łączny zysk lub strata netto są odnoszone do zysk lub strata netto za bieżący okres\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 50.0, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "where a group entity act as a joint operator then the group as a party to that joint operation recognize in relation to its interest in the joint operation the follow item\n", + "where a group entity act as a joint operator then the group as a party to that joint operation recognize koszty sprzedanych produktów, towarów i materiałów in relation to its interest in the joint operation the follow item\n", + "jeśli jednostka będąca część grupa prowadzić działalność w ramy wspólny działanie to grupa jako strona tego działanie ujmować w związek z posiadanie w on udział następujący pozycja\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 50.0, array(['jednostka'], dtype=object)]\n", + "where a group entity act as a joint operator then the group as a party to that joint operation recognize in relation to its interest in the joint operation the follow item\n", + "where a group entity jednostka act as a joint operator then the group as a party to that joint operation recognize in relation to its interest in the joint operation the follow item\n", + "jeśli jednostka będąca część grupa prowadzić działalność w ramy wspólny działanie to grupa jako strona tego działanie ujmować w związek z posiadanie w on udział następujący pozycja\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "where a group entity act as a joint operator then the group as a party to that joint operation recognize in relation to its interest in the joint operation the follow item\n", + "where a group grupa kapitałowa entity act as a joint operator then the group as a party to that joint operation recognize in relation to its interest in the joint operation the follow item\n", + "jeśli jednostka będąca część grupa prowadzić działalność w ramy wspólny działanie to grupa jako strona tego działanie ujmować w związek z posiadanie w on udział następujący pozycja\n", + "=====================================================================\n", + "[('interest', 100.0, 664), 66.66666666666666, array(['odsetki'], dtype=object)]\n", + "where a group entity act as a joint operator then the group as a party to that joint operation recognize in relation to its interest in the joint operation the follow item\n", + "where a group entity act as a joint operator then the group as a party to that joint operation recognize in odsetki relation to its interest in the joint operation the follow item\n", + "jeśli jednostka będąca część grupa prowadzić działalność w ramy wspólny działanie to grupa jako strona tego działanie ujmować w związek z posiadanie w on udział następujący pozycja\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 57.142857142857146, array(['aktywa'], dtype=object)]\n", + "net assets liability classify as hold for sale\n", + "net assets aktywa liability classify as hold for sale\n", + "aktywa zobowiązanie netto zaklasyfikowane jako przeznaczone do sprzedaż\n", + "=====================================================================\n", + "[('liability', 100.0, 716), 50.0, array(['zobowiązania'], dtype=object)]\n", + "net assets liability classify as hold for sale\n", + "net assets liability zobowiązania classify as hold for sale\n", + "aktywa zobowiązanie netto zaklasyfikowane jako przeznaczone do sprzedaż\n", + "=====================================================================\n", + "[('sale', 100.0, 1000), 57.142857142857146, array(['sprzedaż'], dtype=object)]\n", + "net assets liability classify as hold for sale\n", + "net assets liability classify as sprzedaż hold for sale\n", + "aktywa zobowiązanie netto zaklasyfikowane jako przeznaczone do sprzedaż\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the audit firm which establish performance of financial audit activity in the public interest entity as a source of revenue in a give calendar year shall pay the fee for oversight for a give calendar year in the amount not high than 5 5 of that revenue however not less than 20 of the average wage in the national economy announce by the president of the central statistical office of poland for the previous calendar year\n", + "the audit badanie sprawozdania finansowego firm which establish performance of financial audit activity in the public interest entity as a source of revenue in a give calendar year shall pay the fee for oversight for a give calendar year in the amount not high than 5 5 of that revenue however not less than 20 of the average wage in the national economy announce by the president of the central statistical office of poland for the previous calendar year\n", + "firma audytorski osiągająca przychód z tytuł wykonywania czynność rewizja finansowy w jednostka zainteresowanie publiczny w dany rok kalendarzowy jest obowiązany wnieść opłata z tytuł nadzór za dany rok kalendarzowy w wysokość nie wysoki niż 5 5 tych przychód jednak nie mniej niż 20 przeciętny wynagrodzenie w gospodarka narodowy ogłoszonego przez prezes główny urząd statystyczny za poprzedni rok kalendarzowy\n", + "=====================================================================\n", + "[('entity', 100.0, 455), 66.66666666666666, array(['jednostka'], dtype=object)]\n", + "the audit firm which establish performance of financial audit activity in the public interest entity as a source of revenue in a give calendar year shall pay the fee for oversight for a give calendar year in the amount not high than 5 5 of that revenue however not less than 20 of the average wage in the national economy announce by the president of the central statistical office of poland for the previous calendar year\n", + "the audit firm which establish performance of financial audit activity in the public interest entity jednostka as a source of revenue in a give calendar year shall pay the fee for oversight for a give calendar year in the amount not high than 5 5 of that revenue however not less than 20 of the average wage in the national economy announce by the president of the central statistical office of poland for the previous calendar year\n", + "firma audytorski osiągająca przychód z tytuł wykonywania czynność rewizja finansowy w jednostka zainteresowanie publiczny w dany rok kalendarzowy jest obowiązany wnieść opłata z tytuł nadzór za dany rok kalendarzowy w wysokość nie wysoki niż 5 5 tych przychód jednak nie mniej niż 20 przeciętny wynagrodzenie w gospodarka narodowy ogłoszonego przez prezes główny urząd statystyczny za poprzedni rok kalendarzowy\n", + "=====================================================================\n", + "[('interest', 100.0, 664), 87.5, array(['odsetki'], dtype=object)]\n", + "the audit firm which establish performance of financial audit activity in the public interest entity as a source of revenue in a give calendar year shall pay the fee for oversight for a give calendar year in the amount not high than 5 5 of that revenue however not less than 20 of the average wage in the national economy announce by the president of the central statistical office of poland for the previous calendar year\n", + "the audit firm which establish performance of financial audit activity in odsetki the public interest entity as a source of revenue in a give calendar year shall pay the fee for oversight for a give calendar year in the amount not high than 5 5 of that revenue however not less than 20 of the average wage in the national economy announce by the president of the central statistical office of poland for the previous calendar year\n", + "firma audytorski osiągająca przychód z tytuł wykonywania czynność rewizja finansowy w jednostka zainteresowanie publiczny w dany rok kalendarzowy jest obowiązany wnieść opłata z tytuł nadzór za dany rok kalendarzowy w wysokość nie wysoki niż 5 5 tych przychód jednak nie mniej niż 20 przeciętny wynagrodzenie w gospodarka narodowy ogłoszonego przez prezes główny urząd statystyczny za poprzedni rok kalendarzowy\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 57.142857142857146, array(['nadzór'], dtype=object)]\n", + "the audit firm which establish performance of financial audit activity in the public interest entity as a source of revenue in a give calendar year shall pay the fee for oversight for a give calendar year in the amount not high than 5 5 of that revenue however not less than 20 of the average wage in the national economy announce by the president of the central statistical office of poland for the previous calendar year\n", + "the audit firm which establish performance of financial audit activity in the public interest entity as a source of revenue in a give calendar year shall pay the fee for oversight nadzór for a give calendar year in the amount not high than 5 5 of that revenue however not less than 20 of the average wage in the national economy announce by the president of the central statistical office of poland for the previous calendar year\n", + "firma audytorski osiągająca przychód z tytuł wykonywania czynność rewizja finansowy w jednostka zainteresowanie publiczny w dany rok kalendarzowy jest obowiązany wnieść opłata z tytuł nadzór za dany rok kalendarzowy w wysokość nie wysoki niż 5 5 tych przychód jednak nie mniej niż 20 przeciętny wynagrodzenie w gospodarka narodowy ogłoszonego przez prezes główny urząd statystyczny za poprzedni rok kalendarzowy\n", + "=====================================================================\n", + "[('public interest', 100.0, 919), 77.77777777777777, array(['interes publiczny'], dtype=object)]\n", + "the audit firm which establish performance of financial audit activity in the public interest entity as a source of revenue in a give calendar year shall pay the fee for oversight for a give calendar year in the amount not high than 5 5 of that revenue however not less than 20 of the average wage in the national economy announce by the president of the central statistical office of poland for the previous calendar year\n", + "the audit firm which establish performance of financial audit activity in the public interest interes publiczny entity as a source of revenue in a give calendar year shall pay the fee for oversight for a give calendar year in the amount not high than 5 5 of that revenue however not less than 20 of the average wage in the national economy announce by the president of the central statistical office of poland for the previous calendar year\n", + "firma audytorski osiągająca przychód z tytuł wykonywania czynność rewizja finansowy w jednostka zainteresowanie publiczny w dany rok kalendarzowy jest obowiązany wnieść opłata z tytuł nadzór za dany rok kalendarzowy w wysokość nie wysoki niż 5 5 tych przychód jednak nie mniej niż 20 przeciętny wynagrodzenie w gospodarka narodowy ogłoszonego przez prezes główny urząd statystyczny za poprzedni rok kalendarzowy\n", + "=====================================================================\n", + "[('sac', 100.0, 993), 66.66666666666666, array(['komisje doradcze ds. standardów'], dtype=object)]\n", + "transaction denominate in currency other than polish zloty be translate into polish zloty at the exchange rate prevail on the transaction date\n", + "transaction komisje doradcze ds. standardów denominate in currency other than polish zloty be translate into polish zloty at the exchange rate prevail on the transaction date\n", + "transakcja wyrażone w waluta inny niż pln są przeliczane na złoty polski przy zastosowanie kurs obowiązujący w dzień zawarcie transakcja\n", + "=====================================================================\n", + "[('transaction', 100.0, 1125), 82.35294117647058, array(['transakcja'], dtype=object)]\n", + "transaction denominate in currency other than polish zloty be translate into polish zloty at the exchange rate prevail on the transaction date\n", + "transaction transakcja denominate in currency other than polish zloty be translate into polish zloty at the exchange rate prevail on the transaction date\n", + "transakcja wyrażone w waluta inny niż pln są przeliczane na złoty polski przy zastosowanie kurs obowiązujący w dzień zawarcie transakcja\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 44.44444444444444, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the title of the statutory auditor be subject to legal protection\n", + "the title of the statutory auditor badanie sprawozdania finansowego be subject to legal protection\n", + "tytuła biegły rewident podlegać ochrona prawny\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 44.44444444444444, array(['biegły rewident'], dtype=object)]\n", + "the title of the statutory auditor be subject to legal protection\n", + "the title of the statutory auditor biegły rewident be subject to legal protection\n", + "tytuła biegły rewident podlegać ochrona prawny\n", + "=====================================================================\n", + "[('interest', 100.0, 664), 87.5, array(['odsetki'], dtype=object)]\n", + "the last few month be a time of incredible interest in invest in poland largely inspire by absl s successful london meeting with investor\n", + "the last few month be a time of incredible interest odsetki in invest in poland largely inspire by absl s successful london meeting with investor\n", + "ostatni kilka miesiąc to okres prawdopodobny zainteresowanie inwestycja w polska w duży stopień zainspirowanego udany spotkanie absl z inwestor w londyn\n", + "=====================================================================\n", + "[('confirmation', 100.0, 260), 100.0, array(['niezależne potwierdzenie'], dtype=object)]\n", + "the above extended fire liability will only apply if and inso far as insurance cover exist mean insurer confirmation regard the specific case which be to be exclusively conclude for zalando\n", + "the above extended fire liability will only apply if and inso far as insurance cover exist mean insurer confirmation niezależne potwierdzenie regard the specific case which be to be exclusively conclude for zalando\n", + "powyższa rozszerzona odpowiedzialność z tyt pożar obowiązywać wyłącznie w zakres istniejącej ochrona ubezpieczeniowy co oznaczać potwierdzenie ubezpieczyciel w odniesienie do konkretny przypadek które to ubezpieczenie zostanie zawarte na wyłączny korzyść zalando\n", + "=====================================================================\n", + "[('liability', 100.0, 716), 80.0, array(['zobowiązania'], dtype=object)]\n", + "the above extended fire liability will only apply if and inso far as insurance cover exist mean insurer confirmation regard the specific case which be to be exclusively conclude for zalando\n", + "the above extended fire liability zobowiązania will only apply if and inso far as insurance cover exist mean insurer confirmation regard the specific case which be to be exclusively conclude for zalando\n", + "powyższa rozszerzona odpowiedzialność z tyt pożar obowiązywać wyłącznie w zakres istniejącej ochrona ubezpieczeniowy co oznaczać potwierdzenie ubezpieczyciel w odniesienie do konkretny przypadek które to ubezpieczenie zostanie zawarte na wyłączny korzyść zalando\n", + "=====================================================================\n", + "[('reliability', 90.9090909090909, 959), 80.0, array(['wiarygodność'], dtype=object)]\n", + "the above extended fire liability will only apply if and inso far as insurance cover exist mean insurer confirmation regard the specific case which be to be exclusively conclude for zalando\n", + "the above extended fire liability wiarygodność will only apply if and inso far as insurance cover exist mean insurer confirmation regard the specific case which be to be exclusively conclude for zalando\n", + "powyższa rozszerzona odpowiedzialność z tyt pożar obowiązywać wyłącznie w zakres istniejącej ochrona ubezpieczeniowy co oznaczać potwierdzenie ubezpieczyciel w odniesienie do konkretny przypadek które to ubezpieczenie zostanie zawarte na wyłączny korzyść zalando\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 100.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "u of 2016 item 1727 as amended16 in article 46 passage 6 item 1 letter a shall be replace by the following a the financial statement for the last financial year along with the audit report or the balance sheet if the entrepreneur be unable to present the financial statement\n", + "u badanie sprawozdania finansowego of 2016 item 1727 as amended16 in article 46 passage 6 item 1 letter a shall be replace by the following a the financial statement for the last financial year along with the audit report or the balance sheet if the entrepreneur be unable to present the financial statement\n", + "u z 2016 r poz 1727 z późn zm 18 w art 46 w ust 6 w pkt 1 lit a otrzymywać brzmienie a sprawozdanie finansowy za ostatni rok obrotowy wraz z sprawozdanie z badanie albo bilans gdy przedsię biorca nie móc okazać sprawozdanie finansowy\n", + "=====================================================================\n", + "[('balance', 100.0, 136), 100.0, array(['saldo'], dtype=object)]\n", + "u of 2016 item 1727 as amended16 in article 46 passage 6 item 1 letter a shall be replace by the following a the financial statement for the last financial year along with the audit report or the balance sheet if the entrepreneur be unable to present the financial statement\n", + "u of 2016 item 1727 as amended16 in article 46 passage 6 item 1 letter a saldo shall be replace by the following a the financial statement for the last financial year along with the audit report or the balance sheet if the entrepreneur be unable to present the financial statement\n", + "u z 2016 r poz 1727 z późn zm 18 w art 46 w ust 6 w pkt 1 lit a otrzymywać brzmienie a sprawozdanie finansowy za ostatni rok obrotowy wraz z sprawozdanie z badanie albo bilans gdy przedsię biorca nie móc okazać sprawozdanie finansowy\n", + "=====================================================================\n", + "[('balance sheet', 100.0, 137), 62.5, array(['bilans'], dtype=object)]\n", + "u of 2016 item 1727 as amended16 in article 46 passage 6 item 1 letter a shall be replace by the following a the financial statement for the last financial year along with the audit report or the balance sheet if the entrepreneur be unable to present the financial statement\n", + "u of 2016 item 1727 as amended16 in article 46 passage 6 item 1 letter a shall be replace by the following a the financial statement for the last financial year along with the audit report or the balance sheet bilans if the entrepreneur be unable to present the financial statement\n", + "u z 2016 r poz 1727 z późn zm 18 w art 46 w ust 6 w pkt 1 lit a otrzymywać brzmienie a sprawozdanie finansowy za ostatni rok obrotowy wraz z sprawozdanie z badanie albo bilans gdy przedsię biorca nie móc okazać sprawozdanie finansowy\n", + "=====================================================================\n", + "[('financial statement', 100.0, 526), 60.0, array(['sprawozdanie finansowe'], dtype=object)]\n", + "u of 2016 item 1727 as amended16 in article 46 passage 6 item 1 letter a shall be replace by the following a the financial statement for the last financial year along with the audit report or the balance sheet if the entrepreneur be unable to present the financial statement\n", + "u of 2016 item 1727 as amended16 in article 46 passage 6 item 1 letter a shall be replace by the following a the financial statement sprawozdanie finansowe for the last financial year along with the audit report or the balance sheet if the entrepreneur be unable to present the financial statement\n", + "u z 2016 r poz 1727 z późn zm 18 w art 46 w ust 6 w pkt 1 lit a otrzymywać brzmienie a sprawozdanie finansowy za ostatni rok obrotowy wraz z sprawozdanie z badanie albo bilans gdy przedsię biorca nie móc okazać sprawozdanie finansowy\n", + "=====================================================================\n", + "[('report', 100.0, 963), 100.0, array(['sprawozdawczość'], dtype=object)]\n", + "u of 2016 item 1727 as amended16 in article 46 passage 6 item 1 letter a shall be replace by the following a the financial statement for the last financial year along with the audit report or the balance sheet if the entrepreneur be unable to present the financial statement\n", + "u of 2016 item 1727 as amended16 in article 46 passage 6 item 1 letter a shall be replace by the following a the financial statement for the last financial year along with the audit report sprawozdawczość or the balance sheet if the entrepreneur be unable to present the financial statement\n", + "u z 2016 r poz 1727 z późn zm 18 w art 46 w ust 6 w pkt 1 lit a otrzymywać brzmienie a sprawozdanie finansowy za ostatni rok obrotowy wraz z sprawozdanie z badanie albo bilans gdy przedsię biorca nie móc okazać sprawozdanie finansowy\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 50.0, array(['nadzór'], dtype=object)]\n", + "chapter 7 public oversight article 88 1\n", + "chapter 7 public oversight nadzór article 88 1\n", + "rozdział 7 nadzór publiczny art 88 1\n", + "=====================================================================\n", + "[('group', 100.0, 593), 50.0, array(['grupa kapitałowa'], dtype=object)]\n", + "it be the group s policy that all customer who wish to trade on credit term be subject to initial credit verification procedure\n", + "it be the group grupa kapitałowa s policy that all customer who wish to trade on credit term be subject to initial credit verification procedure\n", + "wszyscy klient którzy pragnąć korzystać z kredyt kupiecki poddawani są procedura wstępny weryfikacja\n", + "=====================================================================\n", + "[('loss', 100.0, 729), 40.0, array(['strata'], dtype=object)]\n", + "profit loss for the year\n", + "profit loss strata for the year\n", + "zysk strata za rok obrotowy\n", + "=====================================================================\n", + "[('profit', 100.0, 898), 66.66666666666666, array(['zysk'], dtype=object)]\n", + "profit loss for the year\n", + "profit zysk loss for the year\n", + "zysk strata za rok obrotowy\n", + "=====================================================================\n", + "[('contingent liability', 100.0, 276), 42.42424242424242, array(['zobowiązanie warunkowe'], dtype=object)]\n", + "other contingent liability\n", + "other contingent zobowiązanie warunkowe liability\n", + "inny zobowiązanie warunkowy\n", + "=====================================================================\n", + "[('liability', 100.0, 716), 57.142857142857146, array(['zobowiązania'], dtype=object)]\n", + "other contingent liability\n", + "other zobowiązania contingent liability\n", + "inny zobowiązanie warunkowy\n", + "=====================================================================\n", + "[('reliability', 90.0, 959), 57.142857142857146, array(['wiarygodność'], dtype=object)]\n", + "other contingent liability\n", + "other wiarygodność contingent liability\n", + "inny zobowiązanie warunkowy\n", + "=====================================================================\n", + "[('latent liability', 89.65517241379311, 706), 32.25806451612904, array(['zobowiązanie ukryte'], dtype=object)]\n", + "other contingent liability\n", + "other contingent zobowiązanie ukryte liability\n", + "inny zobowiązanie warunkowy\n", + "=====================================================================\n", + "[('financial reporting', 100.0, 519), 52.63157894736842, array(['sprawozdawczość finansowa'], dtype=object)]\n", + "these financial statement be prepare in accordance with international financial reporting standards ifrs endorse by the european union eu ifrs\n", + "these financial statement be prepare in accordance with international financial reporting sprawozdawczość finansowa standards ifrs endorse by the european union eu ifrs\n", + "niniejszy sprawozdanie finansowy zostało sporządzone zgodnie z międzynarodowy standard sprawozdawczość finansowy mssf zatwierdzonymi przez ue mssf ue\n", + "=====================================================================\n", + "[('financial statement', 100.0, 526), 60.0, array(['sprawozdanie finansowe'], dtype=object)]\n", + "these financial statement be prepare in accordance with international financial reporting standards ifrs endorse by the european union eu ifrs\n", + "these financial statement sprawozdanie finansowe be prepare in accordance with international financial reporting standards ifrs endorse by the european union eu ifrs\n", + "niniejszy sprawozdanie finansowy zostało sporządzone zgodnie z międzynarodowy standard sprawozdawczość finansowy mssf zatwierdzonymi przez ue mssf ue\n", + "=====================================================================\n", + "[('ifrs', 100.0, 624), 50.0, array(['mssf'], dtype=object)]\n", + "these financial statement be prepare in accordance with international financial reporting standards ifrs endorse by the european union eu ifrs\n", + "these financial statement be prepare in accordance with international financial reporting standards ifrs mssf endorse by the european union eu ifrs\n", + "niniejszy sprawozdanie finansowy zostało sporządzone zgodnie z międzynarodowy standard sprawozdawczość finansowy mssf zatwierdzonymi przez ue mssf ue\n", + "=====================================================================\n", + "[('international financial reporting standard', 100.0, 682), 51.515151515151516, array(['międzynarodowe standardy sprawozdawczości finansowej'],\n", + " dtype=object)]\n", + "these financial statement be prepare in accordance with international financial reporting standards ifrs endorse by the european union eu ifrs\n", + "these financial statement be prepare in accordance with international financial reporting standards międzynarodowe standardy sprawozdawczości finansowej ifrs endorse by the european union eu ifrs\n", + "niniejszy sprawozdanie finansowy zostało sporządzone zgodnie z międzynarodowy standard sprawozdawczość finansowy mssf zatwierdzonymi przez ue mssf ue\n", + "=====================================================================\n", + "[('report', 100.0, 963), 60.0, array(['sprawozdawczość'], dtype=object)]\n", + "these financial statement be prepare in accordance with international financial reporting standards ifrs endorse by the european union eu ifrs\n", + "these financial statement be prepare in accordance with international financial reporting sprawozdawczość standards ifrs endorse by the european union eu ifrs\n", + "niniejszy sprawozdanie finansowy zostało sporządzone zgodnie z międzynarodowy standard sprawozdawczość finansowy mssf zatwierdzonymi przez ue mssf ue\n", + "=====================================================================\n", + "[('company', 100.0, 245), 54.54545454545455, array(['spółka kapitałowa'], dtype=object)]\n", + "the company create a provision for future liability under jubilee bonus and retirement benefit in order to allocate the cost of those allowance to the period to which they relate\n", + "the company spółka kapitałowa create a provision for future liability under jubilee bonus and retirement benefit in order to allocate the cost of those allowance to the period to which they relate\n", + "spółka tworzyć rezerwa na przyszły zobowiązanie z tytuł odprawa emerytalny i nagroda jubileuszowy w cel przyporządkowania koszt do okres których dotyczyć\n", + "=====================================================================\n", + "[('cost', 100.0, 303), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "the company create a provision for future liability under jubilee bonus and retirement benefit in order to allocate the cost of those allowance to the period to which they relate\n", + "the company create a provision for future liability under jubilee bonus and retirement benefit in order to allocate the cost koszt of those allowance to the period to which they relate\n", + "spółka tworzyć rezerwa na przyszły zobowiązanie z tytuł odprawa emerytalny i nagroda jubileuszowy w cel przyporządkowania koszt do okres których dotyczyć\n", + "=====================================================================\n", + "[('cost', 100.0, 324), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "the company create a provision for future liability under jubilee bonus and retirement benefit in order to allocate the cost of those allowance to the period to which they relate\n", + "the company create a provision for future liability under jubilee bonus and retirement benefit in order to allocate the cost koszt of those allowance to the period to which they relate\n", + "spółka tworzyć rezerwa na przyszły zobowiązanie z tytuł odprawa emerytalny i nagroda jubileuszowy w cel przyporządkowania koszt do okres których dotyczyć\n", + "=====================================================================\n", + "[('liability', 100.0, 716), 100.0, array(['zobowiązania'], dtype=object)]\n", + "the company create a provision for future liability under jubilee bonus and retirement benefit in order to allocate the cost of those allowance to the period to which they relate\n", + "the company create a zobowiązania provision for future liability under jubilee bonus and retirement benefit in order to allocate the cost of those allowance to the period to which they relate\n", + "spółka tworzyć rezerwa na przyszły zobowiązanie z tytuł odprawa emerytalny i nagroda jubileuszowy w cel przyporządkowania koszt do okres których dotyczyć\n", + "=====================================================================\n", + "[('provision', 100.0, 909), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "the company create a provision for future liability under jubilee bonus and retirement benefit in order to allocate the cost of those allowance to the period to which they relate\n", + "the company create a provision rezerwa for future liability under jubilee bonus and retirement benefit in order to allocate the cost of those allowance to the period to which they relate\n", + "spółka tworzyć rezerwa na przyszły zobowiązanie z tytuł odprawa emerytalny i nagroda jubileuszowy w cel przyporządkowania koszt do okres których dotyczyć\n", + "=====================================================================\n", + "[('account', 100.0, 13), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the company account for this effect use the following method\n", + "the company account konto for this effect use the following method\n", + "spółka odzwierciedlać ten efekt za pomoc następujący metoda\n", + "=====================================================================\n", + "[('account', 100.0, 25), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the company account for this effect use the following method\n", + "the company account konto for this effect use the following method\n", + "spółka odzwierciedlać ten efekt za pomoc następujący metoda\n", + "=====================================================================\n", + "[('account', 100.0, 57), 66.66666666666666, array(['konto', 'rachunkowość', 'konta'], dtype=object)]\n", + "the company account for this effect use the following method\n", + "the company account konto for this effect use the following method\n", + "spółka odzwierciedlać ten efekt za pomoc następujący metoda\n", + "=====================================================================\n", + "[('company', 100.0, 245), 50.0, array(['spółka kapitałowa'], dtype=object)]\n", + "the company account for this effect use the following method\n", + "the company spółka kapitałowa account for this effect use the following method\n", + "spółka odzwierciedlać ten efekt za pomoc następujący metoda\n", + "=====================================================================\n", + "[('asset', 100.0, 105), 50.0, array(['aktywa'], dtype=object)]\n", + "intangible asset acquire separately or internally generate if they meet the recognition criterion for capitalise research and development cost be measure on initial recognition at cost\n", + "intangible asset aktywa acquire separately or internally generate if they meet the recognition criterion for capitalise research and development cost be measure on initial recognition at cost\n", + "aktywa materialny nabyte w oddzielny transakcja lub wytworzone jeżeli spełniać kryterium rozpoznanie dla koszt prace rozwojowy wyceniać się przy początkowy ujęcie odpowiednio w cena nabycie lub koszt wytworzenia\n", + "=====================================================================\n", + "[('cap', 100.0, 178), 66.66666666666666, array(['dyplomowany księgowy'], dtype=object)]\n", + "intangible asset acquire separately or internally generate if they meet the recognition criterion for capitalise research and development cost be measure on initial recognition at cost\n", + "intangible asset acquire separately or internally generate if they meet the recognition criterion for capitalise dyplomowany księgowy research and development cost be measure on initial recognition at cost\n", + "aktywa materialny nabyte w oddzielny transakcja lub wytworzone jeżeli spełniać kryterium rozpoznanie dla koszt prace rozwojowy wyceniać się przy początkowy ujęcie odpowiednio w cena nabycie lub koszt wytworzenia\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 50.0, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "intangible asset acquire separately or internally generate if they meet the recognition criterion for capitalise research and development cost be measure on initial recognition at cost\n", + "intangible asset acquire separately or internally generate if they meet the recognition koszty sprzedanych produktów, towarów i materiałów criterion for capitalise research and development cost be measure on initial recognition at cost\n", + "aktywa materialny nabyte w oddzielny transakcja lub wytworzone jeżeli spełniać kryterium rozpoznanie dla koszt prace rozwojowy wyceniać się przy początkowy ujęcie odpowiednio w cena nabycie lub koszt wytworzenia\n", + "=====================================================================\n", + "[('cost', 100.0, 303), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "intangible asset acquire separately or internally generate if they meet the recognition criterion for capitalise research and development cost be measure on initial recognition at cost\n", + "intangible asset acquire separately or internally generate if they meet the recognition criterion for capitalise research and development cost koszt be measure on initial recognition at cost\n", + "aktywa materialny nabyte w oddzielny transakcja lub wytworzone jeżeli spełniać kryterium rozpoznanie dla koszt prace rozwojowy wyceniać się przy początkowy ujęcie odpowiednio w cena nabycie lub koszt wytworzenia\n", + "=====================================================================\n", + "[('cost', 100.0, 324), 75.0, array(['koszt', 'koszty'], dtype=object)]\n", + "intangible asset acquire separately or internally generate if they meet the recognition criterion for capitalise research and development cost be measure on initial recognition at cost\n", + "intangible asset acquire separately or internally generate if they meet the recognition criterion for capitalise research and development cost koszt be measure on initial recognition at cost\n", + "aktywa materialny nabyte w oddzielny transakcja lub wytworzone jeżeli spełniać kryterium rozpoznanie dla koszt prace rozwojowy wyceniać się przy początkowy ujęcie odpowiednio w cena nabycie lub koszt wytworzenia\n", + "=====================================================================\n", + "[('cog', 100.0, 183), 50.0, array(['koszty sprzedanych produktów, towarów i materiałów'], dtype=object)]\n", + "where an equity settle award be cancel it be treat as if it have vest on the date of cancellation and any expense not yet recognise for the award be recognise immediately\n", + "where an equity settle award be cancel it be treat as if it have vest on the date of cancellation and any expense not yet recognise koszty sprzedanych produktów, towarów i materiałów for the award be recognise immediately\n", + "w przypadek anulowanie nagroda rozliczanej w instrument kapitałowy jest on traktowana w taki sposób jakby prawo do on zostały nabyte w dzień anulowanie a wszelkie jeszcze nieujęty koszt z tytuł nagroda są niezwłocznie ujmowane\n", + "=====================================================================\n", + "[('equity', 100.0, 460), 66.66666666666666, array(['kapitał własny'], dtype=object)]\n", + "where an equity settle award be cancel it be treat as if it have vest on the date of cancellation and any expense not yet recognise for the award be recognise immediately\n", + "where an equity kapitał własny settle award be cancel it be treat as if it have vest on the date of cancellation and any expense not yet recognise for the award be recognise immediately\n", + "w przypadek anulowanie nagroda rozliczanej w instrument kapitałowy jest on traktowana w taki sposób jakby prawo do on zostały nabyte w dzień anulowanie a wszelkie jeszcze nieujęty koszt z tytuł nagroda są niezwłocznie ujmowane\n", + "=====================================================================\n", + "[('expense', 100.0, 479), 54.54545454545455, array(['koszt'], dtype=object)]\n", + "where an equity settle award be cancel it be treat as if it have vest on the date of cancellation and any expense not yet recognise for the award be recognise immediately\n", + "where an equity settle award be cancel it be treat as if it have vest on the date of cancellation and any expense koszt not yet recognise for the award be recognise immediately\n", + "w przypadek anulowanie nagroda rozliczanej w instrument kapitałowy jest on traktowana w taki sposób jakby prawo do on zostały nabyte w dzień anulowanie a wszelkie jeszcze nieujęty koszt z tytuł nagroda są niezwłocznie ujmowane\n", + "=====================================================================\n", + "[('company', 100.0, 245), 42.857142857142854, array(['spółka kapitałowa'], dtype=object)]\n", + "hold in the company s equity as at\n", + "hold in the company spółka kapitałowa s equity as at\n", + "procentowy udział spółka w kapitała\n", + "=====================================================================\n", + "[('equity', 100.0, 460), 50.0, array(['kapitał własny'], dtype=object)]\n", + "hold in the company s equity as at\n", + "hold in the company s equity kapitał własny as at\n", + "procentowy udział spółka w kapitała\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the national council of statutory auditors or the audit oversight commission after the decision impose the fine become final and binding publish on its website without unnecessary delay information on a breach commit by the audit firm or the person refer to in article 182 passage 2 and a penalty impose for that breach 2\n", + "the national council of statutory auditors badanie sprawozdania finansowego or the audit oversight commission after the decision impose the fine become final and binding publish on its website without unnecessary delay information on a breach commit by the audit firm or the person refer to in article 182 passage 2 and a penalty impose for that breach 2\n", + "krajowy rado biegły rewident albo komisja nadzór audytowy po uprawomocnieniu się decyzja nakładającej kara podawać do publiczny wiadomość bez zbędny zwłoka publikować na swojej strona interneto wej informacja o popełnionym przez firma audytorski lub osoba o której mowa w art 182 ust 2 naruszenie oraz nałożo nej za to naruszenie karo 2\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 100.0, array(['biegły rewident'], dtype=object)]\n", + "the national council of statutory auditors or the audit oversight commission after the decision impose the fine become final and binding publish on its website without unnecessary delay information on a breach commit by the audit firm or the person refer to in article 182 passage 2 and a penalty impose for that breach 2\n", + "the national council of statutory auditors biegły rewident or the audit oversight commission after the decision impose the fine become final and binding publish on its website without unnecessary delay information on a breach commit by the audit firm or the person refer to in article 182 passage 2 and a penalty impose for that breach 2\n", + "krajowy rado biegły rewident albo komisja nadzór audytowy po uprawomocnieniu się decyzja nakładającej kara podawać do publiczny wiadomość bez zbędny zwłoka publikować na swojej strona interneto wej informacja o popełnionym przez firma audytorski lub osoba o której mowa w art 182 ust 2 naruszenie oraz nałożo nej za to naruszenie karo 2\n", + "=====================================================================\n", + "[('commission', 100.0, 242), 100.0, array(['prowizje'], dtype=object)]\n", + "the national council of statutory auditors or the audit oversight commission after the decision impose the fine become final and binding publish on its website without unnecessary delay information on a breach commit by the audit firm or the person refer to in article 182 passage 2 and a penalty impose for that breach 2\n", + "the national council of statutory auditors or the audit oversight commission prowizje after the decision impose the fine become final and binding publish on its website without unnecessary delay information on a breach commit by the audit firm or the person refer to in article 182 passage 2 and a penalty impose for that breach 2\n", + "krajowy rado biegły rewident albo komisja nadzór audytowy po uprawomocnieniu się decyzja nakładającej kara podawać do publiczny wiadomość bez zbędny zwłoka publikować na swojej strona interneto wej informacja o popełnionym przez firma audytorski lub osoba o której mowa w art 182 ust 2 naruszenie oraz nałożo nej za to naruszenie karo 2\n", + "=====================================================================\n", + "[('oversight', 100.0, 836), 100.0, array(['nadzór'], dtype=object)]\n", + "the national council of statutory auditors or the audit oversight commission after the decision impose the fine become final and binding publish on its website without unnecessary delay information on a breach commit by the audit firm or the person refer to in article 182 passage 2 and a penalty impose for that breach 2\n", + "the national council of statutory auditors or the audit oversight nadzór commission after the decision impose the fine become final and binding publish on its website without unnecessary delay information on a breach commit by the audit firm or the person refer to in article 182 passage 2 and a penalty impose for that breach 2\n", + "krajowy rado biegły rewident albo komisja nadzór audytowy po uprawomocnieniu się decyzja nakładającej kara podawać do publiczny wiadomość bez zbędny zwłoka publikować na swojej strona interneto wej informacja o popełnionym przez firma audytorski lub osoba o której mowa w art 182 ust 2 naruszenie oraz nałożo nej za to naruszenie karo 2\n", + "=====================================================================\n", + "[('company', 100.0, 245), 60.0, array(['spółka kapitałowa'], dtype=object)]\n", + "company will have no choice but to rely on tech native as increase level of automation will require proficient use of an ever grow number of program and software and the ability to continually learn due to the sheer speed of innovation in the industry\n", + "company spółka kapitałowa will have no choice but to rely on tech native as increase level of automation will require proficient use of an ever grow number of program and software and the ability to continually learn due to the sheer speed of innovation in the industry\n", + "nieunikniony być podnoszenie kompetencja obsługa technologia tech natives ponieważ rosnący automatyzacja być wymagać biegły obsługa zwiększającej się liczba program i gotowość ciągły uczenie się z uwaga na szybkość proces innowacyjny w tej dziedzina\n", + "=====================================================================\n", + "[('vat', 100.0, 1156), 66.66666666666666, array(['vat'], dtype=object)]\n", + "company will have no choice but to rely on tech native as increase level of automation will require proficient use of an ever grow number of program and software and the ability to continually learn due to the sheer speed of innovation in the industry\n", + "company will have no choice but to rely on tech native as increase level of automation will require proficient use of an ever grow number of program and software and the ability to continually learn due to the sheer speed of innovation vat in the industry\n", + "nieunikniony być podnoszenie kompetencja obsługa technologia tech natives ponieważ rosnący automatyzacja być wymagać biegły obsługa zwiększającej się liczba program i gotowość ciągły uczenie się z uwaga na szybkość proces innowacyjny w tej dziedzina\n", + "=====================================================================\n", + "[('financial instrument', 100.0, 516), 81.48148148148148, array(['instrumenty finansowe'], dtype=object)]\n", + "it be and have be throughout the year under review the group s policy that no trading in financial instrument shall be undertake\n", + "it be and have be throughout the year under review the group s policy that no trading in financial instrument instrumenty finansowe shall be undertake\n", + "zasada stosowany przez grupa obecnie i przez cały okres objęty sprawozdanie jest nieprowadzenie obrót instrument finansowy\n", + "=====================================================================\n", + "[('group', 100.0, 593), 80.0, array(['grupa kapitałowa'], dtype=object)]\n", + "it be and have be throughout the year under review the group s policy that no trading in financial instrument shall be undertake\n", + "it be and have be throughout the year under review the group grupa kapitałowa s policy that no trading in financial instrument shall be undertake\n", + "zasada stosowany przez grupa obecnie i przez cały okres objęty sprawozdanie jest nieprowadzenie obrót instrument finansowy\n", + "=====================================================================\n", + "[('vie', 100.0, 1157), 100.0, array(['podmiot o zmiennych udziałach'], dtype=object)]\n", + "it be and have be throughout the year under review the group s policy that no trading in financial instrument shall be undertake\n", + "it be and have be throughout the year under review podmiot o zmiennych udziałach the group s policy that no trading in financial instrument shall be undertake\n", + "zasada stosowany przez grupa obecnie i przez cały okres objęty sprawozdanie jest nieprowadzenie obrót instrument finansowy\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 66.66666666666666, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the extraordinary national assembly of statutory auditors shall debate on issue for which it be convene 4 the national council of statutory auditors shall summon the extraordinary the national assembly of statutory auditors upon the request of 1 at least 10 of the statutory auditor enter in the register dz u 17 item 1089 2 the national audit committee due to a gross violation of the law by financial or statutory operation of the polish chamber of statutory auditors 6\n", + "the extraordinary national assembly of statutory auditors badanie sprawozdania finansowego shall debate on issue for which it be convene 4 the national council of statutory auditors shall summon the extraordinary the national assembly of statutory auditors upon the request of 1 at least 10 of the statutory auditor enter in the register dz u 17 item 1089 2 the national audit committee due to a gross violation of the law by financial or statutory operation of the polish chamber of statutory auditors 6\n", + "nadzwyczajny krajowy zjazd biegły rewident obradować nad sprawa dla których został zwołany 5 krajowy rado biegły rewident jest obowiązany do zwołanie nadzwyczajny krajowy zjazd biegły rewident na żądanie 1 co mało 10 biegły rewident wpisanych do rejestr 2 krajowy komisja rewizyjny z powód rażący naruszenie prawo w działalność finansowy lub statutowy polski izba biegły rewident 6\n", + "=====================================================================\n", + "[('audit committee', 100.0, 113), 75.0, array(['komisja rewizyjna'], dtype=object)]\n", + "the extraordinary national assembly of statutory auditors shall debate on issue for which it be convene 4 the national council of statutory auditors shall summon the extraordinary the national assembly of statutory auditors upon the request of 1 at least 10 of the statutory auditor enter in the register dz u 17 item 1089 2 the national audit committee due to a gross violation of the law by financial or statutory operation of the polish chamber of statutory auditors 6\n", + "the extraordinary national assembly of statutory auditors shall debate on issue for which it be convene 4 the national council of statutory auditors shall summon the extraordinary the national assembly of statutory auditors upon the request of 1 at least 10 of the statutory auditor enter in the register dz u 17 item 1089 2 the national audit committee komisja rewizyjna due to a gross violation of the law by financial or statutory operation of the polish chamber of statutory auditors 6\n", + "nadzwyczajny krajowy zjazd biegły rewident obradować nad sprawa dla których został zwołany 5 krajowy rado biegły rewident jest obowiązany do zwołanie nadzwyczajny krajowy zjazd biegły rewident na żądanie 1 co mało 10 biegły rewident wpisanych do rejestr 2 krajowy komisja rewizyjny z powód rażący naruszenie prawo w działalność finansowy lub statutowy polski izba biegły rewident 6\n", + "=====================================================================\n", + "[('auditor', 100.0, 125), 66.66666666666666, array(['biegły rewident'], dtype=object)]\n", + "the extraordinary national assembly of statutory auditors shall debate on issue for which it be convene 4 the national council of statutory auditors shall summon the extraordinary the national assembly of statutory auditors upon the request of 1 at least 10 of the statutory auditor enter in the register dz u 17 item 1089 2 the national audit committee due to a gross violation of the law by financial or statutory operation of the polish chamber of statutory auditors 6\n", + "the extraordinary national assembly of statutory auditors biegły rewident shall debate on issue for which it be convene 4 the national council of statutory auditors shall summon the extraordinary the national assembly of statutory auditors upon the request of 1 at least 10 of the statutory auditor enter in the register dz u 17 item 1089 2 the national audit committee due to a gross violation of the law by financial or statutory operation of the polish chamber of statutory auditors 6\n", + "nadzwyczajny krajowy zjazd biegły rewident obradować nad sprawa dla których został zwołany 5 krajowy rado biegły rewident jest obowiązany do zwołanie nadzwyczajny krajowy zjazd biegły rewident na żądanie 1 co mało 10 biegły rewident wpisanych do rejestr 2 krajowy komisja rewizyjny z powód rażący naruszenie prawo w działalność finansowy lub statutowy polski izba biegły rewident 6\n", + "=====================================================================\n", + "[('audit', 100.0, 112), 80.0, array(['badanie sprawozdania finansowego'], dtype=object)]\n", + "the opinion be consistent with the additional report to the audit committee adapt to the name of the body that perform the function of the audit committee if applicable issue on the date of this report\n", + "the opinion be consistent with the additional report to the audit badanie sprawozdania finansowego committee adapt to the name of the body that perform the function of the audit committee if applicable issue on the date of this report\n", + "opinia jest spójny z dodatkowy sprawozdanie dla komitet audyt dostosować do nazwa organ pełniącego funkcja komitet audyt jeśli dotyczyć wydanym z dzień niniejszy sprawozdanie z badanie\n", + "=====================================================================\n", + "[('audit committee', 100.0, 113), 63.63636363636363, array(['komisja rewizyjna'], dtype=object)]\n", + "the opinion be consistent with the additional report to the audit committee adapt to the name of the body that perform the function of the audit committee if applicable issue on the date of this report\n", + "the opinion be consistent with the additional report to the audit committee komisja rewizyjna adapt to the name of the body that perform the function of the audit committee if applicable issue on the date of this report\n", + "opinia jest spójny z dodatkowy sprawozdanie dla komitet audyt dostosować do nazwa organ pełniącego funkcja komitet audyt jeśli dotyczyć wydanym z dzień niniejszy sprawozdanie z badanie\n", + "=====================================================================\n", + "[('report', 100.0, 963), 50.0, array(['sprawozdawczość'], dtype=object)]\n", + "the opinion be consistent with the additional report to the audit committee adapt to the name of the body that perform the function of the audit committee if applicable issue on the date of this report\n", + "the opinion be consistent with the additional report sprawozdawczość to the audit committee adapt to the name of the body that perform the function of the audit committee if applicable issue on the date of this report\n", + "opinia jest spójny z dodatkowy sprawozdanie dla komitet audyt dostosować do nazwa organ pełniącego funkcja komitet audyt jeśli dotyczyć wydanym z dzień niniejszy sprawozdanie z badanie\n", + "=====================================================================\n", + "[('provision', 100.0, 909), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "the implementation of the above provision will enable polish tax authority challenge such arrangement realise by tax remitter as restructuring or reorganization\n", + "the implementation of the above provision rezerwa will enable polish tax authority challenge such arrangement realise by tax remitter as restructuring or reorganization\n", + "wdrożenie powyższy przepis umożliwić polski organy kontrola podatkowy kwestionowanie realizowanych przez podatnik prawny ustalenie i porozumienie takich jak restrukturyzacja i reorganizacja grupa\n", + "=====================================================================\n", + "[('provision', 100.0, 911), 100.0, array(['rezerwa', 'tworzenie rezerw'], dtype=object)]\n", + "the implementation of the above provision will enable polish tax authority challenge such arrangement realise by tax remitter as restructuring or reorganization\n", + "the implementation of the above provision rezerwa will enable polish tax authority challenge such arrangement realise by tax remitter as restructuring or reorganization\n", + "wdrożenie powyższy przepis umożliwić polski organy kontrola podatkowy kwestionowanie realizowanych przez podatnik prawny ustalenie i porozumienie takich jak restrukturyzacja i reorganizacja grupa\n", + "=====================================================================\n", + "10.721322925\n" + ] + } + ], + "source": [ + "import copy\n", + "import pandas as pd\n", + "import rapidfuzz\n", + "from rapidfuzz.fuzz import *\n", + "import time\n", + "from rapidfuzz.utils import default_process\n", + "\n", + "\n", + "THRESHOLD = 88\n", + "\n", + "def is_injectable(sentence_pl, sequence):\n", + " sen = sentence_pl.split()\n", + " windowSize = len(sequence.split())\n", + " maxx = 0\n", + " for i in range(len(sen) - windowSize):\n", + " current = rapidfuzz.fuzz.partial_ratio(' '.join(sen[i:i + windowSize]), sequence)\n", + " if current > maxx:\n", + " maxx = current\n", + " return maxx\n", + "\n", + "def inject(sentence, sequence):\n", + " sen = sentence.split()\n", + " windowSize = len(sequence.split())\n", + " maxx = 0\n", + " maxxi = 0\n", + " for i in range(len(sen) - windowSize):\n", + " current = rapidfuzz.fuzz.partial_ratio(' '.join(sen[i:i + windowSize]), sequence)\n", + " if current > maxx:\n", + " maxx = current\n", + " maxxi = i\n", + " return ' '.join(sen[:maxxi + windowSize]) + ' ' \\\n", + " + glossary.loc[lambda df: df['source_lem'] == sequence]['result'].astype(str).values.flatten() \\\n", + " + ' ' + ' '.join(sen[maxxi + windowSize:])\n", + "\n", + "glossary = pd.read_csv('kompendium_lem_cleaned.tsv', sep='\\t', header=0, index_col=0)\n", + "glossary['source_lem'] = [default_process(x) for x in glossary['source_lem']]\n", + "\n", + "start_time = time.time_ns()\n", + "en = []\n", + "translation_line_counts = []\n", + "for line, line_pl in zip(file_lemmatized, file_pl_lemmatized):\n", + " line = default_process(line)\n", + " line_pl = default_process(line_pl)\n", + " matchez = rapidfuzz.process.extract(query=line, choices=glossary['source_lem'], limit=5, score_cutoff=THRESHOLD, scorer=partial_ratio)\n", + " translation_line_counts.append(len(matchez))\n", + " for match in matchez:\n", + " # if is_injectable(line_pl, match[0]):\n", + " print([match, is_injectable(line_pl, match[0]), glossary.loc[lambda df: df['source_lem'] == match[0]]['result'].astype(str).values.flatten()])\n", + " print(line)\n", + " print(inject(line, match[0])[0])\n", + " print(line_pl)\n", + " print('=====================================================================')\n", + " en.append(inject(line, match[0])[0])\n", + "\n", + "\n", + "stop = time.time_ns()\n", + "timex = (stop - start_time) / 1000000000\n", + "print(timex)\n" + ], + "metadata": { + "collapsed": false, + "pycharm": { + "name": "#%%\n" + } + } + }, + { + "cell_type": "code", + "execution_count": 8, + "outputs": [], + "source": [ + "tlcs = copy.deepcopy(translation_line_counts)\n", + "\n", + "translations = pd.read_csv(dev_path + '.pl', sep='\\t', header=None, names=['text'])\n", + "with open(dev_path + '.injected.crossvalidated.pl', 'w') as file_pl:\n", + " for line, translation_line_ct in zip(translations, tlcs):\n", + " for i in range(translation_line_ct):\n", + " file_pl.write(line)\n", + "\n", + "\n", + "with open(dev_path + '.injected.crossvalidated.en', 'w') as file_en:\n", + " for e in en:\n", + " file_en.write(e + '\\n')" + ], + "metadata": { + "collapsed": false, + "pycharm": { + "name": "#%%\n" + } + } + }, + { + "cell_type": "code", + "execution_count": null, + "outputs": [], + "source": [], + "metadata": { + "collapsed": false, + "pycharm": { + "name": "#%%\n" + } + } + } + ], + "metadata": { + "kernelspec": { + "display_name": "Python 3", + "language": "python", + "name": "python3" + }, + "language_info": { + "codemirror_mode": { + "name": "ipython", + "version": 2 + }, + "file_extension": ".py", + "mimetype": "text/x-python", + "name": "python", + "nbconvert_exporter": "python", + "pygments_lexer": "ipython2", + "version": "2.7.6" + } + }, + "nbformat": 4, + "nbformat_minor": 0 +} \ No newline at end of file diff --git a/training-command.txt b/training-command.txt index b3c3556..9f72665 100644 --- a/training-command.txt +++ b/training-command.txt @@ -1,18 +1,30 @@ first iteration: -./marian/build/marian --model mt.npz --type transformer --overwrite \ +./marian/build/marian --model mt.npz \ +--type transformer --overwrite \ --train-sets mt-summit-corpora/mt-summit-corpora/dev/dev.en \ mt-summit-corpora/mt-summit-corpora/dev/dev.pl \ ---disp-freq 1000 --save-freq 1000 --optimizer adam --lr-report +--disp-freq 1000 \ +--save-freq 1000 \ +--optimizer adam \ +--lr-report next iterations: -./marian/build/marian --model mt.npz --type transformer --overwrite \ +./marian/build/marian --model mt.npz \ +--type transformer --overwrite \ --train-sets mt-summit-corpora/mt-summit-corpora/dev/dev.en \ mt-summit-corpora/mt-summit-corpora/dev/dev.pl \ ---disp-freq 1000 --save-freq 1000 --optimizer adam --lr-report \ +--disp-freq 1000 \ +--save-freq 1000 \ +--optimizer adam \ +--lr-report \ --pretrained-model mt.npz -./marian/build/marian --model mt.npz --type transformer --overwrite \ +./marian/build/marian --model mt.npz \ +--type transformer --overwrite \ --train-sets mt-summit-corpora/mt-summit-corpora/train/train.en \ mt-summit-corpora/mt-summit-corpora/train/train.pl \ ---disp-freq 1000 --save-freq 10000 --optimizer adam --lr-report \ +--disp-freq 1000 \ +--save-freq 10000 \ +--optimizer adam \ +--lr-report \ --pretrained-model mt.npz diff --git a/venv-setup.sh b/venv-setup.sh new file mode 100644 index 0000000..df18dde --- /dev/null +++ b/venv-setup.sh @@ -0,0 +1,12 @@ +#!/bin.bash + +apt install python3-pip +apt install python3-virtualenv +virtualenv -p python3.8 gpu +source gpu/bin/activate +pip install pandas ipython +pip install spacy[cuda114] +python -m spacy download en_core_web_sm +python -m spacy download pl_core_news_sm +pip install spaczz +pip install rapidfuzz