jiaulislam
commited on
Commit
·
cb15d3a
1
Parent(s):
82a1d37
adding pre-commit hooks for the repository
Browse files- .flake8 +5 -0
- .pre-commit-config.yaml +25 -0
- deep_translator/__main__.py +0 -1
- deep_translator/base.py +13 -9
- deep_translator/cli.py +9 -5
- deep_translator/constants.py +1 -2
- deep_translator/deepl.py +2 -3
- deep_translator/detection.py +15 -5
- deep_translator/engines.py +0 -1
- deep_translator/exceptions.py +9 -8
- deep_translator/google.py +3 -1
- deep_translator/libre.py +7 -3
- deep_translator/linguee.py +12 -8
- deep_translator/microsoft.py +4 -3
- deep_translator/mymemory.py +0 -1
- deep_translator/papago.py +8 -2
- deep_translator/pons.py +8 -2
- deep_translator/qcri.py +6 -3
- deep_translator/validate.py +3 -2
- deep_translator/yandex.py +18 -7
- docs/conf.py +8 -2
- examples/linguee.py +3 -1
- examples/pons.py +3 -1
- examples/trans.py +3 -1
- poetry.lock +0 -0
- pyproject.toml +31 -1
- tests/test_google.py +3 -2
- tests/test_linguee.py +3 -4
- tests/test_microsoft_trans.py +12 -8
- tests/test_mymemory.py +0 -1
.flake8
ADDED
@@ -0,0 +1,5 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
[flake8]
|
2 |
+
ignore = E203, W503, E402
|
3 |
+
max-line-length = 109
|
4 |
+
max-complexity = 18
|
5 |
+
select = B,C,E,F,W,T4,B9
|
.pre-commit-config.yaml
ADDED
@@ -0,0 +1,25 @@
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
1 |
+
repos:
|
2 |
+
- repo: https://github.com/PyCQA/autoflake
|
3 |
+
rev: v2.0.1
|
4 |
+
hooks:
|
5 |
+
- id: autoflake
|
6 |
+
args: ["--remove-all-unused-imports"]
|
7 |
+
- repo: https://github.com/psf/black
|
8 |
+
rev: 23.1.0
|
9 |
+
hooks:
|
10 |
+
- id: black
|
11 |
+
- repo: https://github.com/PyCQA/flake8.git
|
12 |
+
rev: 6.0.0
|
13 |
+
hooks:
|
14 |
+
- id: flake8
|
15 |
+
- repo: https://github.com/hadialqattan/pycln
|
16 |
+
rev: v2.1.3
|
17 |
+
hooks:
|
18 |
+
- id: pycln
|
19 |
+
args: [--config=pyproject.toml]
|
20 |
+
- repo: https://github.com/pycqa/isort
|
21 |
+
rev: 5.12.0
|
22 |
+
hooks:
|
23 |
+
- id: isort
|
24 |
+
files: "\\.(py)$"
|
25 |
+
args: ["--profile", "black"]
|
deep_translator/__main__.py
CHANGED
@@ -1,4 +1,3 @@
|
|
1 |
-
|
2 |
__copyright__ = "Copyright (C) 2020 Nidhal Baccouri"
|
3 |
|
4 |
|
|
|
|
|
1 |
__copyright__ = "Copyright (C) 2020 Nidhal Baccouri"
|
2 |
|
3 |
|
deep_translator/base.py
CHANGED
@@ -3,6 +3,7 @@
|
|
3 |
__copyright__ = "Copyright (C) 2020 Nidhal Baccouri"
|
4 |
|
5 |
from abc import ABC, abstractmethod
|
|
|
6 |
from typing import List, Optional, Union
|
7 |
|
8 |
from deep_translator.constants import GOOGLE_LANGUAGES_TO_CODES
|
@@ -10,8 +11,6 @@ from deep_translator.exceptions import (
|
|
10 |
InvalidSourceOrTargetLanguage,
|
11 |
LanguageNotSupportedException,
|
12 |
)
|
13 |
-
from pathlib import Path
|
14 |
-
from bs4 import BeautifulSoup as bs
|
15 |
|
16 |
|
17 |
class BaseTranslator(ABC):
|
@@ -70,9 +69,11 @@ class BaseTranslator(ABC):
|
|
70 |
|
71 |
def _map_language_to_code(self, *languages):
|
72 |
"""
|
73 |
-
map language to its corresponding code (abbreviation) if the language was passed
|
|
|
74 |
@param languages: list of languages
|
75 |
-
@return: mapped value of the language or raise an exception if the language is
|
|
|
76 |
"""
|
77 |
for language in languages:
|
78 |
if language in self._languages.values() or language == "auto":
|
@@ -95,7 +96,8 @@ class BaseTranslator(ABC):
|
|
95 |
) -> Union[list, dict]:
|
96 |
"""
|
97 |
return the supported languages by the Google translator
|
98 |
-
@param as_dict: if True, the languages will be returned as a dictionary
|
|
|
99 |
@return: list or dict
|
100 |
"""
|
101 |
return self._supported_languages if not as_dict else self._languages
|
@@ -118,7 +120,8 @@ class BaseTranslator(ABC):
|
|
118 |
@abstractmethod
|
119 |
def translate(self, text: str, **kwargs) -> str:
|
120 |
"""
|
121 |
-
translate a text using a translator under the hood and return
|
|
|
122 |
@param text: text to translate
|
123 |
@param kwargs: additional arguments
|
124 |
@return: str
|
@@ -127,6 +130,7 @@ class BaseTranslator(ABC):
|
|
127 |
|
128 |
def _read_docx(self, f: str):
|
129 |
import docx2txt
|
|
|
130 |
return docx2txt.process(f)
|
131 |
|
132 |
def _read_pdf(self, f: str):
|
@@ -152,11 +156,11 @@ class BaseTranslator(ABC):
|
|
152 |
exit(1)
|
153 |
|
154 |
ext = path.suffix
|
155 |
-
|
156 |
-
if ext ==
|
157 |
text = self._read_docx(f=str(path))
|
158 |
|
159 |
-
elif ext ==
|
160 |
text = self._read_pdf(f=str(path))
|
161 |
else:
|
162 |
with open(path, "r", encoding="utf-8") as f:
|
|
|
3 |
__copyright__ = "Copyright (C) 2020 Nidhal Baccouri"
|
4 |
|
5 |
from abc import ABC, abstractmethod
|
6 |
+
from pathlib import Path
|
7 |
from typing import List, Optional, Union
|
8 |
|
9 |
from deep_translator.constants import GOOGLE_LANGUAGES_TO_CODES
|
|
|
11 |
InvalidSourceOrTargetLanguage,
|
12 |
LanguageNotSupportedException,
|
13 |
)
|
|
|
|
|
14 |
|
15 |
|
16 |
class BaseTranslator(ABC):
|
|
|
69 |
|
70 |
def _map_language_to_code(self, *languages):
|
71 |
"""
|
72 |
+
map language to its corresponding code (abbreviation) if the language was passed
|
73 |
+
by its full name by the user
|
74 |
@param languages: list of languages
|
75 |
+
@return: mapped value of the language or raise an exception if the language is
|
76 |
+
not supported
|
77 |
"""
|
78 |
for language in languages:
|
79 |
if language in self._languages.values() or language == "auto":
|
|
|
96 |
) -> Union[list, dict]:
|
97 |
"""
|
98 |
return the supported languages by the Google translator
|
99 |
+
@param as_dict: if True, the languages will be returned as a dictionary
|
100 |
+
mapping languages to their abbreviations
|
101 |
@return: list or dict
|
102 |
"""
|
103 |
return self._supported_languages if not as_dict else self._languages
|
|
|
120 |
@abstractmethod
|
121 |
def translate(self, text: str, **kwargs) -> str:
|
122 |
"""
|
123 |
+
translate a text using a translator under the hood and return
|
124 |
+
the translated text
|
125 |
@param text: text to translate
|
126 |
@param kwargs: additional arguments
|
127 |
@return: str
|
|
|
130 |
|
131 |
def _read_docx(self, f: str):
|
132 |
import docx2txt
|
133 |
+
|
134 |
return docx2txt.process(f)
|
135 |
|
136 |
def _read_pdf(self, f: str):
|
|
|
156 |
exit(1)
|
157 |
|
158 |
ext = path.suffix
|
159 |
+
|
160 |
+
if ext == ".docx":
|
161 |
text = self._read_docx(f=str(path))
|
162 |
|
163 |
+
elif ext == ".pdf":
|
164 |
text = self._read_pdf(f=str(path))
|
165 |
else:
|
166 |
with open(path, "r", encoding="utf-8") as f:
|
deep_translator/cli.py
CHANGED
@@ -15,7 +15,9 @@ class CLI(object):
|
|
15 |
def __init__(self, custom_args: Optional[list] = None):
|
16 |
self.custom_args = custom_args
|
17 |
self.args = self.parse_args()
|
18 |
-
translator_class = self.translators_dict.get(
|
|
|
|
|
19 |
if not translator_class:
|
20 |
raise Exception(
|
21 |
f"Translator {self.args.translator} is not supported."
|
@@ -37,19 +39,21 @@ class CLI(object):
|
|
37 |
|
38 |
def get_supported_languages(self) -> None:
|
39 |
"""
|
40 |
-
function used to return the languages supported by the translator service
|
|
|
41 |
@return: None
|
42 |
"""
|
43 |
|
44 |
-
translator_supported_languages =
|
45 |
-
as_dict=True
|
46 |
)
|
47 |
print(f"Languages supported by '{self.args.translator}' are :\n")
|
48 |
print(translator_supported_languages)
|
49 |
|
50 |
def parse_args(self) -> argparse.Namespace:
|
51 |
"""
|
52 |
-
function responsible for parsing terminal arguments and provide
|
|
|
53 |
"""
|
54 |
parser = argparse.ArgumentParser(
|
55 |
add_help=True,
|
|
|
15 |
def __init__(self, custom_args: Optional[list] = None):
|
16 |
self.custom_args = custom_args
|
17 |
self.args = self.parse_args()
|
18 |
+
translator_class = self.translators_dict.get(
|
19 |
+
self.args.translator, None
|
20 |
+
)
|
21 |
if not translator_class:
|
22 |
raise Exception(
|
23 |
f"Translator {self.args.translator} is not supported."
|
|
|
39 |
|
40 |
def get_supported_languages(self) -> None:
|
41 |
"""
|
42 |
+
function used to return the languages supported by the translator service
|
43 |
+
from the parsed terminal arguments
|
44 |
@return: None
|
45 |
"""
|
46 |
|
47 |
+
translator_supported_languages = (
|
48 |
+
self.translator.get_supported_languages(as_dict=True)
|
49 |
)
|
50 |
print(f"Languages supported by '{self.args.translator}' are :\n")
|
51 |
print(translator_supported_languages)
|
52 |
|
53 |
def parse_args(self) -> argparse.Namespace:
|
54 |
"""
|
55 |
+
function responsible for parsing terminal arguments and provide
|
56 |
+
them for further use in the translation process
|
57 |
"""
|
58 |
parser = argparse.ArgumentParser(
|
59 |
add_help=True,
|
deep_translator/constants.py
CHANGED
@@ -1,4 +1,3 @@
|
|
1 |
-
|
2 |
__copyright__ = "Copyright (C) 2020 Nidhal Baccouri"
|
3 |
|
4 |
|
@@ -11,7 +10,7 @@ BASE_URLS = {
|
|
11 |
"QCRI": "https://mt.qcri.org/api/v1/{endpoint}?",
|
12 |
"DEEPL": "https://api.deepl.com/{version}/",
|
13 |
"DEEPL_FREE": "https://api-free.deepl.com/{version}/",
|
14 |
-
"MICROSOFT_TRANSLATE": "https://api.cognitive.microsofttranslator.com/translate?api-version=3.0",
|
15 |
"PAPAGO": "https://papago.naver.com/",
|
16 |
"PAPAGO_API": "https://openapi.naver.com/v1/papago/n2mt",
|
17 |
"LIBRE": "https://libretranslate.com/",
|
|
|
|
|
1 |
__copyright__ = "Copyright (C) 2020 Nidhal Baccouri"
|
2 |
|
3 |
|
|
|
10 |
"QCRI": "https://mt.qcri.org/api/v1/{endpoint}?",
|
11 |
"DEEPL": "https://api.deepl.com/{version}/",
|
12 |
"DEEPL_FREE": "https://api-free.deepl.com/{version}/",
|
13 |
+
"MICROSOFT_TRANSLATE": "https://api.cognitive.microsofttranslator.com/translate?api-version=3.0", # noqa
|
14 |
"PAPAGO": "https://papago.naver.com/",
|
15 |
"PAPAGO_API": "https://openapi.naver.com/v1/papago/n2mt",
|
16 |
"LIBRE": "https://libretranslate.com/",
|
deep_translator/deepl.py
CHANGED
@@ -1,5 +1,3 @@
|
|
1 |
-
|
2 |
-
|
3 |
__copyright__ = "Copyright (C) 2020 Nidhal Baccouri"
|
4 |
|
5 |
from typing import List, Optional
|
@@ -18,7 +16,8 @@ from deep_translator.validate import is_empty, is_input_valid
|
|
18 |
|
19 |
class DeeplTranslator(BaseTranslator):
|
20 |
"""
|
21 |
-
class that wraps functions, which use the DeeplTranslator translator
|
|
|
22 |
"""
|
23 |
|
24 |
def __init__(
|
|
|
|
|
|
|
1 |
__copyright__ = "Copyright (C) 2020 Nidhal Baccouri"
|
2 |
|
3 |
from typing import List, Optional
|
|
|
16 |
|
17 |
class DeeplTranslator(BaseTranslator):
|
18 |
"""
|
19 |
+
class that wraps functions, which use the DeeplTranslator translator
|
20 |
+
under the hood to translate word(s)
|
21 |
"""
|
22 |
|
23 |
def __init__(
|
deep_translator/detection.py
CHANGED
@@ -19,7 +19,9 @@ config = {
|
|
19 |
}
|
20 |
|
21 |
|
22 |
-
def get_request_body(
|
|
|
|
|
23 |
"""
|
24 |
send a request and return the response body parsed as dictionary
|
25 |
|
@@ -41,7 +43,9 @@ def get_request_body(text: Union[str, List[str]], api_key: str, *args, **kwargs)
|
|
41 |
try:
|
42 |
headers = config["headers"]
|
43 |
headers["Authorization"] = headers["Authorization"].format(api_key)
|
44 |
-
response = requests.post(
|
|
|
|
|
45 |
|
46 |
body = response.json().get("data")
|
47 |
return body
|
@@ -52,7 +56,11 @@ def get_request_body(text: Union[str, List[str]], api_key: str, *args, **kwargs)
|
|
52 |
|
53 |
|
54 |
def single_detection(
|
55 |
-
text: str,
|
|
|
|
|
|
|
|
|
56 |
):
|
57 |
"""
|
58 |
function responsible for detecting the language from a text
|
@@ -61,7 +69,8 @@ def single_detection(
|
|
61 |
@type text: str
|
62 |
@type api_key: str
|
63 |
@param api_key: your private API key
|
64 |
-
@param detailed: set to True if you want to get detailed
|
|
|
65 |
"""
|
66 |
body = get_request_body(text, api_key)
|
67 |
detections = body.get("detections")
|
@@ -81,7 +90,8 @@ def batch_detection(
|
|
81 |
|
82 |
@param text_list: target batch that you want to detect its language
|
83 |
@param api_key: your private API key
|
84 |
-
@param detailed: set to True if you want to
|
|
|
85 |
"""
|
86 |
body = get_request_body(text_list, api_key)
|
87 |
detections = body.get("detections")
|
|
|
19 |
}
|
20 |
|
21 |
|
22 |
+
def get_request_body(
|
23 |
+
text: Union[str, List[str]], api_key: str, *args, **kwargs
|
24 |
+
):
|
25 |
"""
|
26 |
send a request and return the response body parsed as dictionary
|
27 |
|
|
|
43 |
try:
|
44 |
headers = config["headers"]
|
45 |
headers["Authorization"] = headers["Authorization"].format(api_key)
|
46 |
+
response = requests.post(
|
47 |
+
config["url"], json={"q": text}, headers=headers
|
48 |
+
)
|
49 |
|
50 |
body = response.json().get("data")
|
51 |
return body
|
|
|
56 |
|
57 |
|
58 |
def single_detection(
|
59 |
+
text: str,
|
60 |
+
api_key: Optional[str] = None,
|
61 |
+
detailed: bool = False,
|
62 |
+
*args,
|
63 |
+
**kwargs
|
64 |
):
|
65 |
"""
|
66 |
function responsible for detecting the language from a text
|
|
|
69 |
@type text: str
|
70 |
@type api_key: str
|
71 |
@param api_key: your private API key
|
72 |
+
@param detailed: set to True if you want to get detailed
|
73 |
+
information about the detection process
|
74 |
"""
|
75 |
body = get_request_body(text, api_key)
|
76 |
detections = body.get("detections")
|
|
|
90 |
|
91 |
@param text_list: target batch that you want to detect its language
|
92 |
@param api_key: your private API key
|
93 |
+
@param detailed: set to True if you want to
|
94 |
+
get detailed information about the detection process
|
95 |
"""
|
96 |
body = get_request_body(text_list, api_key)
|
97 |
detections = body.get("detections")
|
deep_translator/engines.py
CHANGED
@@ -1,4 +1,3 @@
|
|
1 |
-
|
2 |
__copyright__ = "Copyright (C) 2020 Nidhal Baccouri"
|
3 |
|
4 |
from deep_translator.base import BaseTranslator
|
|
|
|
|
1 |
__copyright__ = "Copyright (C) 2020 Nidhal Baccouri"
|
2 |
|
3 |
from deep_translator.base import BaseTranslator
|
deep_translator/exceptions.py
CHANGED
@@ -1,6 +1,6 @@
|
|
1 |
-
|
2 |
__copyright__ = "Copyright (C) 2020 Nidhal Baccouri"
|
3 |
|
|
|
4 |
class BaseError(Exception):
|
5 |
"""
|
6 |
base error structure class
|
@@ -21,10 +21,13 @@ class BaseError(Exception):
|
|
21 |
|
22 |
class LanguageNotSupportedException(BaseError):
|
23 |
"""
|
24 |
-
exception thrown if the user uses a language
|
|
|
25 |
"""
|
26 |
|
27 |
-
def __init__(
|
|
|
|
|
28 |
super().__init__(val, message)
|
29 |
|
30 |
|
@@ -36,7 +39,7 @@ class NotValidPayload(BaseError):
|
|
36 |
def __init__(
|
37 |
self,
|
38 |
val,
|
39 |
-
message="text must be a valid text with maximum 5000 character, otherwise it cannot be translated",
|
40 |
):
|
41 |
super(NotValidPayload, self).__init__(val, message)
|
42 |
|
@@ -80,9 +83,7 @@ class NotValidLength(BaseError):
|
|
80 |
"""
|
81 |
|
82 |
def __init__(self, val, min_chars, max_chars):
|
83 |
-
message =
|
84 |
-
f"Text length need to be between {min_chars} and {max_chars} characters"
|
85 |
-
)
|
86 |
super(NotValidLength, self).__init__(val, message)
|
87 |
|
88 |
|
@@ -122,7 +123,7 @@ class TooManyRequests(Exception):
|
|
122 |
|
123 |
def __init__(
|
124 |
self,
|
125 |
-
message="Server Error: You made too many requests to the server. According to google, you are allowed to make 5 requests per second and up to 200k requests per day. You can wait and try again later or you can try the translate_batch function",
|
126 |
):
|
127 |
self.message = message
|
128 |
|
|
|
|
|
1 |
__copyright__ = "Copyright (C) 2020 Nidhal Baccouri"
|
2 |
|
3 |
+
|
4 |
class BaseError(Exception):
|
5 |
"""
|
6 |
base error structure class
|
|
|
21 |
|
22 |
class LanguageNotSupportedException(BaseError):
|
23 |
"""
|
24 |
+
exception thrown if the user uses a language
|
25 |
+
that is not supported by the deep_translator
|
26 |
"""
|
27 |
|
28 |
+
def __init__(
|
29 |
+
self, val, message="There is no support for the chosen language"
|
30 |
+
):
|
31 |
super().__init__(val, message)
|
32 |
|
33 |
|
|
|
39 |
def __init__(
|
40 |
self,
|
41 |
val,
|
42 |
+
message="text must be a valid text with maximum 5000 character, otherwise it cannot be translated", # noqa
|
43 |
):
|
44 |
super(NotValidPayload, self).__init__(val, message)
|
45 |
|
|
|
83 |
"""
|
84 |
|
85 |
def __init__(self, val, min_chars, max_chars):
|
86 |
+
message = f"Text length need to be between {min_chars} and {max_chars} characters"
|
|
|
|
|
87 |
super(NotValidLength, self).__init__(val, message)
|
88 |
|
89 |
|
|
|
123 |
|
124 |
def __init__(
|
125 |
self,
|
126 |
+
message="Server Error: You made too many requests to the server. According to google, you are allowed to make 5 requests per second and up to 200k requests per day. You can wait and try again later or you can try the translate_batch function", # noqa
|
127 |
):
|
128 |
self.message = message
|
129 |
|
deep_translator/google.py
CHANGED
@@ -83,7 +83,9 @@ class GoogleTranslator(BaseTranslator):
|
|
83 |
if not element:
|
84 |
raise TranslationNotFound(text)
|
85 |
if element.get_text(strip=True) == text.strip():
|
86 |
-
to_translate_alpha = "".join(
|
|
|
|
|
87 |
translated_alpha = "".join(
|
88 |
ch for ch in element.get_text(strip=True) if ch.isalnum()
|
89 |
)
|
|
|
83 |
if not element:
|
84 |
raise TranslationNotFound(text)
|
85 |
if element.get_text(strip=True) == text.strip():
|
86 |
+
to_translate_alpha = "".join(
|
87 |
+
ch for ch in text.strip() if ch.isalnum()
|
88 |
+
)
|
89 |
translated_alpha = "".join(
|
90 |
ch for ch in element.get_text(strip=True) if ch.isalnum()
|
91 |
)
|
deep_translator/libre.py
CHANGED
@@ -34,15 +34,19 @@ class LibreTranslator(BaseTranslator):
|
|
34 |
"""
|
35 |
@param api_key: your api key
|
36 |
@param source: source language to translate from
|
37 |
-
List of LibreTranslate endpoint can be found at :
|
|
|
38 |
Some require an API key
|
39 |
@param target: target language to translate to
|
40 |
-
@param use_free_api: set True if you want to use the free api.
|
|
|
41 |
@param custom_url: you can use a custom endpoint
|
42 |
"""
|
43 |
self.api_key = api_key
|
44 |
url = (
|
45 |
-
BASE_URLS.get("LIBRE")
|
|
|
|
|
46 |
)
|
47 |
super().__init__(
|
48 |
base_url=url if not custom_url else custom_url,
|
|
|
34 |
"""
|
35 |
@param api_key: your api key
|
36 |
@param source: source language to translate from
|
37 |
+
List of LibreTranslate endpoint can be found at :
|
38 |
+
https://github.com/LibreTranslate/LibreTranslate#mirrors
|
39 |
Some require an API key
|
40 |
@param target: target language to translate to
|
41 |
+
@param use_free_api: set True if you want to use the free api.
|
42 |
+
This means a url that does not require and api key would be used
|
43 |
@param custom_url: you can use a custom endpoint
|
44 |
"""
|
45 |
self.api_key = api_key
|
46 |
url = (
|
47 |
+
BASE_URLS.get("LIBRE")
|
48 |
+
if not use_free_api
|
49 |
+
else BASE_URLS.get("LIBRE_FREE")
|
50 |
)
|
51 |
super().__init__(
|
52 |
base_url=url if not custom_url else custom_url,
|
deep_translator/linguee.py
CHANGED
@@ -28,7 +28,11 @@ class LingueeTranslator(BaseTranslator):
|
|
28 |
"""
|
29 |
|
30 |
def __init__(
|
31 |
-
self,
|
|
|
|
|
|
|
|
|
32 |
):
|
33 |
"""
|
34 |
@param source: source language to translate from
|
@@ -61,9 +65,7 @@ class LingueeTranslator(BaseTranslator):
|
|
61 |
|
62 |
if is_input_valid(word, max_chars=50):
|
63 |
# %s-%s/translation/%s.html
|
64 |
-
url =
|
65 |
-
f"{self._base_url}{self._source}-{self._target}/search/?source={self._source}&query={word}"
|
66 |
-
)
|
67 |
url = requote_uri(url)
|
68 |
response = requests.get(url, proxies=self.proxies)
|
69 |
|
@@ -82,12 +84,14 @@ class LingueeTranslator(BaseTranslator):
|
|
82 |
filtered_elements = []
|
83 |
for el in elements:
|
84 |
try:
|
85 |
-
pronoun = el.find(
|
86 |
-
|
87 |
-
)
|
88 |
except AttributeError:
|
89 |
pronoun = ""
|
90 |
-
filtered_elements.append(
|
|
|
|
|
91 |
|
92 |
if not filtered_elements:
|
93 |
raise TranslationNotFound(word)
|
|
|
28 |
"""
|
29 |
|
30 |
def __init__(
|
31 |
+
self,
|
32 |
+
source: str = "en",
|
33 |
+
target: str = "de",
|
34 |
+
proxies: Optional[dict] = None,
|
35 |
+
**kwargs,
|
36 |
):
|
37 |
"""
|
38 |
@param source: source language to translate from
|
|
|
65 |
|
66 |
if is_input_valid(word, max_chars=50):
|
67 |
# %s-%s/translation/%s.html
|
68 |
+
url = f"{self._base_url}{self._source}-{self._target}/search/?source={self._source}&query={word}"
|
|
|
|
|
69 |
url = requote_uri(url)
|
70 |
response = requests.get(url, proxies=self.proxies)
|
71 |
|
|
|
84 |
filtered_elements = []
|
85 |
for el in elements:
|
86 |
try:
|
87 |
+
pronoun = el.find(
|
88 |
+
"span", {"class": "placeholder"}
|
89 |
+
).get_text(strip=True)
|
90 |
except AttributeError:
|
91 |
pronoun = ""
|
92 |
+
filtered_elements.append(
|
93 |
+
el.get_text(strip=True).replace(pronoun, "")
|
94 |
+
)
|
95 |
|
96 |
if not filtered_elements:
|
97 |
raise TranslationNotFound(word)
|
deep_translator/microsoft.py
CHANGED
@@ -43,7 +43,7 @@ class MicrosoftTranslator(BaseTranslator):
|
|
43 |
"Ocp-Apim-Subscription-Key": self.api_key,
|
44 |
"Content-type": "application/json",
|
45 |
}
|
46 |
-
#region is not required but very common and goes to headers if passed
|
47 |
if region:
|
48 |
self.region = region
|
49 |
self.headers["Ocp-Apim-Subscription-Region"] = self.region
|
@@ -59,12 +59,13 @@ class MicrosoftTranslator(BaseTranslator):
|
|
59 |
# the keys are the abbreviations and the values are the languages
|
60 |
# a common variable used in the other translators would be: MICROSOFT_CODES_TO_LANGUAGES
|
61 |
def _get_supported_languages(self):
|
62 |
-
|
63 |
microsoft_languages_api_url = (
|
64 |
"https://api.cognitive.microsofttranslator.com/languages?api-version=3.0&scope"
|
65 |
"=translation "
|
66 |
)
|
67 |
-
microsoft_languages_response = requests.get(
|
|
|
|
|
68 |
translation_dict = microsoft_languages_response.json()["translation"]
|
69 |
|
70 |
return {
|
|
|
43 |
"Ocp-Apim-Subscription-Key": self.api_key,
|
44 |
"Content-type": "application/json",
|
45 |
}
|
46 |
+
# region is not required but very common and goes to headers if passed
|
47 |
if region:
|
48 |
self.region = region
|
49 |
self.headers["Ocp-Apim-Subscription-Region"] = self.region
|
|
|
59 |
# the keys are the abbreviations and the values are the languages
|
60 |
# a common variable used in the other translators would be: MICROSOFT_CODES_TO_LANGUAGES
|
61 |
def _get_supported_languages(self):
|
|
|
62 |
microsoft_languages_api_url = (
|
63 |
"https://api.cognitive.microsofttranslator.com/languages?api-version=3.0&scope"
|
64 |
"=translation "
|
65 |
)
|
66 |
+
microsoft_languages_response = requests.get(
|
67 |
+
microsoft_languages_api_url
|
68 |
+
)
|
69 |
translation_dict = microsoft_languages_response.json()["translation"]
|
70 |
|
71 |
return {
|
deep_translator/mymemory.py
CHANGED
@@ -88,7 +88,6 @@ class MyMemoryTranslator(BaseTranslator):
|
|
88 |
# append translation at the start of the matches list
|
89 |
return [translation] + list(all_matches)
|
90 |
|
91 |
-
|
92 |
elif not translation:
|
93 |
matches = (match["translation"] for match in all_matches)
|
94 |
next_match = next(matches)
|
|
|
88 |
# append translation at the start of the matches list
|
89 |
return [translation] + list(all_matches)
|
90 |
|
|
|
91 |
elif not translation:
|
92 |
matches = (match["translation"] for match in all_matches)
|
93 |
next_match = next(matches)
|
deep_translator/papago.py
CHANGED
@@ -54,13 +54,19 @@ class PapagoTranslator(BaseTranslator):
|
|
54 |
@return: str: translated text
|
55 |
"""
|
56 |
if is_input_valid(text):
|
57 |
-
payload = {
|
|
|
|
|
|
|
|
|
58 |
headers = {
|
59 |
"X-Naver-Client-Id": self.client_id,
|
60 |
"X-Naver-Client-Secret": self.secret_key,
|
61 |
"Content-Type": "application/x-www-form-urlencoded; charset=UTF-8",
|
62 |
}
|
63 |
-
response = requests.post(
|
|
|
|
|
64 |
if response.status_code != 200:
|
65 |
raise Exception(
|
66 |
f"Translation error! -> status code: {response.status_code}"
|
|
|
54 |
@return: str: translated text
|
55 |
"""
|
56 |
if is_input_valid(text):
|
57 |
+
payload = {
|
58 |
+
"source": self._source,
|
59 |
+
"target": self._target,
|
60 |
+
"text": text,
|
61 |
+
}
|
62 |
headers = {
|
63 |
"X-Naver-Client-Id": self.client_id,
|
64 |
"X-Naver-Client-Secret": self.secret_key,
|
65 |
"Content-Type": "application/x-www-form-urlencoded; charset=UTF-8",
|
66 |
}
|
67 |
+
response = requests.post(
|
68 |
+
self._base_url, headers=headers, data=payload
|
69 |
+
)
|
70 |
if response.status_code != 200:
|
71 |
raise Exception(
|
72 |
f"Translation error! -> status code: {response.status_code}"
|
deep_translator/pons.py
CHANGED
@@ -28,7 +28,11 @@ class PonsTranslator(BaseTranslator):
|
|
28 |
"""
|
29 |
|
30 |
def __init__(
|
31 |
-
self,
|
|
|
|
|
|
|
|
|
32 |
):
|
33 |
"""
|
34 |
@param source: source language to translate from
|
@@ -87,7 +91,9 @@ class PonsTranslator(BaseTranslator):
|
|
87 |
if not filtered_elements:
|
88 |
raise ElementNotFoundInGetRequest(word)
|
89 |
|
90 |
-
word_list = [
|
|
|
|
|
91 |
|
92 |
if not word_list:
|
93 |
raise TranslationNotFound(word)
|
|
|
28 |
"""
|
29 |
|
30 |
def __init__(
|
31 |
+
self,
|
32 |
+
source: str,
|
33 |
+
target: str = "en",
|
34 |
+
proxies: Optional[dict] = None,
|
35 |
+
**kwargs,
|
36 |
):
|
37 |
"""
|
38 |
@param source: source language to translate from
|
|
|
91 |
if not filtered_elements:
|
92 |
raise ElementNotFoundInGetRequest(word)
|
93 |
|
94 |
+
word_list = [
|
95 |
+
word for word in filtered_elements if word and len(word) > 1
|
96 |
+
]
|
97 |
|
98 |
if not word_list:
|
99 |
raise TranslationNotFound(word)
|
deep_translator/qcri.py
CHANGED
@@ -1,4 +1,3 @@
|
|
1 |
-
|
2 |
__copyright__ = "Copyright (C) 2020 Nidhal Baccouri"
|
3 |
|
4 |
from typing import List, Optional
|
@@ -23,7 +22,8 @@ class QcriTranslator(BaseTranslator):
|
|
23 |
**kwargs,
|
24 |
):
|
25 |
"""
|
26 |
-
@param api_key: your qrci api key.
|
|
|
27 |
"""
|
28 |
|
29 |
if not api_key:
|
@@ -45,7 +45,10 @@ class QcriTranslator(BaseTranslator):
|
|
45 |
)
|
46 |
|
47 |
def _get(
|
48 |
-
self,
|
|
|
|
|
|
|
49 |
):
|
50 |
if not params:
|
51 |
params = self.params
|
|
|
|
|
1 |
__copyright__ = "Copyright (C) 2020 Nidhal Baccouri"
|
2 |
|
3 |
from typing import List, Optional
|
|
|
22 |
**kwargs,
|
23 |
):
|
24 |
"""
|
25 |
+
@param api_key: your qrci api key.
|
26 |
+
Get one for free here https://mt.qcri.org/api/v1/ref
|
27 |
"""
|
28 |
|
29 |
if not api_key:
|
|
|
45 |
)
|
46 |
|
47 |
def _get(
|
48 |
+
self,
|
49 |
+
endpoint: str,
|
50 |
+
params: Optional[dict] = None,
|
51 |
+
return_text: bool = True,
|
52 |
):
|
53 |
if not params:
|
54 |
params = self.params
|
deep_translator/validate.py
CHANGED
@@ -1,4 +1,3 @@
|
|
1 |
-
|
2 |
__copyright__ = "Copyright (C) 2020 Nidhal Baccouri"
|
3 |
|
4 |
from deep_translator.exceptions import NotValidLength, NotValidPayload
|
@@ -8,7 +7,9 @@ def is_empty(text: str) -> bool:
|
|
8 |
return text == ""
|
9 |
|
10 |
|
11 |
-
def is_input_valid(
|
|
|
|
|
12 |
"""
|
13 |
validate the target text to translate
|
14 |
@param min_chars: min characters
|
|
|
|
|
1 |
__copyright__ = "Copyright (C) 2020 Nidhal Baccouri"
|
2 |
|
3 |
from deep_translator.exceptions import NotValidLength, NotValidPayload
|
|
|
7 |
return text == ""
|
8 |
|
9 |
|
10 |
+
def is_input_valid(
|
11 |
+
text: str, min_chars: int = 0, max_chars: int = 5000
|
12 |
+
) -> bool:
|
13 |
"""
|
14 |
validate the target text to translate
|
15 |
@param min_chars: min characters
|
deep_translator/yandex.py
CHANGED
@@ -21,7 +21,8 @@ from deep_translator.validate import is_input_valid
|
|
21 |
|
22 |
class YandexTranslator(BaseTranslator):
|
23 |
"""
|
24 |
-
class that wraps functions, which use the yandex translator
|
|
|
25 |
"""
|
26 |
|
27 |
def __init__(
|
@@ -44,7 +45,10 @@ class YandexTranslator(BaseTranslator):
|
|
44 |
"translate": "translate",
|
45 |
}
|
46 |
super().__init__(
|
47 |
-
base_url=BASE_URLS.get("YANDEX"),
|
|
|
|
|
|
|
48 |
)
|
49 |
|
50 |
def _get_supported_languages(self):
|
@@ -56,11 +60,14 @@ class YandexTranslator(BaseTranslator):
|
|
56 |
|
57 |
@property
|
58 |
def dirs(self, proxies: Optional[dict] = None):
|
59 |
-
|
60 |
try:
|
61 |
-
url = self._base_url.format(
|
|
|
|
|
62 |
print("url: ", url)
|
63 |
-
response = requests.get(
|
|
|
|
|
64 |
except requests.exceptions.ConnectionError:
|
65 |
raise ServerException(503)
|
66 |
else:
|
@@ -78,7 +85,9 @@ class YandexTranslator(BaseTranslator):
|
|
78 |
"key": self.api_key,
|
79 |
}
|
80 |
try:
|
81 |
-
url = self._base_url.format(
|
|
|
|
|
82 |
response = requests.post(url, data=params, proxies=proxies)
|
83 |
|
84 |
except RequestError:
|
@@ -97,7 +106,9 @@ class YandexTranslator(BaseTranslator):
|
|
97 |
raise ServerException(501)
|
98 |
return language
|
99 |
|
100 |
-
def translate(
|
|
|
|
|
101 |
if is_input_valid(text):
|
102 |
params = {
|
103 |
"text": text,
|
|
|
21 |
|
22 |
class YandexTranslator(BaseTranslator):
|
23 |
"""
|
24 |
+
class that wraps functions, which use the yandex translator
|
25 |
+
under the hood to translate word(s)
|
26 |
"""
|
27 |
|
28 |
def __init__(
|
|
|
45 |
"translate": "translate",
|
46 |
}
|
47 |
super().__init__(
|
48 |
+
base_url=BASE_URLS.get("YANDEX"),
|
49 |
+
source=source,
|
50 |
+
target=target,
|
51 |
+
**kwargs
|
52 |
)
|
53 |
|
54 |
def _get_supported_languages(self):
|
|
|
60 |
|
61 |
@property
|
62 |
def dirs(self, proxies: Optional[dict] = None):
|
|
|
63 |
try:
|
64 |
+
url = self._base_url.format(
|
65 |
+
version=self.api_version, endpoint="getLangs"
|
66 |
+
)
|
67 |
print("url: ", url)
|
68 |
+
response = requests.get(
|
69 |
+
url, params={"key": self.api_key}, proxies=proxies
|
70 |
+
)
|
71 |
except requests.exceptions.ConnectionError:
|
72 |
raise ServerException(503)
|
73 |
else:
|
|
|
85 |
"key": self.api_key,
|
86 |
}
|
87 |
try:
|
88 |
+
url = self._base_url.format(
|
89 |
+
version=self.api_version, endpoint="detect"
|
90 |
+
)
|
91 |
response = requests.post(url, data=params, proxies=proxies)
|
92 |
|
93 |
except RequestError:
|
|
|
106 |
raise ServerException(501)
|
107 |
return language
|
108 |
|
109 |
+
def translate(
|
110 |
+
self, text: str, proxies: Optional[dict] = None, **kwargs
|
111 |
+
) -> str:
|
112 |
if is_input_valid(text):
|
113 |
params = {
|
114 |
"text": text,
|
docs/conf.py
CHANGED
@@ -146,7 +146,13 @@ latex_documents = [
|
|
146 |
# One entry per manual page. List of tuples
|
147 |
# (source start file, name, description, authors, manual section).
|
148 |
man_pages = [
|
149 |
-
(
|
|
|
|
|
|
|
|
|
|
|
|
|
150 |
]
|
151 |
|
152 |
|
@@ -162,7 +168,7 @@ texinfo_documents = [
|
|
162 |
"deep_translator Documentation",
|
163 |
author,
|
164 |
"deep_translator",
|
165 |
-
"A flexible free and unlimited python tool to translate between different languages in a simple way using multiple translators.",
|
166 |
"Miscellaneous",
|
167 |
),
|
168 |
]
|
|
|
146 |
# One entry per manual page. List of tuples
|
147 |
# (source start file, name, description, authors, manual section).
|
148 |
man_pages = [
|
149 |
+
(
|
150 |
+
master_doc,
|
151 |
+
"deep_translator",
|
152 |
+
"deep_translator Documentation",
|
153 |
+
[author],
|
154 |
+
1,
|
155 |
+
)
|
156 |
]
|
157 |
|
158 |
|
|
|
168 |
"deep_translator Documentation",
|
169 |
author,
|
170 |
"deep_translator",
|
171 |
+
"A flexible free and unlimited python tool to translate between different languages in a simple way using multiple translators.", # noqa
|
172 |
"Miscellaneous",
|
173 |
),
|
174 |
]
|
examples/linguee.py
CHANGED
@@ -1,5 +1,7 @@
|
|
1 |
from deep_translator import LingueeTranslator
|
2 |
|
3 |
-
res = LingueeTranslator(source="german", target="english").translate(
|
|
|
|
|
4 |
|
5 |
print(res)
|
|
|
1 |
from deep_translator import LingueeTranslator
|
2 |
|
3 |
+
res = LingueeTranslator(source="german", target="english").translate(
|
4 |
+
"laufen", return_all=False
|
5 |
+
)
|
6 |
|
7 |
print(res)
|
examples/pons.py
CHANGED
@@ -1,5 +1,7 @@
|
|
1 |
from deep_translator import PonsTranslator
|
2 |
|
3 |
-
res = PonsTranslator(source="en", target="de").translate(
|
|
|
|
|
4 |
|
5 |
print(res)
|
|
|
1 |
from deep_translator import PonsTranslator
|
2 |
|
3 |
+
res = PonsTranslator(source="en", target="de").translate(
|
4 |
+
"good", return_all=False
|
5 |
+
)
|
6 |
|
7 |
print(res)
|
examples/trans.py
CHANGED
@@ -17,7 +17,9 @@ print("file translation: ", result_file)
|
|
17 |
|
18 |
# examples using linguee:
|
19 |
text = "cute"
|
20 |
-
translated = LingueeTranslator(source="english", target="german").translate(
|
|
|
|
|
21 |
print("Using Linguee ==> the translated text: ", translated)
|
22 |
|
23 |
# examples using pons:
|
|
|
17 |
|
18 |
# examples using linguee:
|
19 |
text = "cute"
|
20 |
+
translated = LingueeTranslator(source="english", target="german").translate(
|
21 |
+
word=text
|
22 |
+
)
|
23 |
print("Using Linguee ==> the translated text: ", translated)
|
24 |
|
25 |
# examples using pons:
|
poetry.lock
CHANGED
The diff for this file is too large to render.
See raw diff
|
|
pyproject.toml
CHANGED
@@ -28,7 +28,7 @@ deep-translator = 'deep_translator.__main__:main'
|
|
28 |
dt = 'deep_translator.__main__:main'
|
29 |
|
30 |
[tool.poetry.dependencies]
|
31 |
-
python = "
|
32 |
beautifulsoup4 = "^4.9.1"
|
33 |
requests = "^2.23.0"
|
34 |
docx2txt = {version = "^0.8", extras = ["docx"]}
|
@@ -45,6 +45,36 @@ toml = "^0.10.2"
|
|
45 |
black = "^22.1.0"
|
46 |
isort = "^5.10.1"
|
47 |
python-semantic-release = "^7.26.0"
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
48 |
|
49 |
[build-system]
|
50 |
requires = ["poetry-core>=1.0.0"]
|
|
|
28 |
dt = 'deep_translator.__main__:main'
|
29 |
|
30 |
[tool.poetry.dependencies]
|
31 |
+
python = ">=3.8,<4.0"
|
32 |
beautifulsoup4 = "^4.9.1"
|
33 |
requests = "^2.23.0"
|
34 |
docx2txt = {version = "^0.8", extras = ["docx"]}
|
|
|
45 |
black = "^22.1.0"
|
46 |
isort = "^5.10.1"
|
47 |
python-semantic-release = "^7.26.0"
|
48 |
+
pre-commit = "^3.0.4"
|
49 |
+
autoflake = "^2.0.1"
|
50 |
+
|
51 |
+
[tool.black]
|
52 |
+
line-length = 79
|
53 |
+
include = '\.pyi?$'
|
54 |
+
exclude = '''
|
55 |
+
/(
|
56 |
+
\.git
|
57 |
+
| \.hg
|
58 |
+
| \.mypy_cache
|
59 |
+
| \.tox
|
60 |
+
| \.venv
|
61 |
+
| _build
|
62 |
+
| buck-out
|
63 |
+
| build
|
64 |
+
| dist
|
65 |
+
)/
|
66 |
+
'''
|
67 |
+
|
68 |
+
[tool.isort]
|
69 |
+
line_length = 79
|
70 |
+
multi_line_output = 3
|
71 |
+
include_trailing_comma = true
|
72 |
+
force_grid_wrap = 0
|
73 |
+
use_parentheses = true
|
74 |
+
ensure_newline_before_comments = true
|
75 |
+
|
76 |
+
[tool.pycln]
|
77 |
+
all = true
|
78 |
|
79 |
[build-system]
|
80 |
requires = ["poetry-core>=1.0.0"]
|
tests/test_google.py
CHANGED
@@ -46,7 +46,6 @@ def test_empty_text(google_translator):
|
|
46 |
|
47 |
|
48 |
def test_payload(google_translator):
|
49 |
-
|
50 |
with pytest.raises(exceptions.NotValidPayload):
|
51 |
google_translator.translate(text="1234")
|
52 |
google_translator.translate(text="{}")
|
@@ -66,4 +65,6 @@ def test_payload(google_translator):
|
|
66 |
|
67 |
|
68 |
def test_one_character_words():
|
69 |
-
assert
|
|
|
|
|
|
46 |
|
47 |
|
48 |
def test_payload(google_translator):
|
|
|
49 |
with pytest.raises(exceptions.NotValidPayload):
|
50 |
google_translator.translate(text="1234")
|
51 |
google_translator.translate(text="{}")
|
|
|
65 |
|
66 |
|
67 |
def test_one_character_words():
|
68 |
+
assert (
|
69 |
+
GoogleTranslator(source="es", target="en").translate("o") is not None
|
70 |
+
)
|
tests/test_linguee.py
CHANGED
@@ -32,13 +32,12 @@ def test_inputs():
|
|
32 |
with pytest.raises(exceptions.LanguageNotSupportedException):
|
33 |
LingueeTranslator(source="en", target="fr")
|
34 |
|
35 |
-
|
36 |
-
assert
|
37 |
-
assert
|
38 |
|
39 |
|
40 |
def test_payload(linguee):
|
41 |
-
|
42 |
with pytest.raises(exceptions.NotValidPayload):
|
43 |
linguee.translate(123)
|
44 |
|
|
|
32 |
with pytest.raises(exceptions.LanguageNotSupportedException):
|
33 |
LingueeTranslator(source="en", target="fr")
|
34 |
|
35 |
+
ling_translate = LingueeTranslator("english", "french")
|
36 |
+
assert ling_translate._source == "english"
|
37 |
+
assert ling_translate._target == "french"
|
38 |
|
39 |
|
40 |
def test_payload(linguee):
|
|
|
41 |
with pytest.raises(exceptions.NotValidPayload):
|
42 |
linguee.translate(123)
|
43 |
|
tests/test_microsoft_trans.py
CHANGED
@@ -13,7 +13,9 @@ from deep_translator import MicrosoftTranslator, exceptions
|
|
13 |
# mocked request.post
|
14 |
@patch.object(requests, "post")
|
15 |
def test_microsoft_successful_post_mock(mock_request_post):
|
16 |
-
returned_json = [
|
|
|
|
|
17 |
|
18 |
def res():
|
19 |
r = requests.Response()
|
@@ -26,16 +28,18 @@ def test_microsoft_successful_post_mock(mock_request_post):
|
|
26 |
|
27 |
mock_request_post.return_value = res()
|
28 |
assert (
|
29 |
-
MicrosoftTranslator(
|
30 |
-
"
|
31 |
-
)
|
32 |
== "See you later!"
|
33 |
)
|
34 |
|
35 |
|
36 |
def test_MicrosoftAPIerror():
|
37 |
with pytest.raises(exceptions.MicrosoftAPIerror):
|
38 |
-
MicrosoftTranslator(
|
|
|
|
|
39 |
|
40 |
|
41 |
# the remaining tests are actual requests to Microsoft API and use an api key
|
@@ -54,9 +58,9 @@ def test_microsoft_successful_post_onetarget():
|
|
54 |
|
55 |
@pytest.mark.skipif(APIkey is None, reason="api_key is not provided")
|
56 |
def test_microsoft_successful_post_twotargets():
|
57 |
-
posted = MicrosoftTranslator(
|
58 |
-
"
|
59 |
-
)
|
60 |
assert isinstance(posted, str)
|
61 |
|
62 |
|
|
|
13 |
# mocked request.post
|
14 |
@patch.object(requests, "post")
|
15 |
def test_microsoft_successful_post_mock(mock_request_post):
|
16 |
+
returned_json = [
|
17 |
+
{"translations": [{"text": "See you later!", "to": "en"}]}
|
18 |
+
]
|
19 |
|
20 |
def res():
|
21 |
r = requests.Response()
|
|
|
28 |
|
29 |
mock_request_post.return_value = res()
|
30 |
assert (
|
31 |
+
MicrosoftTranslator(
|
32 |
+
api_key="an_api_key", source="de", target="en"
|
33 |
+
).translate("auf wiedersehen!")
|
34 |
== "See you later!"
|
35 |
)
|
36 |
|
37 |
|
38 |
def test_MicrosoftAPIerror():
|
39 |
with pytest.raises(exceptions.MicrosoftAPIerror):
|
40 |
+
MicrosoftTranslator(
|
41 |
+
api_key="empty", source="de", target="en"
|
42 |
+
).translate("text")
|
43 |
|
44 |
|
45 |
# the remaining tests are actual requests to Microsoft API and use an api key
|
|
|
58 |
|
59 |
@pytest.mark.skipif(APIkey is None, reason="api_key is not provided")
|
60 |
def test_microsoft_successful_post_twotargets():
|
61 |
+
posted = MicrosoftTranslator(
|
62 |
+
api_key=APIkey, target=["en", "ru"]
|
63 |
+
).translate("auf wiedersehen!")
|
64 |
assert isinstance(posted, str)
|
65 |
|
66 |
|
tests/test_mymemory.py
CHANGED
@@ -36,7 +36,6 @@ def test_inputs():
|
|
36 |
|
37 |
|
38 |
def test_payload(mymemory):
|
39 |
-
|
40 |
with pytest.raises(exceptions.NotValidPayload):
|
41 |
mymemory.translate(text=123)
|
42 |
|
|
|
36 |
|
37 |
|
38 |
def test_payload(mymemory):
|
|
|
39 |
with pytest.raises(exceptions.NotValidPayload):
|
40 |
mymemory.translate(text=123)
|
41 |
|