Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Remove all the subviews from a UIScrollView?

How do I remove all of the subviews from a UIScrollview?

like image 487
Moshe Avatar asked Nov 04 '10 23:11

Moshe


3 Answers

Let scrollView be an instance of UIScrollView.

In Objective-C, it's pretty easy. Just call makeObjectsPerformSelector:, like so:

Objective-C:

[scrollView.subviews makeObjectsPerformSelector:@selector(removeFromSuperview)];

In Swift, you don't get that runtime access, so you have to actually handle the iteration yourself.

Swift:

A concise version, from here:

scrollview.subviews.map { $0.removeFromSuperview() }

A more descriptive way to do this (from here) assumes scrollview.subviews:

let subviews = self.scrollView.subviews
for subview in subviews{
    subview.removeFromSuperview()
}
like image 169
koo Avatar answered Nov 16 '22 01:11

koo


I think you just have to be careful and not to delete the scroll indicator bars.

The code given by Adam Ko is short and elegant but it may delete the horizontal and vertical scroll indicators.

I usually do

for (UIView *v in scrollView.subviews) {
  if (![v isKindOfClass:[UIImageView class]]) {
    [v removeFromSuperview];
  }
}

Suposing you don't have UIImageView's added to the scroll manually.

like image 22
Ricardo de Cillo Avatar answered Nov 16 '22 01:11

Ricardo de Cillo


In addition to Ricardo de Cillo's, in my case I had a table view that had imageviews in the subviews that I wanted to remove.

for (UIView *v in self.tableview.subviews) {
  if ([v isKindOfClass:[UIImageView class]]) {
    [v removeFromSuperview];
  }
}

The removal of the ! in the if command, and change scrollview to self.tableview removed all images, but left the table view untouched.

like image 2
mylogon Avatar answered Nov 16 '22 03:11

mylogon