Showing posts with label Objective C. Show all posts
Showing posts with label Objective C. Show all posts

Wednesday, May 28, 2014

Building your Own Titanium SDK with Java Script Core

Building your Own Titanium SDK with Java Script Core


Pre-requisite: You are aware of iOS basics and familiar with iOS app development process.

Q.- How does Appcelerator Titanium Work?
A.- Basically is has modified Java Script Core open source framework and created ticore library,
      Which gets added to your build Xcode project when you build your Titanium App for iOS.

So you can use Java Script Core framework directly and create your own SDK, which will work as your want.
Appcelerator has customised this to make a cross platform SDK, because similar JS functionality is provided in android side by V8 JS engine.
So we can use Java Script Core in iOS and V8 in android app development and provide common functionality to create Titanium Like SDK.

Let me show with an example:

Create a Xcode Project, as we create in Xcode. for example say single window application.

My single window Xcode Project:



In the above picture, i have added ANMakePoint and MyButton classes along with all the .js files.

Now the open the project in Xcode:

Add Java Script Core framework

Steps:

  1. After adding the Java Script Core framework, go to your view controller and import the necessary header: "#import ".
  2. After than you need to add one Java Script file, like i did as test.js.
  3. Write your java script function there and save the file.
  4. now come to viewController.m and in viewdidload() function, initialise your JS context and evaluate your Java Script code.
  5. Then you need to get the function form evalauted script using context.
  6. After that you need to call the JS function from Objc code.
  7. Sample Code:

              NSString *myJSPath = [[NSBundle mainBundle] pathForResource:@"test" ofType:@"js"];
              NSString *Script = [NSString stringWithContentsOfFile:myJSPath encoding:NSUTF8StringEncoding error:nil];

              JSContext *context = [[JSContext alloc] init];
              JSValue *value = [context evaluateScript:Script];
             // OBJC-->JS calling example
             JSValue *result = [function callWithArguments:@[@5]];


            This is very basic example code for Objc to JS calling.

Now Deep diving a little:

What is bonding between JS and Objc:
Actually Java Script Core framework is designed in  such a way to take care the differences required by two different languages to execute their code.

For Example Objc is a compiled language and code is compiled before execution, while JS is interpreted language and to run JS with Objc we require a VM(virtual machine) to provided interpreted 
environment.

Now This VM and context to execute code is provided by Java Script Core.
Note: VM:- Provide environment.
          Context:- is kind of global java script object for your js file. In web world its Window object.
          JSValue: is java script object or function or any value on which we work upon.

We can have multiple virtual machine and within one virtual machine we can have multiple context as well.
Image:


We can transfer information (object and value exchange) between two context of same virtual machine.

But we can not transfer information (object and value exchange) between two context of two different virtual machine.

Allowed:


Not Allowed: (No information exchange allowed between two context or different VM).


Part1:
Now Objc to Java Script communication happen with the following sequence:
(calling java script function from objective c)
  1. We create a Context. (until required one VM is created by default)
  2. We get our java script code from js file.
  3. Evaluate java script code. (this will return the value of any self executing function -- java script notation.)
  4. From context we get our JS value.(any JSfunction or JSObject).
  5. Call the JS function from Objc using java script core function calling mechanism.
  6. Get the return value from JS function as JSvalue.
Part2:
Now Java Script to Objc communication: (calling Objc method from Java Script)
  1. There are two possible way.
  • Blocks (Objc block can work as a medium to provide functionality of OBJC code to JS).
  • JSExport protocol. (A protocol will work as a class to JS code).
Blocks:
context[@"makeNSColor"] = ^(NSDictionary *rgb){
        float red = [rgb[@"red"] floatValue];
        float green = [rgb[@"green"] floatValue];
        float blue = [rgb[@"blue"] floatValue];
        float alpha = 1.0f;
        
        UIColor *colorReturn = [UIColor colorWithRed:red/255.0f green:green/255.0f blue:blue/255.0f alpha:alpha];
        return colorReturn;
    };

Here makeNSColor  will be directly available to java script code as i have added to context(global object).
can be directly called from java script.

var rgb = {
        red:255.0,
        green:67.0,
        blue:70.0
        };
var colorVal = makeNSColor(rgb);

JSExport Protocol:
JSExport protocol works just like normal protocol but provide easy access to Objc code from Java Script.
Sample:

#import <UIKit/UIKit.h>

#import <JavaScriptCore/JavaScriptCore.h>

@protocol MyButtonExports <JSExport>

@property (readwrite,nonatomic) NSString* name;
@property double top;
@property double left;
@property double bottom;
@property double right;

-(id)onClick:(JSValue*)handler;
+(double)makeMyPointWithX:(double)x;
@end

@interface MyButton : UIButton <MyButtonExports>

-(void)clickHappened:(id)args;
@end

Using this approach, property values will be used as a java script getter and setter, while instance method will be used with class instance object and class method will be accessed using class object contained within global context object.

Things to take care: Threading and Memory Management is trivial task in this as java script is a garbage collected language and Objc uses ARC.

Apple has also shared one video in WWDC2013 regarding this communication:
(You need to have Safari and developer account.)

My JSCore sample link: https://app.box.com/s/5d7lfqh7l9o8j23pgt57 (Old code, check new code)
(Note: Its quite unstructured yet, but working. Will update soon with a nice well behaved code.)

Online view: https://app.box.com/s/sgbg3xzrj2idtw5svw1g

(New Code Sample)
Updated Code (Much structured and understandable)
Link: https://app.box.com/s/trr1glmd0dfx9y5hoa4a 

A working well behaved code is available in github under my github repo.
Link: https://github.com/ashishnigam/Team_Dev_Work

(Code is available now, as promised)

Direct Code Link: https://github.com/ashishnigam/Team_Dev_Work/tree/master/iOS_Native/JScoreDemo

JS functions exposed to java script in my sample.

1: createButton();
2: makeNSColor();
3: alert("Happy");
4: button.onClick(callback) {};  
is the instance method exposed. used for binding call backs to JS button object.
5: var callback = function(args){
        alert(args);
        button.tintColor = colorVal;
    };
this the call back exposed which is called on button click.
6: Button.createButton({}); is the Class method exposed, used in "testGeometry.js" which can be tested by commenting JSCoreExport feature and thus commenting the "JSCoreFundamental" method call and uncommenting the "JSCoreExports" method call as below viewdidload call in ANViewController.
- (void)viewDidLoad
{
    [super viewDidLoad];
    [self JSCoreFundamental:nil];
    //  [self JSCoreExports:nil];   
}
7: button.removeButton();
Much more functionality is available, best understood with the help of updated code sample. Checkout from github and test on your own system. Let me know for any clarification.
In sample i have created colours in JS and button object with its click event binding callback function.
Overloaded JS alert function as titanium sdk did.
Changed the label text colour using JS code with its background colour.
The only thing you may need to do it shuffling of commented and uncommented code in viewdidload().

Feel free to ask any query or any suggestions are most welcome. 
This code structure and sample shared is just for conceptual understanding.

Monday, January 14, 2013

Extending Titanium Mobile Application from Native iOS Coding.

Extending Titanium Mobile Application from Native Coding.

This blog is for iOS and Soon Android version will also be here.

Hi all this blog is to explain you something which most of the people looking for months.

1: Create a Titanium Application using titanium and decorate it with your logic as you want.

2: create a build for iOS simulator and that will launch app in iOS Simulator.

3: Close the simulator Go back to your code and put the Titanium Native Extension(com.ti.extnd) module in your code, which is having some limited functionality right now.(grab it from GitHub)
(https://github.com/ashishnigam/Titanium/tree/master/Module%20Work/Extention%20Module).

4:  Use this module from where you want to start Native Coding.

example:

var win = Ti.UI.createWindow({
                    title:title,
                    backgroundColor:'white'
});
var button = Ti.UI.createButton({
                     height:44,
                     width:200,
                     title:"Native Extension Point",
                     top:20
});

win.add(button);

var extndModule = require("com.ti.extnd");  // require Extension module required here

button.addEventListener('click', function() {
                     extndModule.example("ashishClass"); //Provide the Starting point Native Class name
});


5: Go Back to Build phase and build again.

6: Go inside your App build directory and open the build Xcode Project in Xcode.

Here is how it looks like...



In this Pic ashishClass.h and ashishClass.m are Native Class, so first when you open in Xcode it will opened without these two Classes. 

7: now open the menu in your project and add the Native classes.


8: click on "Add Files to "testConcept" and add the Native Classes as per your requirement.

9: Add the following code in your Native Class.. as a starting point for this test module.

+(ashishClass*)sharedInstanceOfMyClass{
    NSLog(@" ashishClass ");
    
    @synchronized(self) {
        if (obj == nil) {
            [[self alloc] init]; // assignment not done here
        }
    }
    //[self alertFunction:nil];
    return nil;
}

- (id) init
{
    self = [super init];
    if(self != nil)
    {
        [self alertFunction:nil];
    }
    return self;
}

-(void)alertFunction:(id)args
{
    UIAlertView *alert = [[UIAlertView alloc] initWithTitle:@"ashish" message:@"Extension done" delegate:nil cancelButtonTitle:@"OK" otherButtonTitles: nil];
    [alert show];
}

after That when you run your project from xcode, you will receive call in Native Class and Its doen to get a starting point here.

10: See the Images from Titanium UI and functionality.



11: Here Images After adding Native Code.



























12: Have a Nice day...  See the Live Video Here.
Drop Box:: 
https://www.dropbox.com/s/ms5qxc3dmvrmr0l/NativeExtention%20-%20Broadband.m4v
You Tube::
http://www.youtube.com/watch?v=ZPKHykWHMdM&feature=youtu.be
GitHub Module:: https://github.com/ashishnigam/Titanium/tree/master/Module%20Work/Extention%20Module







Thursday, July 26, 2012

Appcelerator Titanium Module Development for iOS


Module template Link:: https://docs.google.com/open?id=0B0PuCdyscdjPaTctT0V4LUtCSlE

How to use Module template for Titanium iOS Module Development.
Steps to use:

1: Download zip file from the above link, and unzip it.
2: It will generate a folder named template, and inside that folder there is a file "template.xcodeproj".
3: double click this file to open the project in Xcode.
4: Project contains various file, uses of these are mentioned with file names below.


File Names:
1:ComGlTemplateModuleAssets.h 
2:ComGlTemplateModuleAssets.m
These files are generated files and not meant to be edited.

1:ComGlTemplateModule.h 
2:ComGlTemplateModule.m
This is the module file which is always required for module development and can be single file only.

1:ComGlTemplateSampleProxy.h 
2:ComGlTemplateSampleProxy.m
Its Proxy class, Object of this class can be created in JS files of titanium app and Methods declared in this class can be called using dot notation, if the method signature is according to the Titanium standards. This class is basically created to show case all the LIFE CYCLE Methods of a Proxy Class Object Creation Process, which will be called one by one in a sequence.

1:ComGlTemplateSampleView.h 
2:ComGlTemplateSampleView.m
Its a View class, and It require a view proxy to be associated with it. view proxy can be made available using the naming convention.
So according to the naming convention its view proxy will be ComGlTemplateSampleViewProxy.h and ComGlTemplateSampleViewProxy.m class files.


1:ComGlTemplateSampleViewProxy.h 
2:ComGlTemplateSampleViewProxy.m
Its view proxy for Sample View class and When ever Titanium developer create the instance of the view the This proxy class instance will be created and methods exposed in the proxy will be available to the JS developer.

1:ComGlTemplateSampleDemoProxy.h 
2:ComGlTemplateSampleDemoProxy.m
This DemoProxy class methods are provided to explain certain features like how to fire event and callback methods. This class also explains some of the property change notification methods.

1:ComGlTemplateMethodsandParameterProxy.h 2:ComGlTemplateMethodsandParameterProxy.m
This class explains all the possible values of return type, which can be returned to the JS developer.
It also uses the standards for the methods used by titanium, and it must be followed.

Note: module.xcconfig file is written with some commented code to explain some of the findings and logical relationship between titanium and native platform.
In actual module development these commented things are to be used as required.


How to Build and Package the Module.
Refer the following link for this. https://wiki.appcelerator.org/display/guides/iOS+Module+Development+Guide

How to create the objects of deferent classes: Steps:

1: require the Module
example:

var template = require('com.gl.template'); Note: "com.gl.template" will be your module id.

Method Calling Example:
template.METHODofModuleClass();

2:create the object of proxy class before calling there methods. 

example:
var sampleProxyObject = template.createSample(); or
var sampleProxyObject = template.createSample({});

Note: "createSample()" here "Sample" is the name used while creating proxy class, i.e. ComGlTemplateSampleProxy.

Method Calling Example:
sampleProxyObject.METHODofSampleProxyClass();

How to Add Proxy class Object to Another View Object.
Not Possible to add and it does not have any impact actually when we think logically.

3:create the object of viewProxy class before calling there methods.

example:
var sampleProxyViewObject = template.createSampleView(); or
var sampleProxyViewObject = template.createSampleView({});

Note: "createSampleView()" here "SampleView" is the name used while creating viewProxy class and view class, 
i.e. ComGlTemplateSampleViewProxy and view as ComGlTemplateSampleView.

Method Calling Example:
sampleProxyViewObject.METHODofSampleViewProxyClass();
How to Add ViewProxy class Object to Another View Object.

taking consideration that "windowObject" is already created and trying to add viewProxy Object in that.

example: windowObject.add(sampleProxyViewObject); Some Important Points to remember.

Note: Always call the view methods from the methods exposed in the viewProxy on MainThread else it will crash the application.
Note: ViewProxy object can be added to the Other View In titanium App But A normal proxy Objet can not.
Note: A Method with prefix "set" will receive the parameter directly while methods without "set" prefix will receive parameter as an NSArray Objet, single or multiple parameter does not have any impact on this behavior.