npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2024 – Pkg Stats / Ryan Hefner

objc

v0.23.0

Published

NodeJS ↔ Objective-C bridge

Downloads

613

Readme

objc Build Status npm node

NodeJS ↔ Objective-C bridge (experimental)

Install

$ npm install --save objc

Usage

const objc = require('objc');

const {
  NSDate,
  NSDateFormatter
} = objc;


let now = NSDate.date()
let localizedDate = NSDateFormatter.localizedStringFromDate_dateStyle_timeStyle_(now, 2, 2);

console.log(localizedDate); // -> "19. Apr 2017, 22:41:13"

Topics

API

objc.import(bundleName)

Import an Objective-C framework. Foundation is always imported by default

objc.ns(object, [hint = '@'])

Convert a JavaScript object to its objc equivalent. Returns null if the object doesn't have an objc counterpart.
Takes an optional second parameter to specify whether strings should be converted to NSString objects (default), SEL or Class

objc.js(object, [returnInputIfUnableToConvert = false])

Convert an objc object to its JavaScript equivalent.
Takes an optional second parameter to specify whether it should return null or the input if the object doesn't have a JS counterpart

Calling methods

When calling Objective-C methods, all you need to do is replace the colons in the selector with underscores.

For example, this Objective-C code:

#import <AppKit/AppKit.h>

NSPasteboard *pasteboard = [NSPasteboard generalPasteboard];
[pasteboard declareTypes:@[NSPasteboardTypeString] owner:nil];

[pasteboard setString:@"44 > 45" forType:NSPasteboardTypeString];

is equivalent to the following JavaScript code:

const objc = require('objc');
objc.import('AppKit');

const {NSPasteboard, NSPasteboardTypeString} = objc;

const pasteboard = NSPasteboard.generalPasteboard();
pasteboard.declareTypes_owner_([NSPasteboardTypeString], null);

pasteboard.setString_forType_("44 > 45", NSPasteboardTypeString);

Blocks

You can create a block with the objc.Block helper class:

const block = new objc.Block(() => {
  console.log('In the block!');
}, 'v', []);

When creating a block, you need to explicitly declare the type encoding of the block's return value and all its parameters.

Note
If a block takes an Objective-C object as its parameter, you'll need to manually wrap that object in an objc.Proxy (via the objc.wrap helper function).

Example: Sort an array by word length, longest to shortest

const {NSArray, Block, wrap} = objc;
const {id, NSInteger} = objc.types;
const array = NSArray.arrayWithArray_(['I', 'Am', 'The', 'Doctor']);

const block = new Block((arg1, arg2) => {
  arg1 = wrap(arg1);
  arg2 = wrap(arg2);
  return arg1.length() > arg2.length() ? -1 : 1;
}, NSInteger, [id, id]);  // Match the NSComparator signature

const sorted = array.sortedArrayUsingComparator_(block);
// => ['Doctor', 'The', 'Am', 'I']

Constants

You can load NSString* constants just like you'd access a class:

const {NSFontAttributeName} = objc;
console.log(NSFontAttributeName);   // => 'NSFont'

NSString* constants are returned as native JavaScript String objects.

Structs

Use the objc.defineStruct function to define a struct by its name and layout. The returned type can be used to create instances of the struct, and when specifying type encodings in the objc module. It is also compatible with the ffi-napi, ref-napi, ref-struct-di modules.

You can use the StructType.new function to create an instance of the struct. Optionally, you can pass

The objc module already provides a definition for NSRange, accessible via objc.types.

Example 1 Using structs with objc methods

const {NSRange} = objc.types;

const string = objc.ns('Hello World');
const substring = string.substringWithRange_(NSRange.new(0, 5));
// -> 'Hello'
const ffi = require('ffi-napi');
const CGFloat = objc.types.double;

const CGPoint = objc.defineStruct('CGPoint', {
  x: CGFloat,
  y: CGFloat
});

const CGSize = objc.defineStruct('CGSize', {
  width: CGFloat,
  height: CGFloat
});

const CGRect = objc.defineStruct('CGRect', {
  origin: CGPoint,
  size: CGSize
});

const libFoundation = new ffi.Library(null, {
  NSStringFromRect: ['pointer', [CGRect]]
});
const rect = CGRect.new(
  CGPoint.new(5, 10),
  CGSize.new(100, 250)
);
const string = objc.wrap(libFoundation.NSStringFromRect(rect))
// -> '{{5, 10}, {100, 250}}'

Inout parameters

If a method expects an inout parameter (like NSError**), you can use the objc.allocRef function to get a pointer to a nil objc object that can be passed to a method expecting an id*:

const {NSAppleScript} = objc;

const script = NSAppleScript.alloc().initWithSource_('foobar');

const error = objc.allocRef();
script.executeAndReturnError_(error); // `executeAndReturnError:` takes a `NSDictionary**`

console.log(error); // `error` is now a `NSDictionary*`

Output:

[objc.InstanceProxy {
    NSAppleScriptErrorBriefMessage = "The variable foobar is not defined.";
    NSAppleScriptErrorMessage = "The variable foobar is not defined.";
    NSAppleScriptErrorNumber = "-2753";
    NSAppleScriptErrorRange = "NSRange: {0, 6}";
}]

If you need more advanced inout functionality (using primitive types, etc), simply use the ref module.

Method swizzling

Method swizzling allows you to replace a method's implementation:

const {NSProcessInfo} = objc;
objc.swizzle(NSProcessInfo, 'processorCount', (self, _cmd) => {
  return 12;
});

NSProcessInfo.processInfo().processorCount(); // => 12

The method's original implementation is still available, with the xxx__ prefix:

const {NSDate, wrap} = objc;
objc.swizzle(NSDate, 'dateByAddingTimeInterval:', (self, _cmd, timeInterval) => {
  self = wrap(self);
  return self.xxx__dateByAddingTimeInterval_(timeInterval * 2);
});

const now = NSDate.date();
const a = now.dateByAddingTimeInterval_(2);
const b = now.xxx__dateByAddingTimeInterval_(4);

a.isEqualToDate_(b); // => true

Note

  • Just like with blocks, you have to wrap all non-primitive parameters
  • If you want to swizzle a class method, pass 'class' as the swizzle function's last parameter
  • objc.swizzle returns a function that - if called - restores the original implementation of the swizzled method

Custom Classes

Use the objc.createClass function to register custom classes with the Objective-C runtime:

const objc = require('objc');

const LKGreeter = objc.createClass('LKGreeter', 'NSObject', {
  'greet:': (self, cmd, name) => {
    name = objc.wrap(name);
    return objc.ns(`Hello, ${name}!`);
  },

  _encodings: {
    'greet:': ['@', ['@', ':', '@']]
  }
});

LKGreeter.new().greet('Lukas'); // => 'Hello, Lukas!'

Note: You might have to specify individual offsets in the type encoding, see this example.

Roadmap

In the future, I'd like to add support for:

  • improved support for inout parameters (id*)
  • c-style arrays, unions as method parameter/return type
  • runtime introspection (accessing an object's properties, ivars, methods, etc)
  • improved class creation api

License

MIT © Lukas Kollmer