2014-07-07 09:36:43 +04:00
|
|
|
# cython: profile=True
|
2014-08-20 15:39:39 +04:00
|
|
|
# cython: embedsignature=True
|
2014-08-21 20:42:47 +04:00
|
|
|
'''Tokenize English text, using a scheme that differs from the Penn Treebank 3
|
|
|
|
scheme in several important respects:
|
|
|
|
|
2014-08-22 18:35:48 +04:00
|
|
|
* Whitespace is added as tokens, except for single spaces. e.g.,
|
2014-08-21 20:42:47 +04:00
|
|
|
|
2014-08-29 03:59:23 +04:00
|
|
|
>>> [w.string for w in EN.tokenize(u'\\nHello \\tThere')]
|
2014-08-21 20:42:47 +04:00
|
|
|
[u'\\n', u'Hello', u' ', u'\\t', u'There']
|
|
|
|
|
|
|
|
* Contractions are normalized, e.g.
|
|
|
|
|
2014-08-29 03:59:23 +04:00
|
|
|
>>> [w.string for w in EN.tokenize(u"isn't ain't won't he's")]
|
2014-08-21 20:42:47 +04:00
|
|
|
[u'is', u'not', u'are', u'not', u'will', u'not', u'he', u"__s"]
|
|
|
|
|
|
|
|
* Hyphenated words are split, with the hyphen preserved, e.g.:
|
|
|
|
|
2014-08-29 03:59:23 +04:00
|
|
|
>>> [w.string for w in EN.tokenize(u'New York-based')]
|
2014-08-21 20:42:47 +04:00
|
|
|
[u'New', u'York', u'-', u'based']
|
|
|
|
|
2014-08-22 18:35:48 +04:00
|
|
|
Other improvements:
|
|
|
|
|
2014-08-21 20:42:47 +04:00
|
|
|
* Email addresses, URLs, European-formatted dates and other numeric entities not
|
|
|
|
found in the PTB are tokenized correctly
|
|
|
|
* Heuristic handling of word-final periods (PTB expects sentence boundary detection
|
|
|
|
as a pre-process before tokenization.)
|
|
|
|
|
2014-08-22 18:35:48 +04:00
|
|
|
Take care to ensure your training and run-time data is tokenized according to the
|
2014-08-21 20:42:47 +04:00
|
|
|
same scheme. Tokenization problems are a major cause of poor performance for
|
2014-08-22 01:49:14 +04:00
|
|
|
NLP tools. If you're using a pre-trained model, the :py:mod:`spacy.ptb3` module
|
|
|
|
provides a fully Penn Treebank 3-compliant tokenizer.
|
2014-07-05 22:51:42 +04:00
|
|
|
'''
|
2014-08-27 19:15:39 +04:00
|
|
|
# TODO
|
2014-08-21 20:42:47 +04:00
|
|
|
#The script translate_treebank_tokenization can be used to transform a treebank's
|
|
|
|
#annotation to use one of the spacy tokenization schemes.
|
|
|
|
|
|
|
|
|
2014-07-05 22:51:42 +04:00
|
|
|
from __future__ import unicode_literals
|
|
|
|
|
2014-08-27 19:15:39 +04:00
|
|
|
cimport lang
|
2014-07-07 14:47:21 +04:00
|
|
|
|
2014-09-10 20:11:13 +04:00
|
|
|
|
2014-08-27 19:15:39 +04:00
|
|
|
cdef class English(Language):
|
2014-08-29 03:59:23 +04:00
|
|
|
"""English tokenizer, tightly coupled to lexicon.
|
|
|
|
|
|
|
|
Attributes:
|
|
|
|
name (unicode): The two letter code used by Wikipedia for the language.
|
|
|
|
lexicon (Lexicon): The lexicon. Exposes the lookup method.
|
|
|
|
"""
|
2014-09-16 20:01:46 +04:00
|
|
|
pass
|
2014-07-07 09:36:43 +04:00
|
|
|
|
|
|
|
|
2014-10-30 10:14:42 +03:00
|
|
|
EN = English('en')
|