Welcome, guest | Sign In | My Account | Store | Cart

Notice! PyPM is being replaced with the ActiveState Platform, which enhances PyPM’s build and deploy capabilities. Create your free Platform account to download ActivePython or customize Python with the packages you require and get automatic updates.

Download
ActivePython
INSTALL>
pypm install discount

How to install discount

  1. Download and install ActivePython
  2. Open Command Prompt
  3. Type pypm install discount
 Python 2.7Python 3.2Python 3.3
Windows (32-bit)
0.2.1STABLE Failed View build log
Windows (64-bit)
0.2.1STABLE Failed View build log
Mac OS X (10.5+)
0.2.1STABLE Available View build log
Linux (32-bit)
0.2.1STABLE Available View build log
Linux (64-bit)
0.2.1STABLE Available View build log
 
Author
License
BSD
Depended by
Lastest release
version 0.2.1STABLE on Jan 5th, 2011

This Python package is a ctypes binding of David Loren's Discount, a C implementation of John Gruber's Markdown.

Introduction

Markdown is a text-to-HTML conversion tool for web writers. Markdown allows you to write using an easy-to-read, easy-to-write plain text format, then convert it to structurally valid XHTML (or HTML).

The discount Python module contains two things of interest:

  • libmarkdown, a submodule that provides access to the public C

System Message: WARNING/2 (<string>, line 26)

Bullet list ends without a blank line; unexpected unindent.

functions defined by Discount.

  • Markdown, a helper class built on top of libmarkdown,

System Message: WARNING/2 (<string>, line 29)

Bullet list ends without a blank line; unexpected unindent.

providing a more familiar Pythonic interface

Using the Markdown class

The Markdown class wraps the C functions exposed in the libmarkdown submodule and handles the ctypes leg work for you. If you want to use the Discount functions directly, skip to the next section about libmarkdown.

Let's take a look at a simple example:

System Message: WARNING/2 (<string>, line 42)

Literal block expected; none found.

import sys import discount

mkd = discount.Markdown(sys.stdin) mkd.write_html_content(sys.stdout)

Markdown takes one required argument, input_file_or_string, which is either a file object or a string-like object.

Note: There are limitations to what kind of file-like objects can be passed to Markdown. File-like objects like StringIO can't be handled at the C level in the same way as OS file objects like sys.stdin and sys.stdout, or file objects returned by the builtin open() method.

Markdown also has methods for getting the output as a string, instead of writing to a file-like object. Let's look at a modified version of the first example, this time using strings:

System Message: WARNING/2 (<string>, line 62)

Literal block expected; none found.

import discount

mkd = discount.Markdown('test') print mkd.get_html_content()

Currently, Markdown does not manage character encoding, since the Markdown wraps C functions that support any character encoding that is a superset of ASCII. However, when working with unicode objects in Python, you will need to pass them as bytestrings to Markdown, and then convert them back to unicode afterwards. Here is an example of how you could do this:

System Message: WARNING/2 (<string>, line 74)

Literal block expected; none found.

import discount

txt = u'xeb' # a unicode character, an e with an umlaut mkd = discount.Markdown(txt.encode('utf-8')) out = mkd.get_html_content() val = out.decode('utf-8')

The Markdown class constructor also takes optional boolean keyword arguments that map to Discount flags compilation flags.

toc Generate table-of-contents headers (each generated <h1>, <h2>, etc will include a id="name" argument.) Use get_html_toc() or write_html_toc() to generate the table-of-contents itself.

strict Disable relaxed emphasis and superscripts.

autolink Greedily expand links; if a url is encountered, convert it to a hyperlink even if it isn't surrounded with <>s.

safelink Be paranoid about how [][] is expanded into a link - if the url isn't a local reference, http://, https://, ftp://, or news://, it will not be converted into a hyperlink.

ignore_header Do not process the pandoc document header, but treat it like regular text.

ignore_links Do not allow <a or expand [][] into a link.

ignore_images Do not allow <img or expand ![][] into a image.

ignore_tables Don't process PHP Markdown Extra tables.

ignore_smartypants Disable SmartyPants processing.

ignore_embedded_html Disable all embedded HTML by replacing all <'s with &lt;.

ignore_pseudo_protocols Do not process pseudo-protocols.

Pandoc header elements can be retrieved with the methods get_pandoc_title(), get_pandoc_author() and get_pandoc_date().

The converted HTML document parts can be retrieved as a string with the get_html_css(), get_html_toc() and get_html_content() methods, or written to a file with the write_html_css(fp), write_html_toc(fp) and write_html_content(fp) methods, where fp is the output file descriptor.

Discount provides two hooks for manipulating links while processing markdown. The first lets you rewrite urls specified by []() markup or <link/> tags, and the second lets you add additional HTML attributes on <a/> tags generated by Discount. You can pass callback functions to Markdown's rewrite_links_func and link_attrs_func keyword arguments respectively.

Here is an example of a callback function that adds the domain name to internal pages:

System Message: WARNING/2 (<string>, line 147)

Literal block expected; none found.

def add_basepath(url): if url.startswith('/'): return 'http://example.com%s' % url

md = Markdown( '[a](/a.html)', rewrite_links_func=add_basepath )

Here is an example that opens external pages in another window/tab:

System Message: WARNING/2 (<string>, line 158)

Literal block expected; none found.

def add_target_blank(url): if url.startswith('http://'): return 'target="_blank"'

md = Markdown( '[a](http://example.com/a.html)', link_attrs_func=add_target_blank )

Alternatively, you can attach these callbacks using decorators:

System Message: WARNING/2 (<string>, line 169)

Literal block expected; none found.

md = Markdown('[a](/a.html)')

@md.rewrite_links def add_basepath(url): # same as above ...

md = Markdown('[a](http://example.com/a.html)')

@md.link_attrs def add_target_blank(url): # same as above ...

Under some conditions, the functions in libmarkdown may return integer error codes. These errors are raised as a MarkdownError exceptions when using the Markdown class.

System Message: WARNING/2 (<string>, line 188)

Explicit markup ends without a blank line; unexpected unindent.

http://johnmacfarlane.net/pandoc/README.html#title-blocks .. PHP Markdown Extra: http://michelf.com/projects/php-markdown/extra/. .. SmartyPants: http://daringfireball.net/projects/smartypants/ .. pseudo-protocols: http://www.pell.portland.or.us/~orc/Code/discount/#pseudo

Using libmarkdown

If you are familiar with using the C library and would rather use Discount library directly, libmarkdown is what you are looking for; it's simply a thin wrapper around the original C implementation. libmarkdown exposes the public functions and flags documented on the Discount homepage.

In Python you'll need to do some extra work preparing Python objects you want to pass to libmarkdown's functions.

Most of these functions accept FILE* and char** types as their arguments, which require some additional ctypes boilerplate.

To get a FILE* from a Python file descriptor for use with libmarkdown, use the following pattern:

System Message: WARNING/2 (<string>, line 215)

Literal block expected; none found.

i = ctypes.pythonapi.PyFile_AsFile(sys.stdin) o = ctypes.pythonapi.PyFile_AsFile(sys.stdout) doc = libmarkdown.mkd_in(i, 0) libmarkdown.markdown(doc, o, 0))

For libmarkdown functions to which you pass a char**, use the following pattern:

System Message: WARNING/2 (<string>, line 223)

Literal block expected; none found.

cp = ctypes.c_char_p('') ln = libmarkdown.mkd_document(doc, ctypes.byref(cp)) html_text = cp.value[:ln]

It is important to initialize c_char_p with an empty string.

System Message: WARNING/2 (<string>, line 230)

Explicit markup ends without a blank line; unexpected unindent.

http://www.pell.portland.or.us/~orc/Code/discount/

Running the test suite

Tests are available with the source distibution of discount in the tests.py file. The C shared object should be compiled first:

System Message: WARNING/2 (<string>, line 239)

Literal block expected; none found.

python setup.py build_ext

Then you can run the tests:

System Message: WARNING/2 (<string>, line 243)

Literal block expected; none found.

python tests.py

Source code and reporting bugs

You can obtain the source code and report bugs on GitHub project page.

System Message: WARNING/2 (<string>, line 253)

Explicit markup ends without a blank line; unexpected unindent.

http://github.com/trapeze/python-discount/issues

License

See the LICENSE file in the source distribution for details.

Credits

discount is maintained by Tamas Kemenczy, and is funded by Trapeze. The Discount C library is written and maintained by David Loren and contributors. See the AUTHORS file for details.

Subscribe to package updates

Last updated Jan 5th, 2011

Download Stats

Last month:2

What does the lock icon mean?

Builds marked with a lock icon are only available via PyPM to users with a current ActivePython Business Edition subscription.

Need custom builds or support?

ActivePython Enterprise Edition guarantees priority access to technical support, indemnification, expert consulting and quality-assured language builds.

Plan on re-distributing ActivePython?

Get re-distribution rights and eliminate legal risks with ActivePython OEM Edition.