Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Selection and highlighting text on a label

I want to select and then highlight the same text on the label with a particular color.Is this be achievable with the help of gestures. And i have to store the position of the highlighted part,even if the application terminas,so when the user comes back ,they can see that part highlighted

Thanks

like image 994
Rachit Avatar asked Jun 13 '11 15:06

Rachit


2 Answers

Yes, you could use the gesture with your UILabel for highlighting text by either changing the background color or text color of your UILabel.

You could also store the current state of your UILabel using NSUserDefaults , and read it back we user launch your application.

Declare an isLabelHighlighted as BOOL for UILabel state.

UITapGestureRecognizer* myLabelGesture = [[UITapGestureRecognizer alloc] initWithTarget:self action:@selector(LabelClicked:)];
[myLabelView setUserInteractionEnabled:YES];
[myLabelView addGestureRecognizer:myLabelGesture];


-(void)LabelClicked:(UIGestureRecognizer*) gestureRecognizer
{
    if(isLabelHighlighted)
    { 
         myLabelView.highlightedTextColor = [UIColor greenColor];
    }
    else 
    {
         myLabelView.highlightedTextColor = [UIColor redColor];
    }
}

To store state of your UILabel.

[[NSUserDefaults standardUserDefaults] setBool:isLabelHighlighted forKey:@"yourKey"];

To access it, you should use below.

isLabelHighlighted = [[NSUserDefaults standardUserDefaults] boolForKey:@"yourKey"];
like image 175
Jhaliya - Praveen Sharma Avatar answered Sep 22 '22 06:09

Jhaliya - Praveen Sharma


NSUserDefaults is not suitable, because the application can be terminated unexpectedly UITapGestureRecognizer not supported any states, except UIGestureRecognizerStateEnded

- (void)viewDidLoad
{
    [super viewDidLoad];

    UILongPressGestureRecognizer *longPressGestureRecognizer = [[UILongPressGestureRecognizer alloc] initWithTarget:self action:@selector(longPressGestureRecognizerAction:)];
    longPressGestureRecognizer.minimumPressDuration = 0.01;
    [label setUserInteractionEnabled:YES];
    [label addGestureRecognizer:longPressGestureRecognizer];
}


- (void)longPressGestureRecognizerAction:(UILongPressGestureRecognizer *)gestureRecognizer
{
    if (gestureRecognizer.state != UIGestureRecognizerStateEnded)
    {
        label.alpha = 0.3;
    }
    else
    {
        label.alpha = 1.0;

        CGPoint point = [gestureRecognizer locationInView:label];
        BOOL containsPoint = CGRectContainsPoint(label.bounds, point);

        if (containsPoint)
        {
            // Action (Touch Up Inside)
        }
    }
}
like image 42
Igor Bachek Avatar answered Sep 18 '22 06:09

Igor Bachek