File size: 1,245 Bytes
0116d50
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
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
"""Cluster-level abstractive summarisation helpers."""

from __future__ import annotations

from dataclasses import dataclass
from typing import Iterable

from transformers import pipeline


@dataclass
class SummarizationEngine:
    model_name: str = "google/pegasus-xsum"
    max_length: int = 128
    min_length: int = 32
    max_input_chars: int = 6000
    max_reviews: int = 100

    def __post_init__(self) -> None:
        self._pipeline = pipeline(
            "summarization",
            model=self.model_name,
            tokenizer=self.model_name,
        )

    def summarize(self, texts: Iterable[str]) -> str:
        cleaned = [text.strip() for text in texts if text and text.strip()]
        if not cleaned:
            return ""
        if self.max_reviews:
            cleaned = cleaned[: self.max_reviews]
        joined = " ".join(cleaned)
        if len(joined) > self.max_input_chars:
            joined = joined[: self.max_input_chars]
        output = self._pipeline(
            joined,
            max_length=self.max_length,
            min_length=self.min_length,
            do_sample=False,
            truncation=True,
        )
        return output[0]["summary_text"].strip()


__all__ = ["SummarizationEngine"]