-
-
Notifications
You must be signed in to change notification settings - Fork 114
/
tests.py
executable file
·683 lines (564 loc) · 29.2 KB
/
tests.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
#!/usr/bin/env python
# -*- coding: utf-8 -*-
import contextlib
import io
import logging
import os
import re
import shutil
import subprocess
import sys
import tempfile
import textwrap
import unittest
import warnings
from pathlib import Path
import pypandoc
from pypandoc.py3compat import path2url, string_types, unicode_type
@contextlib.contextmanager
def capture(command, *args, **kwargs):
err, sys.stderr = sys.stderr, io.StringIO()
try:
command(*args, **kwargs)
sys.stderr.seek(0)
yield sys.stderr.read()
finally:
sys.stderr = err
@contextlib.contextmanager
def closed_tempfile(suffix, text=None, dir_name=None, prefix=None):
file_name = None
try:
if dir_name:
dir_name = tempfile.mkdtemp(suffix=dir_name)
with tempfile.NamedTemporaryFile('w+t', suffix=suffix, prefix=prefix, delete=False, dir=dir_name) as test_file:
file_name = test_file.name
if text:
test_file.write(text)
test_file.flush()
yield file_name
finally:
if dir_name:
shutil.rmtree(dir_name, ignore_errors=True)
elif file_name:
os.remove(file_name)
# Stolen from pandas
def is_list_like(arg):
return (hasattr(arg, '__iter__') and
not isinstance(arg, string_types))
@contextlib.contextmanager
def assert_produces_warning(expected_warning=Warning, filter_level="always",
clear=None, check_stacklevel=True):
"""
Context manager for running code that expects to raise (or not raise)
warnings. Checks that code raises the expected warning and only the
expected warning. Pass ``False`` or ``None`` to check that it does *not*
raise a warning. Defaults to ``exception.Warning``, baseclass of all
Warnings. (basically a wrapper around ``warnings.catch_warnings``).
>>> import warnings
>>> with assert_produces_warning():
... warnings.warn(UserWarning())
...
>>> with assert_produces_warning(False):
... warnings.warn(RuntimeWarning())
...
Traceback (most recent call last):
...
AssertionError: Caused unexpected warning(s): ['RuntimeWarning'].
>>> with assert_produces_warning(UserWarning):
... warnings.warn(RuntimeWarning())
Traceback (most recent call last):
...
AssertionError: Did not see expected warning of class 'UserWarning'.
..warn:: This is *not* thread-safe.
"""
with warnings.catch_warnings(record=True) as w:
if clear is not None:
# make sure that we are clearing these warnings
# if they have happened before
# to guarantee that we will catch them
if not is_list_like(clear):
clear = [clear]
for m in clear:
try:
m.__warningregistry__.clear()
except Exception as e:
# ignore...
print(str(e))
saw_warning = False
warnings.simplefilter(filter_level)
yield w
extra_warnings = []
for actual_warning in w:
if (expected_warning and issubclass(actual_warning.category,
expected_warning)):
saw_warning = True
if check_stacklevel and issubclass(actual_warning.category,
(FutureWarning,
DeprecationWarning)):
from inspect import getframeinfo, stack
caller = getframeinfo(stack()[2][0])
msg = (("Warning not set with correct stacklevel. " +
"File where warning is raised: {0} != {1}. " +
"Warning message: {2}").format(
actual_warning.filename, caller.filename,
actual_warning.message))
assert actual_warning.filename == caller.filename, msg
else:
extra_warnings.append(actual_warning.category.__name__)
if expected_warning:
assert saw_warning, ("Did not see expected warning of class %r."
% expected_warning.__name__)
assert not extra_warnings, ("Caused unexpected warning(s): %r."
% extra_warnings)
class TestPypandoc(unittest.TestCase):
# Python 2 compatibility
if not hasattr(unittest.TestCase, 'assertRaisesRegex'):
assertRaisesRegex = unittest.TestCase.assertRaisesRegexp
def setUp(self):
if 'HOME' not in os.environ:
# if this is used with older versions of pandoc-citeproc
# https://github.com/jgm/pandoc-citeproc/issues/35
if 'TRAVIS_BUILD_DIR' in os.environ:
os.environ["HOME"] = os.environ["TRAVIS_BUILD_DIR"]
print("Using TRAVIS_BUILD_DIR as HOME")
else:
os.environ["HOME"] = str(os.getcwd())
print("Using current dir as HOME")
print(os.environ["HOME"])
def test_get_pandoc_formats(self):
inputs, outputs = pypandoc.get_pandoc_formats()
self.assertTrue("markdown" in inputs)
self.assertTrue("json" in inputs)
self.assertTrue("twiki" in inputs)
self.assertTrue("markdown" in outputs)
def test_get_pandoc_version(self):
assert "HOME" in os.environ, "No HOME set, this will error..."
version = pypandoc.get_pandoc_version()
self.assertTrue(isinstance(version, pypandoc.string_types))
major = int(version.split(".")[0])
self.assertTrue(major in [0, 1, 2, 3])
def test_ensure_pandoc_minimal_version(self):
assert "HOME" in os.environ, "No HOME set, this will error..."
assert pypandoc.ensure_pandoc_minimal_version(1) == True
assert pypandoc.ensure_pandoc_minimal_version(1,1) == True
assert pypandoc.ensure_pandoc_minimal_version(999,999) == False
def test_ensure_pandoc_maximal_version(self):
assert "HOME" in os.environ, "No HOME set, this will error..."
assert pypandoc.ensure_pandoc_maximal_version(999) == True
assert pypandoc.ensure_pandoc_maximal_version(999,999) == True
assert pypandoc.ensure_pandoc_maximal_version(1,1) == False
def test_converts_valid_format(self):
self.assertEqualExceptForNewlineEnd(pypandoc.convert_text("ok", format='md', to='rest'), 'ok')
def test_does_not_convert_to_invalid_format(self):
def f():
pypandoc.convert_text("ok", format='md', to='invalid')
with self.assertRaisesRegex(RuntimeError, "Invalid output format! Got invalid but "):
f()
def test_does_not_convert_from_invalid_format(self):
def f():
pypandoc.convert_text("ok", format='invalid', to='rest')
with self.assertRaisesRegex(RuntimeError, 'Invalid input format! Got "invalid" but '):
f()
def test_basic_conversion_from_file(self):
with closed_tempfile('.md', text='# some title\n') as file_name:
expected = u'some title{0}=========={0}{0}'.format(os.linesep)
received = pypandoc.convert_file(file_name, 'rst')
self.assertEqualExceptForNewlineEnd(expected, received)
def test_basic_conversion_from_multiple_files(self):
with closed_tempfile('.md', text='some title') as file_name1:
with closed_tempfile('.md', text='some title') as file_name2:
expected = '<p>some title</p>\n<p>some title</p>'
received = pypandoc.convert_file([file_name1,file_name2], 'html')
self.assertEqualExceptForNewlineEnd(expected, received)
def test_sorting_rules_applied_for_multiple_files(self):
with closed_tempfile('.md', prefix='1_', text='some title 1') as file_name1:
with closed_tempfile('.md', prefix='2_', text='some title 2') as file_name2:
expected = '<p>some title 2</p>\n<p>some title 1</p>'
received = pypandoc.convert_file([file_name2,file_name1], 'html', sort_files=False)
self.assertEqualExceptForNewlineEnd(expected, received)
def test_basic_conversion_from_file_pattern(self):
received = pypandoc.convert_file("./*.md", 'html')
received = received.lower()
assert "making a release" in received
assert "pypandoc provides a thin wrapper" in received
def test_basic_conversion_from_file_pattern_with_input_list(self):
received = pypandoc.convert_file(["./*.md", "./*.md"], 'html')
received = received.lower()
assert "making a release" in received
assert "pypandoc provides a thin wrapper" in received
@unittest.skipIf(sys.platform.startswith("win"), "File based urls do not work on windows: "
"https://github.com/jgm/pandoc/issues/4613")
def test_basic_conversion_from_file_url(self):
with closed_tempfile('.md', text='# some title\n') as file_name:
expected = u'some title{0}=========={0}{0}'.format(os.linesep)
# this keeps the : (which should be '|' on windows but pandoc
# doesn't like it
file_url = path2url(file_name)
assert pypandoc._identify_path(file_url)
received = pypandoc.convert_file(file_url, 'rst')
self.assertEqualExceptForNewlineEnd(expected, received)
def test_basic_conversion_from_http_url(self):
url = 'https://raw.githubusercontent.com/bebraw/pypandoc/master/README.md'
received = pypandoc.convert_file(url, 'html')
assert "GPL2 license" in received
def test_conversion_with_data_files(self):
# remove our test.docx file from our test_data dir if it already exosts
test_data_dir = os.path.join(os.path.dirname(__file__), 'test_data')
test_docx_file = os.path.join(test_data_dir, 'test.docx')
if os.path.exists(test_docx_file):
os.remove(test_docx_file)
result = pypandoc.convert_file(
os.path.join(test_data_dir, 'index.html'),
to='docx',
format='html',
outputfile=test_docx_file,
sandbox=True,
)
print(result)
def test_convert_with_custom_writer(self):
version = pypandoc.get_pandoc_version()
major = int(version.split(".")[0])
if major == 3:
# apparently --print-default-data-file fails on pandoc3x
return
lua_file_content = self.create_sample_lua()
with closed_tempfile('.md', text='# title\n') as file_name:
with closed_tempfile('.lua', text=lua_file_content, dir_name="foo-bar+baz") as lua_file_name:
expected = u'<h1 id="title">title</h1>{0}'.format(os.linesep)
received = pypandoc.convert_file(file_name, lua_file_name)
self.assertEqualExceptForNewlineEnd(expected, received)
def test_basic_conversion_from_file_with_format(self):
with closed_tempfile('.md', text='# some title\n') as file_name:
expected = u'some title{0}=========={0}{0}'.format(os.linesep)
received = pypandoc.convert_file(file_name, 'rst', format='md')
self.assertEqualExceptForNewlineEnd(expected, received)
received = pypandoc.convert_file(file_name, 'rst', format='md')
self.assertEqualExceptForNewlineEnd(expected, received)
def test_basic_conversion_from_string(self):
expected = u'some title{0}=========={0}{0}'.format(os.linesep)
received = pypandoc.convert_text('# some title', 'rst', format='md')
self.assertEqualExceptForNewlineEnd(expected, received)
expected = u'some title{0}=========={0}{0}'.format(os.linesep)
received = pypandoc.convert_text('# some title', 'rst', format='md')
self.assertEqualExceptForNewlineEnd(expected, received)
def test_conversion_with_markdown_extensions(self):
input = '<s>strike</s>'
expected_with_extension = u'~~strike~~'
expected_without_extension = u'<s>strike</s>'
received_with_extension = pypandoc.convert_text(input, 'markdown+strikeout',
format='html')
received_without_extension = pypandoc.convert_text(input,
'markdown-strikeout',
format='html')
self.assertEqualExceptForNewlineEnd(expected_with_extension, received_with_extension)
self.assertEqualExceptForNewlineEnd(expected_without_extension, received_without_extension)
def test_conversion_from_markdown_with_extensions(self):
# Apparently without the extension, ~~ gets turned into different code
# depending on the pandoc version. So we do not test for that anymore...
input = u'~~strike~~'
expected_with_extension = u'<p><del>strike</del></p>'
received_with_extension = pypandoc.convert_text(input, 'html', format=u'markdown+strikeout')
self.assertEqualExceptForNewlineEnd(expected_with_extension, received_with_extension)
def test_basic_conversion_to_file(self):
with closed_tempfile('.rst', ) as file_name:
expected = u'some title{0}=========={0}{0}'.format(os.linesep)
received = pypandoc.convert_text('# some title\n', to='rst', format='md', outputfile=file_name)
self.assertEqualExceptForNewlineEnd("", received)
with io.open(file_name) as f:
written = f.read()
self.assertEqualExceptForNewlineEnd(expected, written)
# to odf does not work without a file
def f():
pypandoc.convert_text('# some title\n', to='odf', format='md',
outputfile=None)
with self.assertRaisesRegex(RuntimeError, "Invalid output format! Got odf but "):
f()
def test_conversion_with_empty_filter(self):
# we just want to get a temp file name, where we can write to
filters = ''
written = pypandoc.convert_file('./filter_test.md', to='html', format='md',
outputfile=None, filters=filters)
import re as re
# This should not use the pandoc-citeproc module and will not find the
# strings
found = re.search(r'Fenner', written)
self.assertTrue(found is None)
found = re.search(r'10.1038', written)
self.assertTrue(found is None)
def test_conversion_with_python_filter(self):
markdown_source = "**Here comes the content.**"
python_source = '''\
#!{0}
"""
Pandoc filter to convert all regular text to uppercase.
Code, link URLs, etc. are not affected.
"""
from pandocfilters import toJSONFilter, Str
def caps(key, value, format, meta):
if key == 'Str':
return Str(value.upper())
if __name__ == "__main__":
toJSONFilter(caps)
'''
python_source = textwrap.dedent(python_source)
python_source = python_source.format(sys.executable)
with closed_tempfile(".py", python_source) as tempfile:
os.chmod(tempfile, 0o755)
output = pypandoc.convert_text(
markdown_source, to='html', format='md', outputfile=None, filters=tempfile
).strip()
expected = '<p><strong>HERE COMES THE CONTENT.</strong></p>'
self.assertTrue(output == expected)
def test_conversion_with_lua_filter(self):
markdown_source = "**Here comes the content.**"
lua_source = """\
-- taken from: https://pandoc.org/lua-filters.html
function Strong(elem)
return pandoc.SmallCaps(elem.c)
end
"""
lua_source = textwrap.dedent(lua_source)
with closed_tempfile(".lua", lua_source) as tempfile:
output = pypandoc.convert_text(
markdown_source, to='html', format='md', outputfile=None, filters=tempfile
).strip()
expected = '<p><span class="smallcaps">Here comes the content.</span></p>'
self.assertTrue(output == expected)
def test_conversion_with_mixed_filters(self):
markdown_source = "-0-"
lua = """\
function Para(elem)
return pandoc.Para(elem.content .. {{"{0}-"}})
end
"""
lua = textwrap.dedent(lua)
python = """\
#!{0}
from pandocfilters import toJSONFilter, Para, Str
def func(key, value, format, meta):
if key == "Para":
return Para(value + [Str("{{0}}-")])
if __name__ == "__main__":
toJSONFilter(func)
"""
python = textwrap.dedent(python)
python = python.format(sys.executable)
with closed_tempfile(".lua", lua.format(1)) as temp1, closed_tempfile(".py", python.format(2)) as temp2:
os.chmod(temp2, 0o755)
with closed_tempfile(".lua", lua.format(3)) as temp3, closed_tempfile(".py", python.format(4)) as temp4:
os.chmod(temp4, 0o755)
output = pypandoc.convert_text(
markdown_source, to="html", format="md", outputfile=None, filters=[temp1, temp2, temp3, temp4]
).strip()
expected = "<p>-0-1-2-3-4-</p>"
try:
self.assertEquals(output, expected)
except AttributeError:
# python 3.12 doesn't have assertEqual
self.assertEqual(output, expected)
output = pypandoc.convert_text(
markdown_source, to="html", format="md", outputfile=None, filters=[temp3, temp1, temp4, temp2]
).strip()
expected = "<p>-0-3-1-4-2-</p>"
try:
self.assertEquals(output, expected)
except AttributeError:
# python 3.12 doesn't have assertEqual
self.assertEqual(output, expected)
def test_classify_pandoc_logging(self):
test = ("[WARNING] This is some message on\ntwo lines\n"
"[ERROR] This is a second message.")
expected_levels = [30, 40]
expected_msgs = ["This is some message on\ntwo lines",
"This is a second message."]
for i, (l, m) in enumerate(pypandoc._classify_pandoc_logging(test)):
self.assertEqual(expected_levels[i], l)
self.assertEqual(expected_msgs[i], m)
def test_classify_pandoc_logging_default(self):
test = ("This is some message on\ntwo lines\n"
"[ERROR] This is a second message.")
expected_levels = [30, 40]
expected_msgs = ["This is some message on\ntwo lines",
"This is a second message."]
for i, (l, m) in enumerate(pypandoc._classify_pandoc_logging(test)):
self.assertEqual(expected_levels[i], l)
self.assertEqual(expected_msgs[i], m)
def test_classify_pandoc_logging_invalid_level(self):
test = ("[WARN] This is some message on\ntwo lines\n"
"[ERR] This is a second message.\n"
"[ERROR] This is a third message.")
expected_levels = [30, 30, 40]
expected_msgs = ["This is some message on\ntwo lines",
"This is a second message.",
"This is a third message."]
for i, (l, m) in enumerate(pypandoc._classify_pandoc_logging(test)):
self.assertEqual(expected_levels[i], l)
self.assertEqual(expected_msgs[i], m)
def test_conversion_stderr(self):
# Clear logger handlers
logger = logging.getLogger("pypandoc")
logger.handlers = []
with closed_tempfile('.docx') as file_name:
text = ('![Mock](missing.png)\n'
'![Mock](missing.png)\n')
with capture(pypandoc.convert_text,
text,
to='docx',
format='md',
outputfile=file_name) as output:
output = re.sub(r'\r', '', output)
output = output.replace("'missing.png'",
"missing.png")
output = output.lower()
print(output)
assert "[warning] could not fetch resource missing.png" in output
def test_conversion_stderr_nullhandler(self):
# Replace any logging handlers with a null handler
logger = logging.getLogger("pypandoc")
logger.handlers = [logging.NullHandler()]
with closed_tempfile('.docx') as file_name:
text = ('![Mock](missing.png)\n'
'![Mock](missing.png)\n')
with capture(pypandoc.convert_text,
text,
to='docx',
format='md',
outputfile=file_name) as output:
self.assertFalse(output)
def test_conversion_error(self):
# pandoc dies on wrong commandline arguments
def f():
pypandoc.convert_text('<h1>Primary Heading</h1>', 'md', format='html', extra_args=["--blah"])
with self.assertRaisesRegex(RuntimeError, 'Pandoc died with exitcode "6" during conversion: Unknown option --blah'):
f()
def test_unicode_input(self):
# make sure that pandoc always returns unicode and does not mishandle it
expected = u'üäöîôû{0}'.format(os.linesep)
written = pypandoc.convert_text(u'<p>üäöîôû</p>', 'md', format='html')
self.assertTrue(isinstance(written, unicode_type))
self.assertEqualExceptForNewlineEnd(expected, written)
bytes = u'<p>üäöîôû</p>'.encode("utf-8")
written = pypandoc.convert_text(bytes, 'md', format='html')
self.assertTrue(expected == written)
self.assertTrue(isinstance(written, unicode_type))
# Only use german umlauts in the next test, as iso-8859-15 covers that
expected = u'äüäö{0}'.format(os.linesep)
bytes = u'<p>äüäö</p>'.encode("iso-8859-15")
# Without encoding, this fails as we expect utf-8 per default
def f():
written = pypandoc.convert_text(bytes, 'md', format='html')
assert expected != written
def f():
# we have to use something which interprets '\xa4', so latin and -1 does not work :-/
written = pypandoc.convert_text(bytes, 'md', format='html', encoding="utf-16")
assert expected != written
# with the right encoding it should work...
written = pypandoc.convert_text(bytes, 'md', format='html', encoding="iso-8859-15")
self.assertEqualExceptForNewlineEnd(expected, written)
self.assertTrue(isinstance(written, unicode_type))
def test_conversion_from_non_plain_text_file(self):
with closed_tempfile('.docx') as file_name:
expected = u'some title{0}=========={0}{0}'.format(os.linesep)
# let's just test conversion (to and) from docx, testing e.g. odt
# as well would really be testing pandoc rather than pypandoc
received = pypandoc.convert_text('# some title\n', to='docx', format='md', outputfile=file_name)
self.assertEqualExceptForNewlineEnd("", received)
received = pypandoc.convert_file(file_name, to='rst')
self.assertEqualExceptForNewlineEnd(expected, received)
def test_pdf_conversion(self):
with closed_tempfile('.pdf') as file_name:
ret = pypandoc.convert_text('# some title\n', to='pdf', format='md', outputfile=file_name)
assert ret == ""
with io.open(file_name, mode='rb') as f:
written = f.read()
assert written[:4] == b"%PDF"
# TODO: find a test for the content?
def f():
# needs an outputfile
pypandoc.convert_text('# some title\n', to='pdf', format='md')
with self.assertRaisesRegex(RuntimeError, "Output to pdf only works by using a outputfile"):
f()
# outputfile needs to end in pdf
with closed_tempfile('.WRONG') as file_name:
def str_filename():
pypandoc.convert_text('# some title\n', to='pdf', format='md', outputfile=file_name)
def path_filename():
pypandoc.convert_text('# some title\n', to='pdf', format='md', outputfile=Path(file_name))
with self.assertRaisesRegex(RuntimeError, 'PDF output needs an outputfile with ".pdf" as a fileending'):
str_filename()
path_filename()
# no extensions allowed
with closed_tempfile('.pdf') as file_name:
def f():
pypandoc.convert_text('# some title\n', to='pdf+something', format='md', outputfile=file_name)
with self.assertRaisesRegex(RuntimeError, r"PDF output can't contain any extensions: pdf\+something"):
f()
def test_get_pandoc_path(self):
result = pypandoc.get_pandoc_path()
assert "pandoc" in result
def test_call_with_nonexisting_file(self):
files = ['/file/does/not/exists.md',
'file:///file/does/not/exists.md'
'',
42,
None
]
def f(filepath):
pypandoc.convert_file(filepath, 'rst')
for filepath in files:
with self.assertRaisesRegex(RuntimeError, "source_file is not a valid path"):
f(filepath)
def test_convert_text_with_existing_file(self):
with closed_tempfile('.md', text='# some title\n') as file_name:
received = pypandoc.convert_text(file_name, 'rst', format='md')
self.assertTrue("title" not in received)
# The following is a problematic case
received = pypandoc.convert_file(file_name, 'rst', format='md')
self.assertTrue("title" in received)
def create_sample_lua(self):
args = [pypandoc.get_pandoc_path(), '--print-default-data-file', 'sample.lua']
p = subprocess.Popen(args, stdout=subprocess.PIPE)
out, err = p.communicate()
return out.decode('utf-8')
def test_basic_conversion_from_file_pathlib(self):
with closed_tempfile('.md', text='# some title\n') as file_name:
expected = u'some title{0}=========={0}{0}'.format(os.linesep)
received_from_str_filename_input = pypandoc.convert_file(file_name, 'rst')
received_from_path_filename_input = pypandoc.convert_file(Path(file_name), 'rst')
self.assertEqualExceptForNewlineEnd(expected, received_from_str_filename_input)
self.assertEqualExceptForNewlineEnd(expected, received_from_path_filename_input)
def test_basic_conversion_from_multiple_files_pathlib(self):
with closed_tempfile('.md', text='some title') as file_name1:
with closed_tempfile('.md', text='some title') as file_name2:
expected = '<p>some title</p>\n<p>some title</p>'
received_from_str_filename_input = pypandoc.convert_file([file_name1, file_name2], 'html')
received_from_path_filename_input = pypandoc.convert_file([Path(file_name1), Path(file_name2)], 'html')
self.assertEqualExceptForNewlineEnd(expected, received_from_str_filename_input)
self.assertEqualExceptForNewlineEnd(expected, received_from_path_filename_input)
def test_basic_conversion_from_file_pattern_pathlib_glob(self):
received_from_str_filename_input = pypandoc.convert_file("./*.md", 'html').lower()
received_from_path_filename_input = pypandoc.convert_file(Path(".").glob("*.md"), 'html').lower()
assert received_from_str_filename_input == received_from_path_filename_input
def test_basic_conversion_from_file_pattern_with_input_list_pathlib_glob(self):
received_from_str_filename_input = pypandoc.convert_file(["./*.md", "./*.md"], 'html').lower()
received_from_path_filename_input = pypandoc.convert_file([*Path(".").glob("*.md"), *Path(".").glob("*.md")],
'html').lower()
assert received_from_str_filename_input == received_from_path_filename_input
def test_basic_conversion_to_pathlib_file(self):
with closed_tempfile('.rst', ) as file_name:
expected = u'some title{0}=========={0}{0}'.format(os.linesep)
received = pypandoc.convert_text('# some title\n', to='rst', format='md', outputfile=Path(file_name))
self.assertEqualExceptForNewlineEnd("", received)
with io.open(file_name) as f:
written = f.read()
self.assertEqualExceptForNewlineEnd(expected, written)
def assertEqualExceptForNewlineEnd(self, expected, received): # noqa
# output written to a file does not seem to have os.linesep
# handle everything here by replacing the os linesep by a simple \n
expected = expected.replace(os.linesep, "\n")
received = received.replace(os.linesep, "\n")
self.assertEqual(expected.rstrip('\n'), received.rstrip('\n'))
if __name__ == '__main__':
suite = unittest.TestLoader().loadTestsFromTestCase(TestPypandoc)
ret = unittest.TextTestRunner(verbosity=2).run(suite)
sys.exit(0 if ret.wasSuccessful() else 1)