Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Failed to render instance of ClassName: The agent threw an exception loading nib in bundle

When I include my custom IBDesignable view in a storyboard or another nib, the agent crashes and throws an exception because it can't load the nib.

error: IB Designables: Failed to update auto layout status: The agent raised a "NSInternalInconsistencyException" exception: Could not load NIB in bundle: 'NSBundle (loaded)' with name 'StripyView'

Here's the code I use to load the nib:

override init(frame: CGRect) {
    super.init(frame: frame)
    loadContentViewFromNib()
}

required init?(coder aDecoder: NSCoder) {
    super.init(coder: aDecoder)
    loadContentViewFromNib()
}

func loadContentViewFromNib() {
    let nib = UINib(nibName: String(StripyView), bundle: nil)
    let views = nib.instantiateWithOwner(self, options: nil)
    if let view = views.last as? UIView {
        view.frame = bounds
        view.autoresizingMask = [UIViewAutoresizing.FlexibleWidth, UIViewAutoresizing.FlexibleHeight]
        addSubview(view)
    }
}

The view loads from the nib correctly when I run in the simulator, why won't it display in Interface Builder?

like image 326
Josh Heald Avatar asked Feb 29 '16 12:02

Josh Heald


2 Answers

When Interface Builder renders your IBDesignable views, it uses a helper app to load everything. The upshot of this is that the mainBundle at design time is related to the helper app, and it's not your app's mainBundle. You can see that the path mentioned in the error has nothing to do with your app:

/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/Library/Xcode/Overlays

When loading the nib, you're relying on the fact that passing bundle: nil defaults to your app's mainBundle at run time.

let nib = UINib(nibName: String(describing: StripyView.self), bundle: nil)

So instead, you need to pass the correct bundle here. Fix the above line with the following:

let bundle = Bundle(for: StripyView.self)
let nib = UINib(nibName: String(describing: StripyView.self), bundle: bundle)

That will make Interface Builder load your nib from the same bundle as your custom view class.

This applies to anything that's loaded from a bundle by your custom view. For example, localised strings, images, etc. If you're using these in your view, make sure you use the same approach and explicitly pass in the bundle for the custom view class.

like image 189
Josh Heald Avatar answered Sep 30 '22 20:09

Josh Heald


The same viewpoint with "Josh Heald", We can't pass nil for bundle. And this one for who in object - C:

- (UIView *) loadViewFromNib{
NSBundle *bundle = [NSBundle bundleForClass:[self class]];
UINib *nib = [UINib nibWithNibName:NSStringFromClass([self class]) bundle:bundle];
UIView *v = [[nib instantiateWithOwner:self options:nil]objectAtIndex:0];
return v;
}
like image 42
Heo Đất Hades Avatar answered Sep 30 '22 20:09

Heo Đất Hades