Reputation: 6616
I have an app with both Objective-C and Swift based view controllers. I am programatically opening a Swift based view controller from one of my Objective-C based view controllers. The problem I am having is that I can't access the Swift variables from my Objective-C code.
My Swift code:
@IBOutlet weak var profPicture: UIImageView!
@IBOutlet weak var profVerified: UIImageView!
@IBOutlet weak var profName: UILabel!
var passedUser:PFUser!
My Objective-C code:
MyProfileViewController *screen = [[MyProfileViewController alloc] initWithNibName:@"Main" bundle:nil];
self.dataPass = screen;
dataPass.profName.text = @"";
screen.modalTransitionStyle = UIModalTransitionStyleCoverVertical;
[self presentViewController:screen animated:YES completion:nil];
I am able to access @ properties like IBOutlets, but I can't access and edit the var objects.
I am doing this, because I want to pass data into the Swift based view controller from the Objective-C based view controller when I am presenting the Swift based view controller.
Why can't I access the var objects?
Here is the error I am getting:
The error is as follows:
Property 'passedUser' not found on object of type 'MyProfileViewController *'
Thanks for your time, Dan.
Upvotes: 21
Views: 13216
Reputation: 39
You need to use @objc public
for the variable to expose it to Objective-C:
@IBOutlet @objc public weak var profName: UILabel!
Upvotes: -1
Reputation: 16200
With these all answers, sometimes compiler doesn't generate appropriate obj-c code for our swift code. In that case,
Just clean & build project.
Upvotes: 1
Reputation: 4375
Swift 4:
Use @objc keyword to access the swift variable.
class Car: NSObject {
@objc let name: String
@objc let numberOfWheels: Int
let manufacturer: String
}
Upvotes: 25
Reputation: 978
I had the same issue with an ObjectiveC enum, that was a variable in a Swift class and wasn't accessible in ObjectiveC.
Declaring the variable as public didn't work, instead I had to give the enum a default value when declaring it, for it to be included in the [project]-Swift.h header.
var firstQuestion: AnswerResult = AnswerNone
The following didn't work:
var firstQuestion: AnswerResult!
Upvotes: 8
Reputation: 130200
You will have to declare the variable as public
.
By default, the variables have internal
access, that means they can be accessed only from inside their module. Obj-C code is not in their module.
Upvotes: 11