Exemplo n.º 1
0
 def testEq(self):
     text1 = Text('n\U0010ABCDn', [(('ns', 'key', (0, 3)), None)])
     text2 = Text(text1)
     text2.attributes[('ns', 'key', (0, 3))] = {'a': 'v'}
     self.assertTrue(text1 == text2, '{!r} != {!r}'.format(text1, text2))
     self.assertFalse(text1 is text2,
                      '{!r} is not {!r}'.format(text1, text2))
Exemplo n.º 2
0
 def testUpdate(self):
     text1 = Text('blabla', [(('ns', 'k', (1, 2)), {
         'a1': 'v1',
         'a2': 'v1'
     })])
     text2 = Text('blabla', [(('ns', 'k', (1, 2)), {
         'a1': 'v2'
     }), (('ns', 'k', (4, 6)), {
         'a1': 'v1'
     })])
     text3 = Text('blahblah', [(('ns', 'k', (1, 2)), {'a1': 'v1'})])
     text1.update(text2)
     self.assertListEqual([('ns', 'k', (1, 2)), ('ns', 'k', (4, 6))],
                          list(text1))
     self.assertDictEqual(
         {
             'ns': {
                 ('ns', 'k', (1, 2)): {
                     'a1': 'v2',
                     'a2': 'v1'
                 },
                 ('ns', 'k', (4, 6)): {
                     'a1': 'v1'
                 }
             }
         }, text1.attributes)
     self.assertRaises(ValueError, text1.update, text3)
     self.assertRaises(TypeError, text1.update, 'bla')
Exemplo n.º 3
0
def Extract(filename: str,
            encoding: str = None,
            mime_type: str = None) -> Text:
    """
    :param filename: The path and name of the file to extract.
    :param encoding: The charset encoding of the file; can be guessed by
        :func:`mimetypes.guess_type`. However, if the encoding cannot be
        guessed, UTF-8 is assumed.
    :param mime_type: Optionally, set the MIME type that describes the
        file's type (instead of having `mimetypes` guess it).
    :return: A :class:`.Unicode` text.
    :raise IOError: If the file cannot be opened.
    :raise RuntimeError: If there are no extraction rules for the file's MIME
        type or the extractor fails horribly.
    """
    logger = getLogger('Extract')
    logger.info('filename %s', filename)

    if not encoding or not mime_type:
        guessed_mime_type, guessed_encoding = guess_type(filename)

        if not encoding:
            if not guessed_encoding:
                logger.warn('encoding of %s unknown - using UTF-8', filename)
                guessed_encoding = 'utf-8'

            encoding = guessed_encoding

        if not mime_type:
            if not guessed_mime_type:
                logger.warn('could not guess MIME type of %s', filename)
                logger.info('assuming text/plain for %s', filename)
                mime_type = 'text/plain'
            else:
                mime_type = guessed_mime_type

    if mime_type in ('text/html', 'application/xhtml'):
        html = HtmlExtractor()
        try:
            html.feed(open(filename, encoding=encoding).read())
            html.close()
        except HTMLParseError as err:
            raise RuntimeError("could not parse {}: {} at line {}".format(
                filename, err, html.lineno))
        text = Text(html.string)
        tags = [(t, html.tags[t]) for t in sorted(html.tags, key=Text.Key)]
        text.add(tags, html.namespace)
    elif mime_type == 'text/plain':
        encoding = encoding or 'utf-8'
        plain_text = open(filename, 'rb', encoding=encoding).read()
        text = Text(normalize('NFC', plain_text))
    else:
        msg = 'no extraction rules for MIME type {}'.format(mime_type)
        raise RuntimeError(msg)

    return text
Exemplo n.º 4
0
 def testAddIllegalTags(self):
     text = Text('abcd')
     tag = ('ns', 'id', (0, 2))
     self.assertRaises(TypeError, text.add, 1)
     self.assertRaises(TypeError, text.add, [(1, None)])
     self.assertRaises(TypeError, text.add, [(['ns', 'id', 'o'], {1: 2})])
     self.assertRaises(TypeError, text.add, [(tag, 1)])
     self.assertRaises(ValueError,
                       Text('abcd').add, [(tag, [('a', 'b', 'c')])])
     self.assertRaises(ValueError, Text('abcd').add, [tag])
Exemplo n.º 5
0
 def testNamespaces(self):
     tag1 = ('ns1', 'key1', (0, 3))
     tag2 = ('ns2', 'key2', (1, 2))
     tag3 = ('ns3', 'key1', (2, 3))
     text = Text('a\U0010ABCDb', [(tag1, None), (tag2, None), (tag3, None)])
     self.assertListEqual(['ns1', 'ns2', 'ns3'],
                          sorted(list(text.namespaces)))
Exemplo n.º 6
0
 def testGetitem(self):
     tag1, tag2 = ('ns', 'key1', (1, 3)), ('ns', 'key2', (0, 2))
     text = Text('n\U0010ABCDn', [(tag1, None), (tag2, None)])
     self.assertEqual([tag2, tag1], text[1])
     self.assertEqual([tag2, tag1], text[1:2])
     self.assertEqual([tag1], text[1:3:True])
     self.assertEqual([tag1], text[-1])
Exemplo n.º 7
0
 def testTagInitializationUnicode(self):
     tag1 = ('ns1', 'key1', (0, 3))
     tag2 = ('ns1', 'key1', (1, 2))
     tag3 = ('ns2', 'key2', (2, 3))
     tags = [tag1, tag2, tag3]
     text = Text('a\U0010ABCDb', [(tag1, {}), (tag2, {}), (tag3, {})])
     self.assertListEqual(tags, sorted(list(text)))
Exemplo n.º 8
0
 def testDigestCallsEncodeOnce(self, mock):
     check = 'aü\U0010ABCD'
     mock.return_value = check.encode()
     text = Text(check)
     digest = text.digest
     self.assertEqual(digest, text.digest)
     self.assertEqual(mock.call_count, 1)
Exemplo n.º 9
0
 def testTags(self):
     tag1 = ('ns1', 'id', (0, 3))
     tag2 = ('ns2', 'id', (1, 3))
     tag3 = ('ns3', 'id', (0, 2))
     text = Text('a\U0010ABCDb', [(tag1, None), (tag2, None), (tag3, None)])
     self.assertListEqual([tag1, tag3, tag2], text.tags())
     self.assertListEqual([tag1, tag2, tag3], text.tags(Text.ReverseKey))
Exemplo n.º 10
0
 def testContains(self):
     tag2, tag1 = ('ns', 'key', (1, 2)), ('ns', 'key', (0, 2))
     text = Text('n\U0010ABCDn', [(tag1, None)])
     self.assertTrue(tag1 in text)
     self.assertFalse(tag2 in text)
     self.assertFalse(('ns', 'key', object()) in text)
     self.assertFalse(('ns', object(), (1, 2)) in text)
     self.assertFalse((object(), 'key', (1, 2)) in text)
Exemplo n.º 11
0
 def testIter(self):
     string = 'abcd'
     offsets = [(0, 2), (1, 3), (2, 4)]
     text = Text(string, [(('n', 'i', off), {'a': off}) for off in offsets])
     self.assertListEqual([('i', string[off[0]:off[1]], {
         'a': off
     }) for off in offsets], list(text.iter('n')))
     text.add([(('ms', 'i', (0, 1, 3, 4)), None)])
     self.assertListEqual([('i', 'ad', None)], list(text.iter('ms')))
Exemplo n.º 12
0
 def testFromJson(self):
     json = {
         "text": "abcd",
         "checksum": {"MD-5": md5(b"abcd").hexdigest(), "encoding": "UTF-8"},
         "maps": {"UTF-8": (0, 1, 2, 3, 4), "UTF-16": (2, 4, 6, 8, 10)},
     }
     text = Text.fromJson(json)
     self.assertEqual("abcd", str(text))
     self.assertDictEqual({"_utf8": (0, 1, 2, 3, 4), "_utf16": (2, 4, 6, 8, 10)}, text._maps)
Exemplo n.º 13
0
 def testString(self):
     check = 'aü\U0010ABCDb'
     text = Text(check)
     self.assertTupleEqual(('a', 'ü', '\U0010ABCD', 'b'),
                           tuple(text.string))
     self.assertEqual('\U0010ABCD', text.string[2:3])
     self.assertEqual('b\U0010ABCDüa', text.string[4:-5:-1])
     self.assertEqual('bü', text.string[4:-5:-2])
     self.assertTrue(isinstance(text.string, str))
     self.assertEqual('Aü\U0010ABCDb', text.string.capitalize())
Exemplo n.º 14
0
 def testDelitem(self):
     tag2, tag1 = ('ns', 'key', (1, 3)), ('ns', 'key', (0, 2))
     tag3 = ('ns', 'key', (2, 3))
     text = Text('n\U0010ABCDn', [(tag1, None), (tag2, {'a': 'v'})])
     del text[0]
     self.assertListEqual([(tag2, {'a': 'v'})], list(text.get()))
     text.add([(tag3, None)])
     del text[2]
     self.assertListEqual([], list(text.get()))
     self.assertListEqual([], list(text))
     self.assertDictEqual({}, text.attributes)
Exemplo n.º 15
0
 def assertUtfCalls(self, mock, attr):
     text = Text('aä\U0010ABCD!')
     text._maps['_' + attr] = None
     mock.return_value = iter((True, ))
     self.assertTupleEqual((True, ), getattr(text, attr))
     self.assertTupleEqual((True, ), getattr(text, attr))
     self.assertEqual(1, mock.call_count)
     text._maps['_' + attr] = None
     mock.return_value = iter((True, ))
     self.assertTupleEqual((True, ), getattr(text, attr))
     self.assertEqual(2, mock.call_count)
Exemplo n.º 16
0
 def testGetitemSliceSorting(self):
     tags = [
         ('a', 'a', (0, 5)),
         ('a', 'a', (1, 4)),
         ('a', 'a', (1, 3)),
         ('a', 'a', (1, 2)),
         ('a', 'a', (2, 3)),
         ('a', 'a', (15, 19)),
     ]
     text = Text('0123456789ABDEFGHIJK', [(t, None) for t in tags])
     self.assertEqual(tags[:-1], text[1:3])
     self.assertEqual(tags[2:5], text[1:3:True])
     self.assertEqual(tags, text[0:])
     self.assertEqual(tags, text[0::True])
Exemplo n.º 17
0
 def testToJson(self):
     text = Text('abcd', [(('ns', 'id', (0, 4)), {'a': 'v'})])
     json = {
         'text': 'abcd',
         'checksum': {
             'md5': md5(b'abcd').hexdigest(),
             'encoding': 'utf8'
         },
         'maps': {
             'utf8': (0, 1, 2, 3, 4),
             'utf16': (2, 4, 6, 8, 10),
         },
     }
     self.assertDictEqual(json, text.toJson())
Exemplo n.º 18
0
 def testRemove(self):
     tag1 = ('ns1', 'key1', (0, 3))
     tag2 = ('ns1', 'key1', (1, 2))
     tag3 = ('ns2', 'key2', (2, 3))
     text = Text('a\U0010ABCDb', [(tag1, None), (tag2, {
         1: 2
     }), (tag3, None)])
     self.assertListEqual([tag1, tag2, tag3], sorted(list(text)))
     text.remove([tag1, tag3])
     self.assertListEqual([tag2], list(text))
     self.assertDictEqual({'ns1': {tag2: {1: 2}}}, text.attributes)
     text.remove(None, 'ns1')
     self.assertListEqual([], list(text))
     self.assertDictEqual({}, text.attributes)
Exemplo n.º 19
0
 def testAdd(self):
     tag1 = ('ns1', 'key1', (0, 3))
     tag2 = ('ns1', 'key1', (1, 2))
     tag3 = ('ns2', 'key2', (2, 3))
     tags = [tag1, tag2, tag3]
     text = Text('a\U0010ABCDb', [(tag1, None)])
     self.assertListEqual([(tag1, None)], list(text.get()))
     attrs = {'n': {'x': 'y'}}
     text.add([(tag1, attrs), (tag2, None)], 'ns1')
     self.assertListEqual([(tag1, attrs), (tag2, None)], list(text.get()))
     text.add([(tag1, attrs), (tag2, attrs), (tag3, attrs)])
     self.assertListEqual(tags, sorted(list(text)))
     self.assertListEqual([(tag1, attrs), (tag2, attrs)],
                          list(text.get('ns1')))
     self.assertListEqual([(tag3, attrs)], list(text.get('ns2')))
Exemplo n.º 20
0
    def testBase64Digest(self):
        SAFE = bytearray(range(256))
        SAFE[ord('+')] = ord('-')
        SAFE[ord('-')] = ord('+')
        SAFE[ord('/')] = ord('.')
        SAFE[ord('.')] = ord('/')

        def b64encode(b: bytes, charmap: bytes = SAFE) -> bytes:
            return b2a_base64(b)[:-1].translate(charmap)

        check = 'aü\U0010ABCD'
        text = Text(check)
        b64digest = b64encode(md5(check.encode()).digest())
        b64digest = b64digest[:-2].decode()
        self.assertEqual(b64digest, text.base64digest)
Exemplo n.º 21
0
    def testIter(self):
        tags = OrderedDict([
            (('a', 'a', (0, 5)), None),
            (('a', 'a', (1, 4)), None),
            (('a', 'b', (1, 3)), {
                'n': 'v'
            }),
            (('a', 'a', (1, 2)), None),
            (('a', 'a', (2, 3)), {
                'a': 'b'
            }),
        ])
        text = Text('01234', [(t, a) for t, a in tags.items()])

        for expected, received in zip(list(tags.keys()), list(text)):
            self.assertTupleEqual(expected, received)
Exemplo n.º 22
0
 def testGet(self):
     tag1 = ('ns1', 'key1', (0, 3))
     tag2 = ('ns1', 'key2', (1, 2))
     tag3 = ('ns2', 'key1', (2, 3))
     text = Text('a\U0010ABCDb', [(tag1, {
         1: 2
     }), (tag2, {
         3: 4
     }), (tag3, {
         5: 6
     })])
     self.assertListEqual([(tag1, {
         1: 2
     }), (tag2, {
         3: 4
     })], list(text.get('ns1')))
     self.assertListEqual([(tag3, {5: 6})], list(text.get('ns2')))
Exemplo n.º 23
0
    def testAddUpdateAttributes(self):
        tag = ('ns1', 'key1', (0, 3))

        for first, update, result in [('a', 'b', 'b'), ([1], [2], [1, 2]),
                                      ({
                                          1: 1
                                      }, {
                                          1: 3,
                                          2: 2
                                      }, {
                                          1: 3,
                                          2: 2
                                      })]:
            text = Text('test')
            text.add([(tag, {'n': first})], 'ns1')
            self.assertEqual(first, text.attributes['ns1'][tag]['n'])
            text.add([(tag, {'n': update})], 'ns1')
            self.assertEqual(result, text.attributes['ns1'][tag]['n'])
Exemplo n.º 24
0
 def testFromJson(self):
     json = {
         'text': 'abcd',
         'checksum': {
             'MD-5': md5(b'abcd').hexdigest(),
             'encoding': 'UTF-8'
         },
         'maps': {
             'UTF-8': (0, 1, 2, 3, 4),
             'UTF-16': (2, 4, 6, 8, 10),
         },
     }
     text = Text.fromJson(json)
     self.assertEqual('abcd', str(text))
     self.assertDictEqual(
         {
             '_utf8': (0, 1, 2, 3, 4),
             '_utf16': (2, 4, 6, 8, 10),
         }, text._maps)
Exemplo n.º 25
0
 def testInitializationWithTags(self):
     tag1 = ('ns', 'key', (0, 1))
     tag2 = ('ns', 'key', (1, 2))
     tag3 = ('ns', 'key', (2, 3))
     tag4 = ('ns', 'key', (3, 4))
     tags = [tag1, tag2, tag3, tag4]
     text = Text('text', [(tag1, {
         'n': 'v'
     }), (tag2, [('dict', 'like')]), (tag3, ['kv']), (tag4, {})])
     self.assertListEqual(tags, list(text))
     self.assertDictEqual(
         {
             tag1: {
                 'n': 'v'
             },
             tag2: {
                 'dict': 'like'
             },
             tag3: {
                 'k': 'v'
             }
         }, text.attributes['ns'])
Exemplo n.º 26
0
 def testAddFromDict(self):
     text = Text('abcd')
     tags = {
         'ns1': {
             'id1': {
                 '0.1': {
                     'a': 'v'
                 },
                 '1.2': None
             },
             'id2': {
                 '2.3': {
                     'x': 'y'
                 }
             }
         },
         'ns2': {
             'id1': {
                 '0.4': {
                     'k': 'l'
                 }
             }
         }
     }
     text.addFromDict(tags)
     self.assertListEqual([
         (('ns1', 'id1', (0, 1)), {
             'a': 'v'
         }),
         (('ns1', 'id1', (1, 2)), None),
         (('ns1', 'id2', (2, 3)), {
             'x': 'y'
         }),
         (('ns2', 'id1', (0, 4)), {
             'k': 'l'
         }),
     ], list(text.get()))
Exemplo n.º 27
0
    def toText(self, stream:TextIOBase) -> iter([Text]):
        """
        Read an open XML stream, yielding article ID, :class:`.Text` instance
        tuples, one per article.

        The PoS attributes on the XML token elements are used to create tags on
        the text, using the Penn tag name as tag IDs. The start and end
        positions of the title, abstract, and sentences are stored in the
        section tag namespace, using their XML element name as tag ID.
        """
        for event, element in iterparse(stream, events=('end',)):
            if element.tag == self.article_elem:
                self.article = []
                self.section_tags = []
                self.pos_tags = []

                length = self._parseArticle(element)

                if length:
                    text = Text(''.join(self.article))
                    text.add(self.section_tags, self.section_tag_ns)
                    text.add(self.pos_tags, self.pos_tag_ns)
                    article_id = element.find(self.article_id_path)
                    yield article_id.text.strip(), text
Exemplo n.º 28
0
 def testTagsAsDict(self):
     text = Text('abcd', [
         (('ns1', 'id1', (0, 1)), {
             'a': 'v'
         }),
         (('ns1', 'id1', (1, 2)), None),
         (('ns1', 'id2', (2, 3)), {
             'x': 'y'
         }),
         (('ns2', 'id1', (0, 4)), {
             'k': 'l'
         }),
     ])
     self.assertDictEqual(
         {
             'ns1': {
                 'id1': {
                     '0.1': {
                         'a': 'v'
                     },
                     '1.2': None
                 },
                 'id2': {
                     '2.3': {
                         'x': 'y'
                     }
                 }
             },
             'ns2': {
                 'id1': {
                     '0.4': {
                         'k': 'l'
                     }
                 }
             }
         }, text.tagsAsDict())
Exemplo n.º 29
0
 def testInitialization(self):
     text = Text('text')
     self.assertDictEqual(dict(), text.attributes)
Exemplo n.º 30
0
 def testStringLen(self):
     text = Text('n\U0010ABCDn')
     self.assertEqual(3, len(text.string))
Exemplo n.º 31
0
 def testDigest(self):
     check = 'aü\U0010ABCD'
     text = Text(check)
     self.assertEqual(md5(check.encode()).digest(), text.digest)