-
Notifications
You must be signed in to change notification settings - Fork 281
Add text_pair_similarity_filter #405
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Closed
Qirui-jiao
wants to merge
3
commits into
modelscope:main
from
Qirui-jiao:text_pair_similarity_filter
Closed
Changes from 1 commit
Commits
Show all changes
3 commits
Select commit
Hold shift + click to select a range
File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,105 @@ | ||
import numpy as np | ||
from jsonargparse.typing import ClosedUnitInterval | ||
|
||
from data_juicer.ops.base_op import OPERATORS, Filter | ||
from data_juicer.utils.availability_utils import AvailabilityChecking | ||
from data_juicer.utils.constant import Fields, StatsKeys | ||
from data_juicer.utils.model_utils import get_model, prepare_model | ||
|
||
OP_NAME = 'text_pair_similarity_filter' | ||
|
||
with AvailabilityChecking(['torch', 'transformers'], OP_NAME): | ||
|
||
import torch | ||
import transformers # noqa: F401 | ||
|
||
# avoid hanging when calling clip in multiprocessing | ||
torch.set_num_threads(1) | ||
|
||
|
||
@OPERATORS.register_module(OP_NAME) | ||
class TextPairSimilarityFilter(Filter): | ||
"""Filter to keep text pairs with similarities between texts | ||
within a specific range.""" | ||
|
||
_accelerator = 'cuda' | ||
|
||
def __init__(self, | ||
hf_clip='openai/clip-vit-base-patch32', | ||
trust_remote_code=False, | ||
min_score: ClosedUnitInterval = 0.1, | ||
max_score: ClosedUnitInterval = 1.0, | ||
any_or_all: str = 'any', | ||
*args, | ||
**kwargs): | ||
""" | ||
Initialization method. | ||
|
||
:param hf_clip: clip model name on huggingface to compute | ||
the similarity between image and text. | ||
:param min_score: The min similarity to keep samples. | ||
:param max_score: The max similarity to keep samples. | ||
:param any_or_all: keep this sample with 'any' or 'all' strategy of | ||
all images. 'any': keep this sample if any images meet the | ||
condition. 'all': keep this sample only if all images meet the | ||
condition. | ||
:param args: extra args | ||
:param kwargs: extra args | ||
""" | ||
super().__init__(*args, **kwargs) | ||
self.min_score = min_score | ||
self.max_score = max_score | ||
if any_or_all not in ['any', 'all']: | ||
raise ValueError(f'Keep strategy [{any_or_all}] is not supported. ' | ||
f'Can only be one of ["any", "all"].') | ||
self.any = (any_or_all == 'any') | ||
self.model_key = prepare_model(model_type='huggingface', | ||
pretrained_model_name_or_path=hf_clip, | ||
trust_remote_code=trust_remote_code) | ||
|
||
def compute_stats(self, sample, rank=None, context=False): | ||
|
||
# check if it's computed already | ||
if StatsKeys.text_pair_similarity in sample[Fields.stats]: | ||
return sample | ||
|
||
# there is no text in this sample | ||
if (self.text_key not in sample or 'target_text' not in sample | ||
or len(sample[self.text_key]) == 0 | ||
or len(sample['target_text']) == 0): | ||
sample[Fields.stats][StatsKeys.text_pair_similarity] = np.array( | ||
[], dtype=np.float64) | ||
return sample | ||
|
||
model, processor = get_model(self.model_key, rank, self.use_cuda()) | ||
|
||
text1 = sample[self.text_key] | ||
text2 = sample['target_text'] | ||
|
||
text_tensors = processor([text1, text2], | ||
padding=True, | ||
return_tensors='pt').to(model.device) | ||
text_features = model.get_text_features(**text_tensors) | ||
|
||
similarity = torch.cosine_similarity(text_features[0], | ||
text_features[1], | ||
dim=0) | ||
sample[Fields.stats][StatsKeys.text_pair_similarity] = [similarity] | ||
|
||
return sample | ||
|
||
def process(self, sample, rank=None): | ||
similarity = sample[Fields.stats][StatsKeys.text_pair_similarity] | ||
if len(similarity) <= 0: | ||
return True | ||
|
||
keep_bools = np.array([ | ||
self.min_score <= sim_value <= self.max_score | ||
for sim_value in similarity | ||
]) | ||
|
||
# different strategies | ||
if self.any: | ||
return keep_bools.any() | ||
else: | ||
return keep_bools.all() |
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,62 @@ | ||
import os | ||
import unittest | ||
|
||
from data_juicer.core.data import NestedDataset as Dataset | ||
|
||
from data_juicer.ops.filter.text_pair_similarity_filter import TextPairSimilarityFilter | ||
from data_juicer.utils.constant import Fields | ||
from data_juicer.utils.mm_utils import SpecialTokens | ||
from data_juicer.utils.unittest_utils import (SKIPPED_TESTS, | ||
DataJuicerTestCaseBase) | ||
|
||
|
||
class TextPairSimilarityFilterTest(DataJuicerTestCaseBase): | ||
|
||
hf_clip = 'openai/clip-vit-base-patch32' | ||
|
||
|
||
@classmethod | ||
def tearDownClass(cls) -> None: | ||
super().tearDownClass(cls.hf_clip) | ||
|
||
def _run_filter(self, dataset: Dataset, op, num_proc=1): | ||
|
||
if Fields.stats not in dataset.features: | ||
# TODO: | ||
# this is a temp solution, | ||
# only add stats when calling filter op | ||
dataset = dataset.add_column(name=Fields.stats, | ||
column=[{}] * dataset.num_rows) | ||
|
||
dataset = dataset.map(op.compute_stats, | ||
num_proc=num_proc, | ||
with_rank=True) | ||
dataset = dataset.filter(op.process, num_proc=num_proc) | ||
dataset = dataset.select_columns(column_names=['text', 'target_text']) | ||
res_list = dataset.to_list() | ||
print(res_list) | ||
|
||
def test_no_eoc_special_token(self): | ||
|
||
ds_list = [{ | ||
'target_text': 'a lovely cat', | ||
'text': 'a lovely cat', | ||
}, { | ||
'target_text': 'a lovely cat', | ||
'text': 'a cute cat', | ||
}, { | ||
'target_text': 'a lovely cat', | ||
'text': 'a black dog', | ||
}] | ||
|
||
|
||
dataset = Dataset.from_list(ds_list) | ||
op = TextPairSimilarityFilter(hf_clip=self.hf_clip, | ||
any_or_all='any', | ||
min_score=0.1, | ||
max_score=0.85) | ||
self._run_filter(dataset, op) | ||
|
||
|
||
if __name__ == '__main__': | ||
unittest.main() |
Oops, something went wrong.
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
Uh oh!
There was an error while loading. Please reload this page.