diff --git a/Examples/SampleApp/.gitignore b/Examples/SampleApp/.gitignore new file mode 100644 index 00000000000000..c39012e9e737a6 --- /dev/null +++ b/Examples/SampleApp/.gitignore @@ -0,0 +1,27 @@ +# OSX +# +.DS_Store + +# Xcode +# +build/ +*.pbxuser +!default.pbxuser +*.mode1v3 +!default.mode1v3 +*.mode2v3 +!default.mode2v3 +*.perspectivev3 +!default.perspectivev3 +xcuserdata +*.xccheckout +*.moved-aside +DerivedData +*.hmap +*.ipa +*.xcuserstate + +# node.js +# +node_modules/ +npm-debug.log diff --git a/Examples/UIExplorer/MapViewExample.js b/Examples/UIExplorer/MapViewExample.js index c532ace5def135..ab6bd0717d8ec4 100644 --- a/Examples/UIExplorer/MapViewExample.js +++ b/Examples/UIExplorer/MapViewExample.js @@ -24,33 +24,44 @@ var { View, } = React; +var regionText = { + latitude: '0', + longitude: '0', + latitudeDelta: '0', + longitudeDelta: '0', +} + var MapRegionInput = React.createClass({ propTypes: { region: React.PropTypes.shape({ - latitude: React.PropTypes.number, - longitude: React.PropTypes.number, - latitudeDelta: React.PropTypes.number, - longitudeDelta: React.PropTypes.number, + latitude: React.PropTypes.number.isRequired, + longitude: React.PropTypes.number.isRequired, + latitudeDelta: React.PropTypes.number.isRequired, + longitudeDelta: React.PropTypes.number.isRequired, }), onChange: React.PropTypes.func.isRequired, }, getInitialState: function() { return { - latitude: 0, - longitude: 0, - latitudeDelta: 0, - longitudeDelta: 0, + region: { + latitude: 0, + longitude: 0, + latitudeDelta: 0, + longitudeDelta: 0, + } }; }, componentWillReceiveProps: function(nextProps) { - this.setState(nextProps.region); + this.setState({ + region: nextProps.region || this.getInitialState().region + }); }, render: function() { - var region = this.state; + var region = this.state.region || this.getInitialState().region; return ( @@ -61,6 +72,7 @@ var MapRegionInput = React.createClass({ value={'' + region.latitude} style={styles.textInput} onChange={this._onChangeLatitude} + selectTextOnFocus={true} /> @@ -71,6 +83,7 @@ var MapRegionInput = React.createClass({ value={'' + region.longitude} style={styles.textInput} onChange={this._onChangeLongitude} + selectTextOnFocus={true} /> @@ -81,6 +94,7 @@ var MapRegionInput = React.createClass({ value={'' + region.latitudeDelta} style={styles.textInput} onChange={this._onChangeLatitudeDelta} + selectTextOnFocus={true} /> @@ -91,6 +105,7 @@ var MapRegionInput = React.createClass({ value={'' + region.longitudeDelta} style={styles.textInput} onChange={this._onChangeLongitudeDelta} + selectTextOnFocus={true} /> @@ -103,23 +118,29 @@ var MapRegionInput = React.createClass({ }, _onChangeLatitude: function(e) { - this.setState({latitude: parseFloat(e.nativeEvent.text)}); + regionText.latitude = e.nativeEvent.text; }, _onChangeLongitude: function(e) { - this.setState({longitude: parseFloat(e.nativeEvent.text)}); + regionText.longitude = e.nativeEvent.text; }, _onChangeLatitudeDelta: function(e) { - this.setState({latitudeDelta: parseFloat(e.nativeEvent.text)}); + regionText.latitudeDelta = e.nativeEvent.text; }, _onChangeLongitudeDelta: function(e) { - this.setState({longitudeDelta: parseFloat(e.nativeEvent.text)}); + regionText.longitudeDelta = e.nativeEvent.text; }, _change: function() { - this.props.onChange(this.state); + this.setState({ + latitude: parseFloat(regionText.latitude), + longitude: parseFloat(regionText.longitude), + latitudeDelta: parseFloat(regionText.latitudeDelta), + longitudeDelta: parseFloat(regionText.longitudeDelta), + }); + this.props.onChange(this.state.region); }, }); @@ -130,6 +151,8 @@ var MapViewExample = React.createClass({ return { mapRegion: null, mapRegionInput: null, + annotations: null, + isFirstLoad: true, }; }, @@ -138,8 +161,10 @@ var MapViewExample = React.createClass({ + { + this.circle = circle; + }} + style={styles.circle} + {...this._panResponder.panHandlers} + /> + + ); + }, + + _highlight: function() { + this.circle && this.circle.setNativeProps({ + backgroundColor: CIRCLE_HIGHLIGHT_COLOR + }); + }, + + _unHighlight: function() { + this.circle && this.circle.setNativeProps({ + backgroundColor: CIRCLE_COLOR + }); + }, + + _updatePosition: function() { + this.circle && this.circle.setNativeProps(this._circleStyles); + }, + + _handleStartShouldSetPanResponder: function(e: Object, gestureState: Object): boolean { + // Should we become active when the user presses down on the circle? + return true; + }, + + _handleMoveShouldSetPanResponder: function(e: Object, gestureState: Object): boolean { + // Should we become active when the user moves a touch over the circle? + return true; + }, + + _handlePanResponderGrant: function(e: Object, gestureState: Object) { + this._highlight(); + }, + _handlePanResponderMove: function(e: Object, gestureState: Object) { + this._circleStyles.left = this._previousLeft + gestureState.dx; + this._circleStyles.top = this._previousTop + gestureState.dy; + this._updatePosition(); + }, + _handlePanResponderEnd: function(e: Object, gestureState: Object) { + this._unHighlight(); + this._previousLeft += gestureState.dx; + this._previousTop += gestureState.dy; + }, +}); + +var styles = StyleSheet.create({ + circle: { + width: CIRCLE_SIZE, + height: CIRCLE_SIZE, + borderRadius: CIRCLE_SIZE / 2, + backgroundColor: CIRCLE_COLOR, + position: 'absolute', + left: 0, + top: 0, + }, + container: { + flex: 1, + paddingTop: 64, + }, +}); + +module.exports = NavigatorIOSExample; diff --git a/Examples/UIExplorer/TextInputExample.js b/Examples/UIExplorer/TextInputExample.js index b033c7d3ba8025..e0ae1b46517070 100644 --- a/Examples/UIExplorer/TextInputExample.js +++ b/Examples/UIExplorer/TextInputExample.js @@ -109,7 +109,7 @@ var styles = StyleSheet.create({ flex: 1, }, label: { - width: 80, + width: 120, justifyContent: 'flex-end', flexDirection: 'row', marginRight: 10, @@ -311,4 +311,29 @@ exports.examples = [ ); } }, + { + title: 'Clear and select', + render: function () { + return ( + + + + + + + + + ); + } + }, ]; diff --git a/Examples/UIExplorer/UIExplorerList.js b/Examples/UIExplorer/UIExplorerList.js index cee61af873a74e..308249572da166 100644 --- a/Examples/UIExplorer/UIExplorerList.js +++ b/Examples/UIExplorer/UIExplorerList.js @@ -39,8 +39,8 @@ var COMPONENTS = [ require('./ListViewExample'), require('./ListViewPagingExample'), require('./MapViewExample'), - require('./NavigatorIOSExample'), NavigatorExample, + require('./NavigatorIOSExample'), require('./PickerIOSExample'), require('./ScrollViewExample'), require('./SliderIOSExample'), @@ -64,10 +64,10 @@ var APIS = [ require('./GeolocationExample'), require('./LayoutExample'), require('./NetInfoExample'), + require('./PanResponderExample'), require('./PointerEventsExample'), require('./PushNotificationIOSExample'), require('./StatusBarIOSExample'), - require('./ResponderExample'), require('./TimerExample'), require('./VibrationIOSExample'), ]; diff --git a/Examples/UIExplorer/UIExplorerTests/ReferenceImages/Examples-UIExplorer-UIExplorerApp/testTabBarExampleSnapshot_1@2x.png b/Examples/UIExplorer/UIExplorerTests/ReferenceImages/Examples-UIExplorer-UIExplorerApp/testTabBarExampleSnapshot_1@2x.png index 7237c5f10fa0e8..d3e66652b5c01b 100644 Binary files a/Examples/UIExplorer/UIExplorerTests/ReferenceImages/Examples-UIExplorer-UIExplorerApp/testTabBarExampleSnapshot_1@2x.png and b/Examples/UIExplorer/UIExplorerTests/ReferenceImages/Examples-UIExplorer-UIExplorerApp/testTabBarExampleSnapshot_1@2x.png differ diff --git a/Examples/UIExplorer/UIExplorerTests/UIExplorerTests.m b/Examples/UIExplorer/UIExplorerTests/UIExplorerTests.m index e82422110d2b06..fd321546aab27c 100644 --- a/Examples/UIExplorer/UIExplorerTests/UIExplorerTests.m +++ b/Examples/UIExplorer/UIExplorerTests/UIExplorerTests.m @@ -39,9 +39,10 @@ - (void)setUp #endif NSString *version = [[UIDevice currentDevice] systemVersion]; RCTAssert([version isEqualToString:@"8.1"], @"Snapshot tests should be run on iOS 8.1, found %@", version); - _runner = initRunnerForApp(@"Examples/UIExplorer/UIExplorerApp"); + _runner = RCTInitRunnerForApp(@"Examples/UIExplorer/UIExplorerApp"); - // If tests have changes, set recordMode = YES below and run the affected tests on an iPhone5, iOS 8.1 simulator. + // If tests have changes, set recordMode = YES below and run the affected + // tests on an iPhone5, iOS 8.1 simulator. _runner.recordMode = NO; } @@ -58,8 +59,10 @@ - (BOOL)findSubviewInView:(UIView *)view matching:(BOOL(^)(UIView *view))test return NO; } -// Make sure this test runs first (underscores sort early) otherwise the other tests will tear out the rootView -- (void)test__RootViewLoadsAndRenders { +// Make sure this test runs first (underscores sort early) otherwise the +// other tests will tear out the rootView +- (void)test__RootViewLoadsAndRenders +{ UIViewController *vc = [[[[UIApplication sharedApplication] delegate] window] rootViewController]; RCTAssert([vc.view isKindOfClass:[RCTRootView class]], @"This test must run first."); NSDate *date = [NSDate dateWithTimeIntervalSinceNow:TIMEOUT_SECONDS]; diff --git a/IntegrationTests/IntegrationTestsTests/IntegrationTestsTests.m b/IntegrationTests/IntegrationTestsTests/IntegrationTestsTests.m index 578d3915f488da..e0a43e7931fae6 100644 --- a/IntegrationTests/IntegrationTestsTests/IntegrationTestsTests.m +++ b/IntegrationTests/IntegrationTestsTests/IntegrationTestsTests.m @@ -18,7 +18,8 @@ @interface IntegrationTestsTests : XCTestCase @end -@implementation IntegrationTestsTests { +@implementation IntegrationTestsTests +{ RCTTestRunner *_runner; } @@ -28,10 +29,11 @@ - (void)setUp RCTAssert(!__LP64__, @"Tests should be run on 32-bit device simulators (e.g. iPhone 5)"); #endif NSString *version = [[UIDevice currentDevice] systemVersion]; - RCTAssert([version isEqualToString:@"8.1"], @"Tests should be run on iOS 8.1, found %@", version); - _runner = initRunnerForApp(@"IntegrationTests/IntegrationTestsApp"); + RCTAssert([version integerValue] == 8, @"Tests should be run on iOS 8.x, found %@", version); + _runner = RCTInitRunnerForApp(@"IntegrationTests/IntegrationTestsApp"); - // If tests have changes, set recordMode = YES below and run the affected tests on an iPhone5, iOS 8.1 simulator. + // If tests have changes, set recordMode = YES below and run the affected + // tests on an iPhone5, iOS 8.1 simulator. _runner.recordMode = NO; } @@ -44,15 +46,19 @@ - (void)testTheTester - (void)testTheTester_waitOneFrame { - [_runner runTest:_cmd module:@"IntegrationTestHarnessTest" initialProps:@{@"waitOneFrame": @YES} expectErrorBlock:nil]; + [_runner runTest:_cmd + module:@"IntegrationTestHarnessTest" + initialProps:@{@"waitOneFrame": @YES} + expectErrorBlock:nil]; } -- (void)testTheTester_ExpectError +// TODO: this seems to stall forever - figure out why +- (void)DISABLED_testTheTester_ExpectError { [_runner runTest:_cmd module:@"IntegrationTestHarnessTest" initialProps:@{@"shouldThrow": @YES} - expectErrorRegex:[NSRegularExpression regularExpressionWithPattern:@"because shouldThrow" options:0 error:nil]]; + expectErrorRegex:@"because shouldThrow"]; } - (void)testTimers diff --git a/Libraries/Components/MapView/MapView.js b/Libraries/Components/MapView/MapView.js index 388e22ddc9ed13..7beeabbeac5f78 100644 --- a/Libraries/Components/MapView/MapView.js +++ b/Libraries/Components/MapView/MapView.js @@ -95,6 +95,23 @@ var MapView = React.createClass({ longitudeDelta: React.PropTypes.number.isRequired, }), + /** + * Map annotations with title/subtitle. + */ + annotations: React.PropTypes.arrayOf(React.PropTypes.shape({ + /** + * The location of the annotation. + */ + latitude: React.PropTypes.number.isRequired, + longitude: React.PropTypes.number.isRequired, + + /** + * Annotation title/subtile. + */ + title: React.PropTypes.string, + subtitle: React.PropTypes.string, + })), + /** * Maximum size of area that can be displayed. */ @@ -142,6 +159,7 @@ var MapView = React.createClass({ pitchEnabled={this.props.pitchEnabled} scrollEnabled={this.props.scrollEnabled} region={this.props.region} + annotations={this.props.annotations} maxDelta={this.props.maxDelta} minDelta={this.props.minDelta} legalLabelInsets={this.props.legalLabelInsets} @@ -165,6 +183,7 @@ var RCTMap = createReactIOSNativeComponentClass({ pitchEnabled: true, scrollEnabled: true, region: {diff: deepDiffer}, + annotations: {diff: deepDiffer}, maxDelta: true, minDelta: true, legalLabelInsets: {diff: insetsDiffer}, diff --git a/Libraries/Components/TextInput/TextInput.js b/Libraries/Components/TextInput/TextInput.js index 6908ed8a6741ba..bf988f5931ae6d 100644 --- a/Libraries/Components/TextInput/TextInput.js +++ b/Libraries/Components/TextInput/TextInput.js @@ -58,6 +58,8 @@ var RCTTextFieldAttributes = merge(RCTTextViewAttributes, { caretHidden: true, enabled: true, clearButtonMode: true, + clearTextOnFocus: true, + selectTextOnFocus: true, }); var onlyMultiline = { @@ -267,7 +269,17 @@ var TextInput = React.createClass({ 'unless-editing', 'always', ]), - + /** + * If true, clears the text field automatically when editing begins + */ + clearTextOnFocus: PropTypes.bool, + /** + * If true, selected the text automatically when editing begins + */ + selectTextOnFocus: PropTypes.bool, + /** + * Styles + */ style: Text.propTypes.style, /** * Used to locate this view in end-to-end tests. @@ -431,6 +443,8 @@ var TextInput = React.createClass({ autoCapitalize={autoCapitalize} autoCorrect={this.props.autoCorrect} clearButtonMode={clearButtonMode} + clearTextOnFocus={this.props.clearTextOnFocus} + selectTextOnFocus={this.props.selectTextOnFocus} />; } else { for (var propKey in notMultiline) { diff --git a/Libraries/CustomComponents/Navigator/Navigator.js b/Libraries/CustomComponents/Navigator/Navigator.js index f7af45ffebe151..9cdd1b67dc4ed6 100644 --- a/Libraries/CustomComponents/Navigator/Navigator.js +++ b/Libraries/CustomComponents/Navigator/Navigator.js @@ -71,7 +71,7 @@ var styles = StyleSheet.create({ bottom: 0, top: 0, }, - presentNavItem: { + currentScene: { position: 'absolute', overflow: 'hidden', left: 0, @@ -79,7 +79,7 @@ var styles = StyleSheet.create({ bottom: 0, top: 0, }, - futureNavItem: { + futureScene: { overflow: 'hidden', position: 'absolute', left: 0, @@ -302,17 +302,13 @@ var Navigator = React.createClass({ componentWillMount: function() { this.parentNavigator = getNavigatorContext(this) || this.props.navigator; + this._subRouteFocus = []; this.navigatorContext = { setHandlerForRoute: this.setHandlerForRoute, request: this.request, parentNavigator: this.parentNavigator, getCurrentRoutes: this.getCurrentRoutes, - // We want to bubble focused routes to the top navigation stack. If we - // are a child navigator, this allows us to call props.navigator.on*Focus - // of the topmost Navigator - onWillFocus: this.props.onWillFocus, - onDidFocus: this.props.onDidFocus, // Legacy, imperitive nav actions. Use request when possible. jumpBack: this.jumpBack, @@ -341,8 +337,7 @@ var Navigator = React.createClass({ }); this._itemRefs = {}; this._interactionHandle = null; - - this._emitWillFocus(this.state.presentedIndex); + this._emitWillFocus(this.state.routeStack[this.state.presentedIndex]); }, request: function(action, arg1, arg2) { @@ -372,7 +367,7 @@ var Navigator = React.createClass({ if (this.state.presentedIndex === 0) { return false; } - this.pop(); + this._popN(1); return true; }, @@ -399,7 +394,7 @@ var Navigator = React.createClass({ animationConfig && this._configureSpring(animationConfig); this.spring.addListener(this); this.onSpringUpdate(); - this._emitDidFocus(this.state.presentedIndex); + this._emitDidFocus(this.state.routeStack[this.state.presentedIndex]); if (this.parentNavigator) { this.parentNavigator.setHandler(this._handleRequest); } else { @@ -418,7 +413,7 @@ var Navigator = React.createClass({ }, _handleBackPress: function() { - var didPop = this.request('pop'); + var didPop = this.pop(); if (!didPop) { BackAndroid.exitApp(); } @@ -500,7 +495,8 @@ var Navigator = React.createClass({ var presentedIndex = this.state.toIndex; this.state.presentedIndex = presentedIndex; this.state.fromIndex = presentedIndex; - this._emitDidFocus(presentedIndex); + var didFocusRoute = this._subRouteFocus[presentedIndex] || this.state.routeStack[presentedIndex]; + this._emitDidFocus(didFocusRoute); this._removePoppedRoutes(); if (AnimationsDebugModule) { AnimationsDebugModule.stopRecordingFps(Date.now()); @@ -520,7 +516,8 @@ var Navigator = React.createClass({ this.state.isAnimating = true; this.spring.setVelocity(v); this.spring.setEndValue(1); - this._emitWillFocus(this.state.toIndex); + var willFocusRoute = this._subRouteFocus[this.state.toIndex] || this.state.routeStack[this.state.toIndex]; + this._emitWillFocus(willFocusRoute); }, _transitionToFromIndexWithVelocity: function(v) { @@ -532,25 +529,31 @@ var Navigator = React.createClass({ this.spring.setEndValue(0); }, - _emitDidFocus: function(index) { - var route = this.state.routeStack[index]; + _emitDidFocus: function(route) { + if (this._lastDidFocus === route) { + return; + } + this._lastDidFocus = route; if (this.props.onDidFocus) { this.props.onDidFocus(route); - } else if (this.props.navigator && this.props.navigator.onDidFocus) { - this.props.navigator.onDidFocus(route); + } else if (this.parentNavigator && this.parentNavigator.onDidFocus) { + this.parentNavigator.onDidFocus(route); } }, - _emitWillFocus: function(index) { - var route = this.state.routeStack[index]; + _emitWillFocus: function(route) { + if (this._lastWillFocus === route) { + return; + } + this._lastWillFocus = route; var navBar = this._navBar; if (navBar && navBar.handleWillFocus) { navBar.handleWillFocus(route); } if (this.props.onWillFocus) { this.props.onWillFocus(route); - } else if (this.props.navigator && this.props.navigator.onWillFocus) { - this.props.navigator.onWillFocus(route); + } else if (this.parentNavigator && this.parentNavigator.onWillFocus) { + this.parentNavigator.onWillFocus(route); } }, @@ -853,7 +856,7 @@ var Navigator = React.createClass({ }, requestTransitionAndResetUpdatingRange); }, - popN: function(n) { + _popN: function(n) { if (n === 0 || !this._canNavigate()) { return; } @@ -868,11 +871,7 @@ var Navigator = React.createClass({ }, pop: function() { - // TODO (t6707686): remove this parentNavigator call after transitioning call sites to `.request('pop')` - if (this.parentNavigator && this.state.routeStack.length === 1) { - return this.parentNavigator.pop(); - } - this.popN(1); + return this.request('pop'); }, /** @@ -909,8 +908,8 @@ var Navigator = React.createClass({ }, () => { this._resetUpdatingRange(); if (index === this.state.presentedIndex) { - this._emitWillFocus(this.state.presentedIndex); - this._emitDidFocus(this.state.presentedIndex); + this._emitWillFocus(route); + this._emitDidFocus(route); } }); }, @@ -944,7 +943,7 @@ var Navigator = React.createClass({ popToRoute: function(route) { var numToPop = this._getNumToPopForRoute(route); - this.popN(numToPop); + this._popN(numToPop); }, replacePreviousAndPop: function(route) { @@ -995,9 +994,42 @@ var Navigator = React.createClass({ } }, - _routeToOptimizedStackItem: function(route, i) { - var shouldUpdateChild = - this.state.updatingRangeLength !== 0 && + _renderOptimizedScenes: function() { + // To avoid rendering scenes that are not visible, we use + // updatingRangeStart and updatingRangeLength to track the scenes that need + // to be updated. + + // To avoid visual glitches, we never re-render scenes during a transition. + // We assume that `state.updatingRangeLength` will have a length during the + // initial render of any scene + var shouldRenderScenes = !this.state.isAnimating && + this.state.updatingRangeLength !== 0; + if (shouldRenderScenes) { + return ( + + + {this.state.routeStack.map(this._renderOptimizedScene)} + + + ); + } + // If no scenes are changing, we can save render time. React will notice + // that we are rendering a StaticContainer in the same place, so the + // existing element will be updated. When React asks the element + // shouldComponentUpdate, the StaticContainer will return false, and the + // children from the previous reconciliation will remain. + return ( + + ); + }, + + _renderOptimizedScene: function(route, i) { + var shouldRenderScene = i >= this.state.updatingRangeStart && i <= this.state.updatingRangeStart + this.state.updatingRangeLength; var sceneNavigatorContext = { @@ -1006,50 +1038,51 @@ var Navigator = React.createClass({ setHandler: (handler) => { this.navigatorContext.setHandlerForRoute(route, handler); }, + onWillFocus: (childRoute) => { + this._subRouteFocus[i] = childRoute; + if (this.state.presentedIndex === i) { + this._emitWillFocus(childRoute); + } + }, + onDidFocus: (childRoute) => { + this._subRouteFocus[i] = childRoute; + if (this.state.presentedIndex === i) { + this._emitDidFocus(childRoute); + } + }, }; - var child = this.props.renderScene( - route, - sceneNavigatorContext - ); - var initialSceneStyle = - i === this.state.presentedIndex ? styles.presentNavItem : styles.futureNavItem; + var scene = shouldRenderScene ? + this._renderScene(route, i, sceneNavigatorContext) : null; return ( - - {React.cloneElement(child, { - ref: this._handleItemRef.bind(null, this.state.idStack[i]), - })} - + shouldUpdate={shouldRenderScene}> + {scene} ); }, - renderNavigationStackItems: function() { - var shouldRecurseToNavigator = this.state.updatingRangeLength !== 0; - // If not recursing update to navigator at all, may as well avoid - // computation of navigator children. - var items = shouldRecurseToNavigator ? - this.state.routeStack.map(this._routeToOptimizedStackItem) : null; - + _renderScene: function(route, i, sceneNavigatorContext) { + var child = this.props.renderScene( + route, + sceneNavigatorContext + ); + var initialSceneStyle = i === this.state.presentedIndex ? + styles.currentScene : styles.futureScene; return ( - - - {items} - - + + {React.cloneElement(child, { + ref: this._handleItemRef.bind(null, this.state.idStack[i]), + })} + ); }, - renderNavigationStackBar: function() { + _renderNavigationBar: function() { if (!this.props.navigationBar) { return null; } @@ -1063,8 +1096,8 @@ var Navigator = React.createClass({ render: function() { return ( - {this.renderNavigationStackItems()} - {this.renderNavigationStackBar()} + {this._renderOptimizedScenes()} + {this._renderNavigationBar()} ); }, diff --git a/Libraries/Image/RCTImageLoader.m b/Libraries/Image/RCTImageLoader.m index 3f8e3c75a34617..34158f6920da4e 100644 --- a/Libraries/Image/RCTImageLoader.m +++ b/Libraries/Image/RCTImageLoader.m @@ -19,6 +19,19 @@ #import "RCTImageDownloader.h" #import "RCTLog.h" +static dispatch_queue_t RCTImageLoaderQueue(void) +{ + static dispatch_queue_t queue = NULL; + static dispatch_once_t onceToken; + dispatch_once(&onceToken, ^{ + queue = dispatch_queue_create("com.facebook.rctImageLoader", DISPATCH_QUEUE_SERIAL); + dispatch_set_target_queue(queue, + dispatch_get_global_queue(DISPATCH_QUEUE_PRIORITY_DEFAULT, 0)); + }); + + return queue; +} + NSError *errorWithMessage(NSString *message) { NSDictionary *errorInfo = @{NSLocalizedDescriptionKey: message}; @@ -43,10 +56,20 @@ + (void)loadImageWithTag:(NSString *)imageTag callback:(void (^)(NSError *error, if ([imageTag hasPrefix:@"assets-library"]) { [[RCTImageLoader assetsLibrary] assetForURL:[NSURL URLWithString:imageTag] resultBlock:^(ALAsset *asset) { if (asset) { - ALAssetRepresentation *representation = [asset defaultRepresentation]; - ALAssetOrientation orientation = [representation orientation]; - UIImage *image = [UIImage imageWithCGImage:[representation fullResolutionImage] scale:1.0f orientation:(UIImageOrientation)orientation]; - callback(nil, image); + // ALAssetLibrary API is async and will be multi-threaded. Loading a few full + // resolution images at once will spike the memory up to store the image data, + // and might trigger memory warnings and/or OOM crashes. + // To improve this, process the loaded asset in a serial queue. + dispatch_async(RCTImageLoaderQueue(), ^{ + // Also make sure the image is released immediately after it's used so it + // doesn't spike the memory up during the process. + @autoreleasepool { + ALAssetRepresentation *representation = [asset defaultRepresentation]; + ALAssetOrientation orientation = [representation orientation]; + UIImage *image = [UIImage imageWithCGImage:[representation fullResolutionImage] scale:1.0f orientation:(UIImageOrientation)orientation]; + callback(nil, image); + } + }); } else { NSString *errorText = [NSString stringWithFormat:@"Failed to load asset at URL %@ with no error message.", imageTag]; NSError *error = errorWithMessage(errorText); diff --git a/Libraries/Interaction/InteractionManager.js b/Libraries/Interaction/InteractionManager.js index 6aef690dd16a8b..93c384d23ec2c9 100644 --- a/Libraries/Interaction/InteractionManager.js +++ b/Libraries/Interaction/InteractionManager.js @@ -119,6 +119,8 @@ function scheduleUpdate() { * Notify listeners, process queue, etc */ function processUpdate() { + _nextUpdateHandle = null; + var interactionCount = _interactionSet.size; _addInteractionSet.forEach(handle => _interactionSet.add(handle) @@ -138,12 +140,13 @@ function processUpdate() { // process the queue regardless of a transition if (nextInteractionCount === 0) { - _queue.forEach(callback => { + var queue = _queue; + _queue = []; + queue.forEach(callback => { ErrorUtils.applyWithGuard(callback); }); - _queue = []; } - _nextUpdateHandle = null; + _addInteractionSet.clear(); _deleteInteractionSet.clear(); } diff --git a/Libraries/JavaScriptAppEngine/Initialization/loadSourceMap.js b/Libraries/JavaScriptAppEngine/Initialization/loadSourceMap.js index 9ecf2543b94d44..25d0194dc88318 100644 --- a/Libraries/JavaScriptAppEngine/Initialization/loadSourceMap.js +++ b/Libraries/JavaScriptAppEngine/Initialization/loadSourceMap.js @@ -7,7 +7,7 @@ * of patent rights can be found in the PATENTS file in the same directory. * * @providesModule loadSourceMap - * @flow + * -- disabled flow due to mysterious validation errors -- */ 'use strict'; diff --git a/Libraries/Promise.js b/Libraries/Promise.js new file mode 100644 index 00000000000000..7cef2042332edc --- /dev/null +++ b/Libraries/Promise.js @@ -0,0 +1,37 @@ +/** + * + * Copyright 2013-2014 Facebook, Inc. + * + * Licensed under the Apache License, Version 2.0 (the "License"); + * you may not use this file except in compliance with the License. + * You may obtain a copy of the License at + * + * http://www.apache.org/licenses/LICENSE-2.0 + * + * Unless required by applicable law or agreed to in writing, software + * distributed under the License is distributed on an "AS IS" BASIS, + * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. + * See the License for the specific language governing permissions and + * limitations under the License. + * + * @providesModule Promise + * + * This module wraps and augments the minimally ES6-compliant Promise + * implementation provided by the promise npm package. + */ + +'use strict'; + +global.setImmediate = require('setImmediate'); +var Promise = require('promise/setimmediate/es6-extensions'); +require('promise/setimmediate/done'); + +/** + * Handle either fulfillment or rejection with the same callback. + */ +Promise.prototype.finally = function(onSettled) { + return this.then(onSettled, onSettled); +}; + + +module.exports = Promise; diff --git a/Libraries/PushNotificationIOS/RCTPushNotificationManager.m b/Libraries/PushNotificationIOS/RCTPushNotificationManager.m index 17ceb204cf3bb1..90f2d878629092 100644 --- a/Libraries/PushNotificationIOS/RCTPushNotificationManager.m +++ b/Libraries/PushNotificationIOS/RCTPushNotificationManager.m @@ -85,31 +85,51 @@ - (void)handleRemoteNotificationReceived:(NSNotification *)notification RCT_EXPORT_METHOD(requestPermissions) { + Class _UIUserNotificationSettings; + if ((_UIUserNotificationSettings = NSClassFromString(@"UIUserNotificationSettings"))) { + UIUserNotificationType types = UIUserNotificationTypeSound | UIUserNotificationTypeBadge | UIUserNotificationTypeAlert; + UIUserNotificationSettings *notificationSettings = [_UIUserNotificationSettings settingsForTypes:types categories:nil]; + [[UIApplication sharedApplication] registerUserNotificationSettings:notificationSettings]; + } else { + #if __IPHONE_OS_VERSION_MIN_REQUIRED < __IPHONE_8_0 - // if we are targeting iOS 7, *and* the new UIUserNotificationSettings - // class is not available, then register using the old mechanism - if (![UIUserNotificationSettings class]) { [[UIApplication sharedApplication] registerForRemoteNotificationTypes: UIUserNotificationTypeBadge | UIUserNotificationTypeSound | UIUserNotificationTypeAlert]; - return; - } #endif - UIUserNotificationType types = UIUserNotificationTypeSound | UIUserNotificationTypeBadge | UIUserNotificationTypeAlert; - UIUserNotificationSettings *notificationSettings = [UIUserNotificationSettings settingsForTypes:types categories:nil]; - [[UIApplication sharedApplication] registerUserNotificationSettings:notificationSettings]; + } } RCT_EXPORT_METHOD(checkPermissions:(RCTResponseSenderBlock)callback) { - NSMutableDictionary *permissions = [[NSMutableDictionary alloc] init]; - UIUserNotificationType types = [[[UIApplication sharedApplication] currentUserNotificationSettings] types]; - permissions[@"alert"] = @((BOOL)(types & UIUserNotificationTypeAlert)); - permissions[@"badge"] = @((BOOL)(types & UIUserNotificationTypeBadge)); - permissions[@"sound"] = @((BOOL)(types & UIUserNotificationTypeSound)); +#if __IPHONE_OS_VERSION_MIN_REQUIRED < __IPHONE_8_0 + +#define UIUserNotificationTypeAlert UIRemoteNotificationTypeAlert +#define UIUserNotificationTypeBadge UIRemoteNotificationTypeBadge +#define UIUserNotificationTypeSound UIRemoteNotificationTypeSound + +#endif + + NSUInteger types; + if ([UIApplication instancesRespondToSelector:@selector(currentUserNotificationSettings)]) { + types = [[[UIApplication sharedApplication] currentUserNotificationSettings] types]; + } else { + +#if __IPHONE_OS_VERSION_MIN_REQUIRED < __IPHONE_8_0 + + types = [[UIApplication sharedApplication] enabledRemoteNotificationTypes]; + +#endif + + } + + NSMutableDictionary *permissions = [[NSMutableDictionary alloc] init]; + permissions[@"alert"] = @((types & UIUserNotificationTypeAlert) > 0); + permissions[@"badge"] = @((types & UIUserNotificationTypeBadge) > 0); + permissions[@"sound"] = @((types & UIUserNotificationTypeSound) > 0); callback(@[permissions]); } diff --git a/Libraries/RCTTest/RCTTestRunner.h b/Libraries/RCTTest/RCTTestRunner.h index 9d56202ceb95c4..1b37ba4920c5c9 100644 --- a/Libraries/RCTTest/RCTTestRunner.h +++ b/Libraries/RCTTest/RCTTestRunner.h @@ -10,36 +10,39 @@ #import /** - * Use the initRunnerForApp macro for typical usage. + * Use the RCTInitRunnerForApp macro for typical usage. * * Add this to your test target's gcc preprocessor macros: * * FB_REFERENCE_IMAGE_DIR="\"$(SOURCE_ROOT)/$(PROJECT_NAME)Tests/ReferenceImages\"" */ -#define initRunnerForApp(app__) [[RCTTestRunner alloc] initWithApp:(app__) referenceDir:@FB_REFERENCE_IMAGE_DIR] +#define RCTInitRunnerForApp(app__) [[RCTTestRunner alloc] initWithApp:(app__) referenceDir:@FB_REFERENCE_IMAGE_DIR] @interface RCTTestRunner : NSObject @property (nonatomic, assign) BOOL recordMode; -@property (nonatomic, copy) NSString *script; +@property (nonatomic, strong) NSURL *scriptURL; /** - * Initialize a runner. It's recommended that you use the initRunnerForApp macro instead of calling this directly. + * Initialize a runner. It's recommended that you use the RCTInitRunnerForApp + * macro instead of calling this directly. * * @param app The path to the app bundle without suffixes, e.g. IntegrationTests/IntegrationTestsApp - * @param referencesDir The path for snapshot references images. The initRunnerForApp macro uses + * @param referencesDir The path for snapshot references images. The RCTInitRunnerForApp macro uses * FB_REFERENCE_IMAGE_DIR for this automatically. */ - (instancetype)initWithApp:(NSString *)app referenceDir:(NSString *)referenceDir; /** - * Simplest runTest function simply mounts the specified JS module with no initialProps and waits for it to call + * Simplest runTest function simply mounts the specified JS module with no + * initialProps and waits for it to call * * RCTTestModule.markTestCompleted() * - * JS errors/exceptions and timeouts will fail the test. Snapshot tests call RCTTestModule.verifySnapshot whenever they - * want to verify what has been rendered (typically via requestAnimationFrame to make sure the latest state has been - * rendered in native. + * JS errors/exceptions and timeouts will fail the test. Snapshot tests call + * RCTTestModule.verifySnapshot whenever they want to verify what has been + * rendered (typically via requestAnimationFrame to make sure the latest state + * has been rendered in native. * * @param test Selector of the test, usually just `_cmd`. * @param moduleName Name of the JS component as registered by `AppRegistry.registerComponent` in JS. @@ -47,19 +50,21 @@ - (void)runTest:(SEL)test module:(NSString *)moduleName; /** - * Same as runTest:, but allows for passing initialProps for providing mock data or requesting different behaviors, and - * expectErrorRegex verifies that the error you expected was thrown. + * Same as runTest:, but allows for passing initialProps for providing mock data + * or requesting different behaviors, and expectErrorRegex verifies that the + * error you expected was thrown. * * @param test Selector of the test, usually just `_cmd`. * @param moduleName Name of the JS component as registered by `AppRegistry.registerComponent` in JS. * @param initialProps props that are passed into the component when rendered. * @param expectErrorRegex A regex that must match the error thrown. If no error is thrown, the test fails. */ -- (void)runTest:(SEL)test module:(NSString *)moduleName initialProps:(NSDictionary *)initialProps expectErrorRegex:(NSRegularExpression *)expectErrorRegex; +- (void)runTest:(SEL)test module:(NSString *)moduleName initialProps:(NSDictionary *)initialProps expectErrorRegex:(NSString *)expectErrorRegex; /** - * Same as runTest:, but allows for passing initialProps for providing mock data or requesting different behaviors, and - * expectErrorBlock provides arbitrary logic for processing errors (nil will cause any error to fail the test). + * Same as runTest:, but allows for passing initialProps for providing mock data + * or requesting different behaviors, and expectErrorBlock provides arbitrary + * logic for processing errors (nil will cause any error to fail the test). * * @param test Selector of the test, usually just `_cmd`. * @param moduleName Name of the JS component as registered by `AppRegistry.registerComponent` in JS. diff --git a/Libraries/RCTTest/RCTTestRunner.m b/Libraries/RCTTest/RCTTestRunner.m index 8cb5169c37a1be..9b3a7d3c89881b 100644 --- a/Libraries/RCTTest/RCTTestRunner.m +++ b/Libraries/RCTTest/RCTTestRunner.m @@ -29,7 +29,7 @@ - (instancetype)initWithApp:(NSString *)app referenceDir:(NSString *)referenceDi sanitizedAppName = [sanitizedAppName stringByReplacingOccurrencesOfString:@"\\" withString:@"-"]; _snapshotController = [[FBSnapshotTestController alloc] initWithTestName:sanitizedAppName]; _snapshotController.referenceImagesDirectory = referenceDir; - _script = [NSString stringWithFormat:@"http://localhost:8081/%@.includeRequire.runModule.bundle?dev=true", app]; + _scriptURL = [NSURL URLWithString:[NSString stringWithFormat:@"http://localhost:8081/%@.includeRequire.runModule.bundle?dev=true", app]]; } return self; } @@ -49,10 +49,11 @@ - (void)runTest:(SEL)test module:(NSString *)moduleName [self runTest:test module:moduleName initialProps:nil expectErrorBlock:nil]; } -- (void)runTest:(SEL)test module:(NSString *)moduleName initialProps:(NSDictionary *)initialProps expectErrorRegex:(NSRegularExpression *)errorRegex +- (void)runTest:(SEL)test module:(NSString *)moduleName + initialProps:(NSDictionary *)initialProps expectErrorRegex:(NSString *)errorRegex { [self runTest:test module:moduleName initialProps:initialProps expectErrorBlock:^BOOL(NSString *error){ - return [errorRegex numberOfMatchesInString:error options:0 range:NSMakeRange(0, [error length])] > 0; + return [error rangeOfString:errorRegex options:NSRegularExpressionSearch].location != NSNotFound; }]; } @@ -66,11 +67,12 @@ - (void)runTest:(SEL)test module:(NSString *)moduleName initialProps:(NSDictiona RCTTestModule *testModule = [[RCTTestModule alloc] initWithSnapshotController:_snapshotController view:nil]; testModule.testSelector = test; - RCTBridge *bridge = [[RCTBridge alloc] initWithBundlePath:_script - moduleProvider:^(){ - return @[testModule]; - } - launchOptions:nil]; + RCTBridge *bridge = [[RCTBridge alloc] initWithBundleURL:_scriptURL + moduleProvider:^(){ + return @[testModule]; + } + launchOptions:nil]; + RCTRootView *rootView = [[RCTRootView alloc] initWithBridge:bridge moduleName:moduleName]; testModule.view = rootView; diff --git a/Libraries/RCTWebSocketDebugger/RCTWebSocketExecutor.h b/Libraries/RCTWebSocketDebugger/RCTWebSocketExecutor.h index 52c1d4f15c5653..3fc062a37eb639 100644 --- a/Libraries/RCTWebSocketDebugger/RCTWebSocketExecutor.h +++ b/Libraries/RCTWebSocketDebugger/RCTWebSocketExecutor.h @@ -11,6 +11,6 @@ @interface RCTWebSocketExecutor : NSObject -- (instancetype)initWithURL:(NSURL *)url; +- (instancetype)initWithURL:(NSURL *)URL; @end diff --git a/Libraries/RCTWebSocketDebugger/RCTWebSocketExecutor.m b/Libraries/RCTWebSocketDebugger/RCTWebSocketExecutor.m index 2f74628c04659f..784c91e12768fa 100644 --- a/Libraries/RCTWebSocketDebugger/RCTWebSocketExecutor.m +++ b/Libraries/RCTWebSocketDebugger/RCTWebSocketExecutor.m @@ -10,6 +10,7 @@ #import "RCTWebSocketExecutor.h" #import "RCTLog.h" +#import "RCTSparseArray.h" #import "RCTUtils.h" #import "SRWebSocket.h" @@ -18,10 +19,11 @@ @interface RCTWebSocketExecutor () @end -@implementation RCTWebSocketExecutor { +@implementation RCTWebSocketExecutor +{ SRWebSocket *_socket; - NSOperationQueue *_jsQueue; - NSMutableDictionary *_callbacks; + dispatch_queue_t _jsQueue; + RCTSparseArray *_callbacks; dispatch_semaphore_t _socketOpenSemaphore; NSMutableDictionary *_injectedObjects; } @@ -31,23 +33,24 @@ - (instancetype)init return [self initWithURL:[NSURL URLWithString:@"http://localhost:8081/debugger-proxy"]]; } -- (instancetype)initWithURL:(NSURL *)url +- (instancetype)initWithURL:(NSURL *)URL { if (self = [super init]) { - _jsQueue = [[NSOperationQueue alloc] init]; - _jsQueue.maxConcurrentOperationCount = 1; - _socket = [[SRWebSocket alloc] initWithURL:url]; - _socket.delegate = self; - _callbacks = [NSMutableDictionary dictionary]; - _injectedObjects = [NSMutableDictionary dictionary]; - [_socket setDelegateOperationQueue:_jsQueue]; + _jsQueue = dispatch_queue_create("com.facebook.React.WebSocketExecutor", DISPATCH_QUEUE_SERIAL); + _socket = [[SRWebSocket alloc] initWithURL:URL]; + _socket.delegate = self; + _callbacks = [[RCTSparseArray alloc] init]; + _injectedObjects = [[NSMutableDictionary alloc] init]; + [_socket setDelegateDispatchQueue:_jsQueue]; - NSURL *startDevToolsURL = [NSURL URLWithString:@"/launch-chrome-devtools" relativeToURL:url]; + NSURL *startDevToolsURL = [NSURL URLWithString:@"/launch-chrome-devtools" relativeToURL:URL]; [NSURLConnection connectionWithRequest:[NSURLRequest requestWithURL:startDevToolsURL] delegate:nil]; if (![self connectToProxy]) { - RCTLogError(@"Connection to %@ timed out. Are you running node proxy? If you are running on the device check if you have the right IP address on `RCTWebSocketExecutor.m` file.", url); + RCTLogError(@"Connection to %@ timed out. Are you running node proxy? If \ + you are running on the device, check if you have the right IP \ + address in `RCTWebSocketExecutor.m`.", URL); [self invalidate]; return nil; } @@ -91,8 +94,8 @@ - (void)webSocket:(SRWebSocket *)webSocket didReceiveMessage:(id)message { NSError *error = nil; NSDictionary *reply = RCTJSONParse(message, &error); - NSUInteger messageID = [reply[@"replyID"] integerValue]; - WSMessageCallback callback = [_callbacks objectForKey:@(messageID)]; + NSNumber *messageID = reply[@"replyID"]; + WSMessageCallback callback = _callbacks[messageID]; if (callback) { callback(error, reply); } @@ -108,16 +111,11 @@ - (void)webSocket:(SRWebSocket *)webSocket didFailWithError:(NSError *)error RCTLogError(@"WebSocket connection failed with error %@", error); } -- (void)webSocket:(SRWebSocket *)webSocket didCloseWithCode:(NSInteger)code reason:(NSString *)reason wasClean:(BOOL)wasClean -{ - -} - - (void)sendMessage:(NSDictionary *)message waitForReply:(WSMessageCallback)callback { static NSUInteger lastID = 10000; - [_jsQueue addOperationWithBlock:^{ + dispatch_async(_jsQueue, ^{ if (!self.valid) { NSError *error = [NSError errorWithDomain:@"WS" code:1 userInfo:@{ NSLocalizedDescriptionKey: @"socket closed" @@ -126,19 +124,17 @@ - (void)sendMessage:(NSDictionary *)message waitForReply:(WSMessageCallback)call return; } - NSUInteger expectedID = lastID++; - - _callbacks[@(expectedID)] = [callback copy]; - + NSNumber *expectedID = @(lastID++); + _callbacks[expectedID] = [callback copy]; NSMutableDictionary *messageWithID = [message mutableCopy]; - messageWithID[@"id"] = @(expectedID); + messageWithID[@"id"] = expectedID; [_socket send:RCTJSONStringify(messageWithID, NULL)]; - }]; + }); } -- (void)executeApplicationScript:(NSString *)script sourceURL:(NSURL *)url onComplete:(RCTJavaScriptCompleteBlock)onComplete +- (void)executeApplicationScript:(NSString *)script sourceURL:(NSURL *)URL onComplete:(RCTJavaScriptCompleteBlock)onComplete { - NSDictionary *message = @{@"method": NSStringFromSelector(_cmd), @"url": [url absoluteString], @"inject": _injectedObjects}; + NSDictionary *message = @{@"method": NSStringFromSelector(_cmd), @"url": [URL absoluteString], @"inject": _injectedObjects}; [self sendMessage:message waitForReply:^(NSError *error, NSDictionary *reply) { onComplete(error); }]; @@ -147,7 +143,12 @@ - (void)executeApplicationScript:(NSString *)script sourceURL:(NSURL *)url onCom - (void)executeJSCall:(NSString *)name method:(NSString *)method arguments:(NSArray *)arguments callback:(RCTJavaScriptCallback)onComplete { RCTAssert(onComplete != nil, @"callback was missing for exec JS call"); - NSDictionary *message = @{@"method": NSStringFromSelector(_cmd), @"moduleName": name, @"moduleMethod": method, @"arguments": arguments}; + NSDictionary *message = @{ + @"method": NSStringFromSelector(_cmd), + @"moduleName": name, + @"moduleMethod": method, + @"arguments": arguments + }; [self sendMessage:message waitForReply:^(NSError *socketError, NSDictionary *reply) { if (socketError) { onComplete(nil, socketError); @@ -162,15 +163,14 @@ - (void)executeJSCall:(NSString *)name method:(NSString *)method arguments:(NSAr - (void)injectJSONText:(NSString *)script asGlobalObjectNamed:(NSString *)objectName callback:(RCTJavaScriptCompleteBlock)onComplete { - [_jsQueue addOperationWithBlock:^{ - [_injectedObjects setObject:script forKey:objectName]; + dispatch_async(_jsQueue, ^{ + _injectedObjects[objectName] = script; onComplete(nil); - }]; + }); } - (void)invalidate { - [_jsQueue cancelAllOperations]; _socket.delegate = nil; [_socket closeWithCode:1000 reason:@"Invalidated"]; _socket = nil; diff --git a/Libraries/Text/RCTText.m b/Libraries/Text/RCTText.m index 87c625cd37de00..84f6b85e1f0882 100644 --- a/Libraries/Text/RCTText.m +++ b/Libraries/Text/RCTText.m @@ -114,7 +114,9 @@ - (void)drawRect:(CGRect)rect - (NSNumber *)reactTagAtPoint:(CGPoint)point { CGFloat fraction; - NSUInteger characterIndex = [_layoutManager characterIndexForPoint:point inTextContainer:_textContainer fractionOfDistanceBetweenInsertionPoints:&fraction]; + NSUInteger characterIndex = [_layoutManager characterIndexForPoint:point + inTextContainer:_textContainer + fractionOfDistanceBetweenInsertionPoints:&fraction]; NSNumber *reactTag = nil; diff --git a/Libraries/vendor/core/ES6Promise.js b/Libraries/vendor/core/ES6Promise.js deleted file mode 100644 index acbf02773f5b8c..00000000000000 --- a/Libraries/vendor/core/ES6Promise.js +++ /dev/null @@ -1,364 +0,0 @@ -/** - * @generated SignedSource<> - * - * !!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!! - * !! This file is a check-in of a static_upstream project! !! - * !! !! - * !! You should not modify this file directly. Instead: !! - * !! 1) Use `fjs use-upstream` to temporarily replace this with !! - * !! the latest version from upstream. !! - * !! 2) Make your changes, test them, etc. !! - * !! 3) Use `fjs push-upstream` to copy your changes back to !! - * !! static_upstream. !! - * !!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!! - * - * Copyright 2013-2014 Facebook, Inc. - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - * - * @providesModule ES6Promise - * - * This module implements the minimum functionality necessary to comply - * with chapter 25.4 of the ES6 specification. Any extensions to Promise - * or Promise.prototype should be added in the Promise module. - * - * people.mozilla.org/~jorendorff/es6-draft.html#sec-promise-objects - */ - -module.exports = (function(global, undefined) { - 'use strict'; - - var setImmediate = require('setImmediate'); - - // These are the possible values for slots(promise).state. - var PENDING_STATE = 'pending'; - var FULFILLED_STATE = 'fulfilled'; - var REJECTED_STATE = 'rejected'; - - // The ES6 specification makes heavy use of a notion of internal slots. - // Some of these slots are best implemented as closure variables, such - // as the alreadySettled variable in createResolvingFunctions, which - // corresponds to the resolve.[[AlreadyResolved]].value property in the - // specification. Other slots are best implemented as properties of a - // slots object attached to the host object by a pseudo-private - // property. The latter kind of slots may be accessed by passing the - // host object (such as a Promise or a resolve/reject function object) - // to the slots function; e.g., the slots(promise).state slot, which - // corresponds to promise.[[PromiseState]] in the specification. - var slotsKey = '__slots$' + Math.random().toString(36).slice(2); - function slots(obj) { - var result = obj[slotsKey]; - if (!result) { - // In ES5+ environments, this property will be safely non-writable, - // non-configurable, and non-enumerable. This implementation does - // not logically rely on those niceties, however, so this code works - // just fine in pre-ES5 environments, too. - obj[slotsKey] = result = {}; - if (Object.defineProperty) try { - Object.defineProperty(obj, slotsKey, { value: result }); - } catch (definePropertyIsBrokenInIE8) {} - } - return result; - } - - // Reusable callback functions. The identify function is the default - // when onFulfilled is undefined or null, and the raise function is the - // default when onRejected is undefined or null. - function identity(x) { return x; } - function raise(x) { throw x; } - - /** - * When the Promise function is called with argument executor, the - * following steps are taken: - * people.mozilla.org/~jorendorff/es6-draft.html#sec-promise - * - * The executor argument must be a function object. It is called for - * initiating and reporting completion of the possibly deferred action - * represented by this Promise object. The executor is called with two - * arguments: resolve and reject. These are functions that may be used - * by the executor function to report eventual completion or failure of - * the deferred computation. Returning from the executor function does - * not mean that the deferred action has been completed, but only that - * the request to eventually perform the deferred action has been - * accepted. - * - * The resolve function that is passed to an executor function accepts a - * single argument. The executor code may eventually call the resolve - * function to indicate that it wishes to resolve the associated Promise - * object. The argument passed to the resolve function represents the - * eventual value of the deferred action and can be either the actual - * fulfillment value or another Promise object which will provide the - * value if it is fullfilled. - * - * The reject function that is passed to an executor function accepts a - * single argument. The executor code may eventually call the reject - * function to indicate that the associated Promise is rejected and will - * never be fulfilled. The argument passed to the reject function is - * used as the rejection value of the promise. Typically it will be an - * Error object. - * - * When Promise is called as a function rather than as a constructor, it - * initializes its this value with the internal state necessary to - * support the Promise.prototype methods. - * - * The Promise constructor is designed to be subclassable. It may be - * used as the value in an extends clause of a class - * definition. Subclass constructors that intend to inherit the - * specified Promise behaviour must include a super call to Promise, - * e.g. by invoking Promise.call(this, executor). - * - * people.mozilla.org/~jorendorff/es6-draft.html#sec-promise-constructor - */ - function Promise(executor) { - var promiseSlots = slots(this); - promiseSlots.state = PENDING_STATE; - promiseSlots.fulfillReactions = []; - promiseSlots.rejectReactions = []; - - var resolvingFunctions = createResolvingFunctions(this); - var reject = resolvingFunctions.reject; - - try { - executor(resolvingFunctions.resolve, reject); - } catch (err) { - reject(err); - } - } - - function createResolvingFunctions(promise) { - var alreadySettled = false; - - return { - resolve: function(resolution) { - if (!alreadySettled) { - alreadySettled = true; - - if (resolution === promise) { - return settlePromise( - promise, - REJECTED_STATE, - new TypeError('Cannot resolve promise with itself') - ); - } - - // To be treated as a Promise-like object, the resolution only - // needs to be an object with a callable .then method. - if (!resolution || - typeof resolution !== "object" || - typeof resolution.then !== "function") { - return settlePromise(promise, FULFILLED_STATE, resolution); - } - - var resolvingFunctions = createResolvingFunctions(promise); - var reject = resolvingFunctions.reject; - - try { - resolution.then(resolvingFunctions.resolve, reject); - } catch (err) { - reject(err); - } - } - }, - - reject: function(reason) { - if (!alreadySettled) { - alreadySettled = true; - settlePromise(promise, REJECTED_STATE, reason); - } - } - }; - } - - // This function unifies the FulfillPromise and RejectPromise functions - // defined in the ES6 specification. - function settlePromise(promise, state, result) { - var promiseSlots = slots(promise); - if (promiseSlots.state !== PENDING_STATE) { - throw new Error('Settling a ' + promiseSlots.state + ' promise'); - } - - var reactions; - if (state === FULFILLED_STATE) { - reactions = promiseSlots.fulfillReactions; - } else if (state === REJECTED_STATE) { - reactions = promiseSlots.rejectReactions; - } - - promiseSlots.result = result; - promiseSlots.fulfillReactions = undefined; - promiseSlots.rejectReactions = undefined; - promiseSlots.state = state; - - var count = reactions.length; - count && setImmediate(function() { - for (var i = 0; i < count; ++i) { - reactions[i](promiseSlots.result); - } - }); - } - - /** - * The Promise.all function returns a new promise which is fulfilled - * with an array of fulfillment values for the passed promises, or - * rejects with the reason of the first passed promise that rejects. It - * resoves all elements of the passed iterable to promises as it runs - * this algorithm. - * - * people.mozilla.org/~jorendorff/es6-draft.html#sec-promise.all - */ - Promise.all = function(array) { - var Promise = this; - return new Promise(function(resolve, reject) { - var results = []; - var remaining = 0; - array.forEach(function(element, index) { - ++remaining; // Array might be sparse. - Promise.resolve(element).then(function(result) { - if (!results.hasOwnProperty(index)) { - results[index] = result; - --remaining || resolve(results); - } - }, reject); - }); - remaining || resolve(results); - }); - }; - - /** - * The Promise.race function returns a new promise which is settled in - * the same way as the first passed promise to settle. It resolves all - * elements of the passed iterable to promises as it runs this - * algorithm. - * - * people.mozilla.org/~jorendorff/es6-draft.html#sec-promise.race - */ - Promise.race = function(array) { - var Promise = this; - return new Promise(function(resolve, reject) { - array.forEach(function(element) { - Promise.resolve(element).then(resolve, reject); - }); - }); - }; - - /** - * The Promise.resolve function returns either a new promise resolved - * with the passed argument, or the argument itself if the argument a - * promise produced by this construtor. - * - * people.mozilla.org/~jorendorff/es6-draft.html#sec-promise.resolve - */ - Promise.resolve = function(x) { - return x instanceof Promise && x.constructor === this - ? x // Refuse to create promises for promises. - : new this(function(resolve) { resolve(x); }); - }; - - /** - * The Promise.reject function returns a new promise rejected with the - * passed argument. - * - * people.mozilla.org/~jorendorff/es6-draft.html#sec-promise.reject - */ - Promise.reject = function(r) { - return new this(function(_, reject) { reject(r); }); - }; - - var Pp = Promise.prototype; - - /** - * When the .then method is called with arguments onFulfilled and - * onRejected, the following steps are taken: - * - * people.mozilla.org/~jorendorff/es6-draft.html#sec-promise.prototype.then - */ - Pp.then = function(onFulfilled, onRejected) { - var capabilityResolve; - var capabilityReject; - var capabilityPromise = new this.constructor(function(resolve, reject) { - capabilityResolve = resolve; - capabilityReject = reject; - }); - - if (typeof capabilityResolve !== "function") { - throw new TypeError('Uncallable Promise resolve function'); - } - - if (typeof capabilityReject !== "function") { - throw new TypeError('Uncallable Promise reject function'); - } - - if (onFulfilled === undefined || onFulfilled === null) { - onFulfilled = identity; - } - - if (onRejected === undefined || onRejected === null) { - onRejected = raise; - } - - var promiseSlots = slots(this); - var state = promiseSlots.state; - if (state === PENDING_STATE) { - promiseSlots.fulfillReactions.push(makeReaction( - capabilityResolve, - capabilityReject, - onFulfilled - )); - - promiseSlots.rejectReactions.push(makeReaction( - capabilityResolve, - capabilityReject, - onRejected - )); - - } else if (state === FULFILLED_STATE || state === REJECTED_STATE) { - setImmediate(makeReaction( - capabilityResolve, - capabilityReject, - state === FULFILLED_STATE ? onFulfilled : onRejected, - promiseSlots.result - )); - } - - return capabilityPromise; - }; - - function makeReaction(resolve, reject, handler, argument) { - var hasArgument = arguments.length > 3; - return function(result) { - try { - result = handler(hasArgument ? argument : result); - } catch (err) { - reject(err); - return; - } - resolve(result); - }; - } - - /** - * When the .catch method is called with argument onRejected, the - * following steps are taken: - * - * people.mozilla.org/~jorendorff/es6-draft.html#sec-promise.prototype.catch - */ - Pp['catch'] = function(onRejected) { - return this.then(undefined, onRejected); - }; - - Pp.toString = function() { - return '[object Promise]'; - }; - - return Promise; -}(/* jslint evil: true */ Function('return this')())); diff --git a/Libraries/vendor/core/Promise.js b/Libraries/vendor/core/Promise.js deleted file mode 100644 index 1593c0fd255b74..00000000000000 --- a/Libraries/vendor/core/Promise.js +++ /dev/null @@ -1,88 +0,0 @@ -/** - * @generated SignedSource<> - * - * !!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!! - * !! This file is a check-in of a static_upstream project! !! - * !! !! - * !! You should not modify this file directly. Instead: !! - * !! 1) Use `fjs use-upstream` to temporarily replace this with !! - * !! the latest version from upstream. !! - * !! 2) Make your changes, test them, etc. !! - * !! 3) Use `fjs push-upstream` to copy your changes back to !! - * !! static_upstream. !! - * !!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!! - * - * Copyright 2013-2014 Facebook, Inc. - * - * Licensed under the Apache License, Version 2.0 (the "License"); - * you may not use this file except in compliance with the License. - * You may obtain a copy of the License at - * - * http://www.apache.org/licenses/LICENSE-2.0 - * - * Unless required by applicable law or agreed to in writing, software - * distributed under the License is distributed on an "AS IS" BASIS, - * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. - * See the License for the specific language governing permissions and - * limitations under the License. - * - * @providesModule Promise - * - * This module wraps and augments the minimally ES6-compliant Promise - * implementation provided by the ES6Promise module. - */ - -var Promise = require('ES6Promise'); -var Pp = Promise.prototype; - -var invariant = require('invariant'); -var setImmediate = require('setImmediate'); -var throwImmediate = require('throwImmediate'); - -/** - * Handle either fulfillment or rejection with the same callback. - */ -Pp.finally = function(onSettled) { - return this.then(onSettled, onSettled); -}; - -/** - * Throw any unhandled error in a separate tick of the event loop. - */ -Pp.done = function(onFulfilled, onRejected) { - this.then(onFulfilled, onRejected).then(null, throwImmediate); -}; - -/** - * This function takes an object with promises as keys and returns a promise. - * The returned promise is resolved when all promises from the object are - * resolved and gets rejected when the first promise is rejected. - * - * EXAMPLE: - * var promisedMuffin = Promise.allObject({ - * dough: promisedDough, - * frosting: promisedFrosting - * }).then(function(results) { - * return combine(results.dough, results.frosting); - * }); - */ -Promise.allObject = function(/*object*/ promises) { - // Throw instead of warn here to make sure people use this only with object. - invariant( - !Array.isArray(promises), - 'expected an object, got an array instead' - ); - - var keys = Object.keys(promises); - return Promise.all(keys.map(function(key) { - return promises[key]; - })).then(function(values) { - var answers = {}; - values.forEach(function(value, i) { - answers[keys[i]] = value; - }); - return answers; - }); -}; - -module.exports = Promise; diff --git a/Libraries/vendor/react/browser/eventPlugins/PanResponder.js b/Libraries/vendor/react/browser/eventPlugins/PanResponder.js index b6c11c9bcc3cba..d2782cc370be56 100644 --- a/Libraries/vendor/react/browser/eventPlugins/PanResponder.js +++ b/Libraries/vendor/react/browser/eventPlugins/PanResponder.js @@ -64,7 +64,7 @@ var currentCentroidY = TouchHistoryMath.currentCentroidY; * // The accumulated gesture distance since becoming responder is * // gestureState.d{x,y} * }, - * onResponderTerminationRequest: (evt, gestureState) => true, + * onPanResponderTerminationRequest: (evt, gestureState) => true, * onPanResponderRelease: (evt, gestureState) => { * // The user has released all touches while this view is the * // responder. This typically means a gesture has succeeded diff --git a/React/Base/RCTAssert.h b/React/Base/RCTAssert.h index 2c5d82b739ccbb..7e73aed7d6ab33 100644 --- a/React/Base/RCTAssert.h +++ b/React/Base/RCTAssert.h @@ -9,35 +9,73 @@ #import -#define RCTErrorDomain @"RCTErrorDomain" +#ifdef __cplusplus +extern "C" { +#endif -#define RCTAssert(condition, message, ...) _RCTAssert((condition) != 0, message, ##__VA_ARGS__) -#define RCTCAssert(condition, message, ...) _RCTCAssert((condition) != 0, message, ##__VA_ARGS__) +/** + * By default, only raise an NSAssertion in debug mode + * (custom assert functions will still be called). + */ +#ifndef RCT_ASSERT +#if DEBUG +#define RCT_ASSERT 1 +#else +#define RCT_ASSERT 0 +#endif +#endif -typedef void (^RCTAssertFunction)(BOOL condition, NSString *message, ...); +/** + * The default error domain to be used for React errors. + */ +extern NSString *const RCTErrorDomain; -extern RCTAssertFunction RCTInjectedAssertFunction; -extern RCTAssertFunction RCTInjectedCAssertFunction; +/** + * A block signature to be used for custom assertion handling. + */ +typedef void (^RCTAssertFunction)( + BOOL condition, + NSString *fileName, + NSNumber *lineNumber, + NSString *function, + NSString *message +); -void RCTInjectAssertFunctions(RCTAssertFunction assertFunction, RCTAssertFunction cAssertFunction); +/** + * Private logging function - ignore this. + */ +void _RCTAssertFormat(BOOL, const char *, int, const char *, NSString *, ...) NS_FORMAT_FUNCTION(5,6); -#define _RCTAssert(condition, message, ...) \ -do { \ - if (RCTInjectedAssertFunction) { \ - RCTInjectedAssertFunction(condition, message, ##__VA_ARGS__); \ - } else { \ - NSAssert(condition, message, ##__VA_ARGS__); \ - } \ +/** + * This is the main assert macro that you should use. + */ +#define RCTAssert(condition, ...) do { BOOL pass = ((condition) != 0); \ +if (RCT_ASSERT && !pass) { [[NSAssertionHandler currentHandler] handleFailureInFunction:@(__func__) \ +file:@(__FILE__) lineNumber:__LINE__ description:__VA_ARGS__]; } \ +_RCTAssertFormat(pass, __FILE__, __LINE__, __func__, __VA_ARGS__); \ } while (false) -#define _RCTCAssert(condition, message, ...) \ -do { \ - if (RCTInjectedCAssertFunction) { \ - RCTInjectedCAssertFunction(condition, message, ##__VA_ARGS__); \ - } else { \ - NSCAssert(condition, message, ##__VA_ARGS__); \ - } \ -} while (false) +/** + * Convenience macro for asserting that we're running on main thread. + */ +#define RCTAssertMainThread() RCTAssert([NSThread isMainThread], \ +@"This function must be called on the main thread"); + +/** + * These methods get and set the current assert function called by the RCTAssert + * macros. You can use these to replace the standard behavior with custom log + * functionality. + */ +void RCTSetAssertFunction(RCTAssertFunction assertFunction); +RCTAssertFunction RCTGetAssertFunction(void); + +/** + * This appends additional code to the existing assert function, without + * replacing the existing functionality. Useful if you just want to forward + * assert info to an extra service without changing the default behavior. + */ +void RCTAddAssertFunction(RCTAssertFunction assertFunction); -#define RCTAssertMainThread() RCTAssert([NSThread isMainThread], @"This method must be called on the main thread"); -#define RCTCAssertMainThread() RCTCAssert([NSThread isMainThread], @"This function must be called on the main thread"); +#ifdef __cplusplus +} +#endif diff --git a/React/Base/RCTAssert.m b/React/Base/RCTAssert.m index 378cb244bbd079..86d71cd80af37c 100644 --- a/React/Base/RCTAssert.m +++ b/React/Base/RCTAssert.m @@ -9,11 +9,54 @@ #import "RCTAssert.h" -RCTAssertFunction RCTInjectedAssertFunction = nil; -RCTAssertFunction RCTInjectedCAssertFunction = nil; +NSString *const RCTErrorDomain = @"RCTErrorDomain"; -void RCTInjectAssertFunctions(RCTAssertFunction assertFunction, RCTAssertFunction cAssertFunction) +RCTAssertFunction RCTCurrentAssertFunction = nil; + +void _RCTAssertFormat( + BOOL condition, + const char *fileName, + int lineNumber, + const char *function, + NSString *format, ...) { - RCTInjectedAssertFunction = assertFunction; - RCTInjectedCAssertFunction = cAssertFunction; + if (RCTCurrentAssertFunction) { + + va_list args; + va_start(args, format); + NSString *message = [[NSString alloc] initWithFormat:format arguments:args]; + va_end(args); + + RCTCurrentAssertFunction( + condition, @(fileName), @(lineNumber), @(function), message + ); + } +} + +void RCTSetAssertFunction(RCTAssertFunction assertFunction) +{ + RCTCurrentAssertFunction = assertFunction; +} + +RCTAssertFunction RCTGetAssertFunction(void) +{ + return RCTCurrentAssertFunction; +} + +void RCTAddAssertFunction(RCTAssertFunction assertFunction) +{ + RCTAssertFunction existing = RCTCurrentAssertFunction; + if (existing) { + RCTCurrentAssertFunction = ^(BOOL condition, + NSString *fileName, + NSNumber *lineNumber, + NSString *function, + NSString *message) { + + existing(condition, fileName, lineNumber, function, message); + assertFunction(condition, fileName, lineNumber, function, message); + }; + } else { + RCTCurrentAssertFunction = assertFunction; + } } diff --git a/React/Base/RCTBridge.h b/React/Base/RCTBridge.h index f5c21bb3cbbde0..ab853851ca31e6 100644 --- a/React/Base/RCTBridge.h +++ b/React/Base/RCTBridge.h @@ -10,12 +10,23 @@ #import #import "RCTBridgeModule.h" +#import "RCTFrameUpdate.h" #import "RCTInvalidating.h" #import "RCTJavaScriptExecutor.h" @class RCTBridge; @class RCTEventDispatcher; +/** + * This notification triggers a reload of all bridges currently running. + */ +extern NSString *const RCTReloadNotification; + +/** + * This notification fires when the bridge has finished loading. + */ +extern NSString *const RCTJavaScriptDidLoadNotification; + /** * This block can be used to instantiate modules that require additional * init parameters, or additional configuration prior to being used. @@ -44,9 +55,9 @@ extern NSString *RCTBridgeModuleNameForClass(Class bridgeModuleClass); * array of pre-initialized module instances if they require additional init * parameters or configuration. */ -- (instancetype)initWithBundlePath:(NSString *)bundlepath - moduleProvider:(RCTBridgeModuleProviderBlock)block - launchOptions:(NSDictionary *)launchOptions NS_DESIGNATED_INITIALIZER; +- (instancetype)initWithBundleURL:(NSURL *)bundleURL + moduleProvider:(RCTBridgeModuleProviderBlock)block + launchOptions:(NSDictionary *)launchOptions NS_DESIGNATED_INITIALIZER; /** * This method is used to call functions in the JavaScript application context. @@ -105,11 +116,21 @@ static const char *__rct_import_##module##_##method##__ = #module"."#method; /** * Use this to check if the bridge is currently loading. */ -@property (nonatomic, readonly, getter=isLoaded) BOOL loaded; +@property (nonatomic, readonly, getter=isLoading) BOOL loading; /** * Reload the bundle and reset executor and modules. */ - (void)reload; +/** + * Add a new observer that will be called on every screen refresh + */ +- (void)addFrameUpdateObserver:(id)observer; + +/** + * Stop receiving screen refresh updates for the given observer + */ +- (void)removeFrameUpdateObserver:(id)observer; + @end diff --git a/React/Base/RCTBridge.m b/React/Base/RCTBridge.m index b9cee66c3159e3..8aa83723c5ed36 100644 --- a/React/Base/RCTBridge.m +++ b/React/Base/RCTBridge.m @@ -27,6 +27,9 @@ #import "RCTSparseArray.h" #import "RCTUtils.h" +NSString *const RCTReloadNotification = @"RCTReloadNotification"; +NSString *const RCTJavaScriptDidLoadNotification = @"RCTJavaScriptDidLoadNotification"; + /** * Must be kept in sync with `MessageQueue.js`. */ @@ -144,9 +147,9 @@ typedef NS_ENUM(NSUInteger, RCTBridgeFields) { // Get class Class cls = NSClassFromString(moduleClassName); - RCTCAssert([cls conformsToProtocol:@protocol(RCTBridgeModule)], - @"%@ does not conform to the RCTBridgeModule protocol", - NSStringFromClass(cls)); + RCTAssert([cls conformsToProtocol:@protocol(RCTBridgeModule)], + @"%@ does not conform to the RCTBridgeModule protocol", + NSStringFromClass(cls)); // Register module [(NSMutableArray *)RCTModuleNamesByID addObject:RCTBridgeModuleNameForClass(cls)]; @@ -216,7 +219,8 @@ @implementation RCTModuleMethod static Class _globalExecutorClass; -NS_INLINE NSString *RCTStringUpToFirstArgument(NSString *methodName) { +static NSString *RCTStringUpToFirstArgument(NSString *methodName) +{ NSRange colonRange = [methodName rangeOfString:@":"]; if (colonRange.length) { methodName = [methodName substringToIndex:colonRange.location]; @@ -224,12 +228,13 @@ @implementation RCTModuleMethod return methodName; } -- (instancetype)initWithMethodName:(NSString *)methodName - JSMethodName:(NSString *)JSMethodName +- (instancetype)initWithReactMethodName:(NSString *)reactMethodName + objCMethodName:(NSString *)objCMethodName + JSMethodName:(NSString *)JSMethodName { if ((self = [super init])) { - _methodName = methodName; - NSArray *parts = [[methodName substringWithRange:(NSRange){2, methodName.length - 3}] componentsSeparatedByString:@" "]; + _methodName = reactMethodName; + NSArray *parts = [[reactMethodName substringWithRange:(NSRange){2, reactMethodName.length - 3}] componentsSeparatedByString:@" "]; // Parse class and method _moduleClassName = parts[0]; @@ -243,7 +248,7 @@ - (instancetype)initWithMethodName:(NSString *)methodName // New format NSString *selectorString = [parts[1] substringFromIndex:14]; _selector = NSSelectorFromString(selectorString); - _JSMethodName = RCTStringUpToFirstArgument(selectorString); + _JSMethodName = JSMethodName ?: RCTStringUpToFirstArgument(selectorString); static NSRegularExpression *regExp; if (!regExp) { @@ -255,8 +260,8 @@ - (instancetype)initWithMethodName:(NSString *)methodName } argumentNames = [NSMutableArray array]; - [regExp enumerateMatchesInString:JSMethodName options:0 range:NSMakeRange(0, JSMethodName.length) usingBlock:^(NSTextCheckingResult *result, NSMatchingFlags flags, BOOL *stop) { - NSString *argumentName = [JSMethodName substringWithRange:[result rangeAtIndex:1]]; + [regExp enumerateMatchesInString:objCMethodName options:0 range:NSMakeRange(0, objCMethodName.length) usingBlock:^(NSTextCheckingResult *result, NSMatchingFlags flags, BOOL *stop) { + NSString *argumentName = [objCMethodName substringWithRange:[result rangeAtIndex:1]]; [(NSMutableArray *)argumentNames addObject:argumentName]; }]; } else { @@ -267,30 +272,31 @@ - (instancetype)initWithMethodName:(NSString *)methodName } // Extract class and method details - _isClassMethod = [methodName characterAtIndex:0] == '+'; + _isClassMethod = [reactMethodName characterAtIndex:0] == '+'; _moduleClass = NSClassFromString(_moduleClassName); #if DEBUG + // Sanity check RCTAssert([_moduleClass conformsToProtocol:@protocol(RCTBridgeModule)], @"You are attempting to export the method %@, but %@ does not \ - conform to the RCTBridgeModule Protocol", methodName, _moduleClassName); + conform to the RCTBridgeModule Protocol", objCMethodName, _moduleClassName); #endif // Get method signature _methodSignature = _isClassMethod ? - [_moduleClass methodSignatureForSelector:_selector] : - [_moduleClass instanceMethodSignatureForSelector:_selector]; + [_moduleClass methodSignatureForSelector:_selector] : + [_moduleClass instanceMethodSignatureForSelector:_selector]; // Process arguments NSUInteger numberOfArguments = _methodSignature.numberOfArguments; NSMutableArray *argumentBlocks = [[NSMutableArray alloc] initWithCapacity:numberOfArguments - 2]; #define RCT_ARG_BLOCK(_logic) \ - [argumentBlocks addObject:^(RCTBridge *bridge, NSInvocation *invocation, NSUInteger index, id json) { \ - _logic \ - [invocation setArgument:&value atIndex:index]; \ - }]; \ + [argumentBlocks addObject:^(RCTBridge *bridge, NSInvocation *invocation, NSUInteger index, id json) { \ + _logic \ + [invocation setArgument:&value atIndex:index]; \ + }]; \ void (^addBlockArgument)(void) = ^{ RCT_ARG_BLOCK( @@ -330,29 +336,29 @@ - (instancetype)initWithMethodName:(NSString *)methodName switch (argumentType[0]) { #define RCT_CONVERT_CASE(_value, _type) \ - case _value: { \ - _type (*convert)(id, SEL, id) = (typeof(convert))[RCTConvert methodForSelector:selector]; \ - RCT_ARG_BLOCK( _type value = convert([RCTConvert class], selector, json); ) \ - break; \ - } - - RCT_CONVERT_CASE(':', SEL) - RCT_CONVERT_CASE('*', const char *) - RCT_CONVERT_CASE('c', char) - RCT_CONVERT_CASE('C', unsigned char) - RCT_CONVERT_CASE('s', short) - RCT_CONVERT_CASE('S', unsigned short) - RCT_CONVERT_CASE('i', int) - RCT_CONVERT_CASE('I', unsigned int) - RCT_CONVERT_CASE('l', long) - RCT_CONVERT_CASE('L', unsigned long) - RCT_CONVERT_CASE('q', long long) - RCT_CONVERT_CASE('Q', unsigned long long) - RCT_CONVERT_CASE('f', float) - RCT_CONVERT_CASE('d', double) - RCT_CONVERT_CASE('B', BOOL) - RCT_CONVERT_CASE('@', id) - RCT_CONVERT_CASE('^', void *) + case _value: { \ + _type (*convert)(id, SEL, id) = (typeof(convert))[RCTConvert methodForSelector:selector]; \ + RCT_ARG_BLOCK( _type value = convert([RCTConvert class], selector, json); ) \ + break; \ + } + + RCT_CONVERT_CASE(':', SEL) + RCT_CONVERT_CASE('*', const char *) + RCT_CONVERT_CASE('c', char) + RCT_CONVERT_CASE('C', unsigned char) + RCT_CONVERT_CASE('s', short) + RCT_CONVERT_CASE('S', unsigned short) + RCT_CONVERT_CASE('i', int) + RCT_CONVERT_CASE('I', unsigned int) + RCT_CONVERT_CASE('l', long) + RCT_CONVERT_CASE('L', unsigned long) + RCT_CONVERT_CASE('q', long long) + RCT_CONVERT_CASE('Q', unsigned long long) + RCT_CONVERT_CASE('f', float) + RCT_CONVERT_CASE('d', double) + RCT_CONVERT_CASE('B', BOOL) + RCT_CONVERT_CASE('@', id) + RCT_CONVERT_CASE('^', void *) default: defaultCase(argumentType); @@ -368,47 +374,47 @@ - (instancetype)initWithMethodName:(NSString *)methodName switch (argumentType[0]) { #define RCT_CASE(_value, _class, _logic) \ - case _value: { \ - RCT_ARG_BLOCK( \ - if (json && ![json isKindOfClass:[_class class]]) { \ - RCTLogError(@"Argument %tu (%@) of %@.%@ should be of type %@", index, \ - json, RCTBridgeModuleNameForClass(_moduleClass), _JSMethodName, [_class class]); \ - return; \ - } \ - _logic \ - ) \ - break; \ - } + case _value: { \ + RCT_ARG_BLOCK( \ + if (json && ![json isKindOfClass:[_class class]]) { \ + RCTLogError(@"Argument %tu (%@) of %@.%@ should be of type %@", index, \ + json, RCTBridgeModuleNameForClass(_moduleClass), _JSMethodName, [_class class]); \ + return; \ + } \ + _logic \ + ) \ + break; \ + } - RCT_CASE(':', NSString, SEL value = NSSelectorFromString(json); ) - RCT_CASE('*', NSString, const char *value = [json UTF8String]; ) + RCT_CASE(':', NSString, SEL value = NSSelectorFromString(json); ) + RCT_CASE('*', NSString, const char *value = [json UTF8String]; ) #define RCT_SIMPLE_CASE(_value, _type, _selector) \ - case _value: { \ - RCT_ARG_BLOCK( \ - if (json && ![json respondsToSelector:@selector(_selector)]) { \ - RCTLogError(@"Argument %tu (%@) of %@.%@ does not respond to selector: %@", \ - index, json, RCTBridgeModuleNameForClass(_moduleClass), _JSMethodName, @#_selector); \ - return; \ - } \ - _type value = [json _selector]; \ - ) \ - break; \ - } + case _value: { \ + RCT_ARG_BLOCK( \ + if (json && ![json respondsToSelector:@selector(_selector)]) { \ + RCTLogError(@"Argument %tu (%@) of %@.%@ does not respond to selector: %@", \ + index, json, RCTBridgeModuleNameForClass(_moduleClass), _JSMethodName, @#_selector); \ + return; \ + } \ + _type value = [json _selector]; \ + ) \ + break; \ + } - RCT_SIMPLE_CASE('c', char, charValue) - RCT_SIMPLE_CASE('C', unsigned char, unsignedCharValue) - RCT_SIMPLE_CASE('s', short, shortValue) - RCT_SIMPLE_CASE('S', unsigned short, unsignedShortValue) - RCT_SIMPLE_CASE('i', int, intValue) - RCT_SIMPLE_CASE('I', unsigned int, unsignedIntValue) - RCT_SIMPLE_CASE('l', long, longValue) - RCT_SIMPLE_CASE('L', unsigned long, unsignedLongValue) - RCT_SIMPLE_CASE('q', long long, longLongValue) - RCT_SIMPLE_CASE('Q', unsigned long long, unsignedLongLongValue) - RCT_SIMPLE_CASE('f', float, floatValue) - RCT_SIMPLE_CASE('d', double, doubleValue) - RCT_SIMPLE_CASE('B', BOOL, boolValue) + RCT_SIMPLE_CASE('c', char, charValue) + RCT_SIMPLE_CASE('C', unsigned char, unsignedCharValue) + RCT_SIMPLE_CASE('s', short, shortValue) + RCT_SIMPLE_CASE('S', unsigned short, unsignedShortValue) + RCT_SIMPLE_CASE('i', int, intValue) + RCT_SIMPLE_CASE('I', unsigned int, unsignedIntValue) + RCT_SIMPLE_CASE('l', long, longValue) + RCT_SIMPLE_CASE('L', unsigned long, unsignedLongValue) + RCT_SIMPLE_CASE('q', long long, longLongValue) + RCT_SIMPLE_CASE('Q', unsigned long long, unsignedLongLongValue) + RCT_SIMPLE_CASE('f', float, floatValue) + RCT_SIMPLE_CASE('d', double, doubleValue) + RCT_SIMPLE_CASE('B', BOOL, boolValue) default: defaultCase(argumentType); @@ -429,6 +435,7 @@ - (void)invokeWithBridge:(RCTBridge *)bridge { #if DEBUG + // Sanity check RCTAssert([module class] == _moduleClass, @"Attempted to invoke method \ %@ on a module of class %@", _methodName, [module class]); @@ -493,20 +500,29 @@ - (NSString *)description for (RCTHeaderValue addr = section->offset; addr < section->offset + section->size; - addr += sizeof(const char **) * 2) { + addr += sizeof(const char **) * 3) { // Get data entry const char **entries = (const char **)(mach_header + addr); // Create method - RCTModuleMethod *moduleMethod = - [[RCTModuleMethod alloc] initWithMethodName:@(entries[0]) - JSMethodName:strlen(entries[1]) ? @(entries[1]) : nil]; + RCTModuleMethod *moduleMethod; + if (entries[2] == NULL) { + + // Legacy support for RCT_EXPORT() + moduleMethod = [[RCTModuleMethod alloc] initWithReactMethodName:@(entries[0]) + objCMethodName:@(entries[0]) + JSMethodName:strlen(entries[1]) ? @(entries[1]) : nil]; + } else { + moduleMethod = [[RCTModuleMethod alloc] initWithReactMethodName:@(entries[0]) + objCMethodName:strlen(entries[1]) ? @(entries[1]) : nil + JSMethodName:strlen(entries[2]) ? @(entries[2]) : nil]; + } // Cache method NSArray *methods = methodsByModuleClassName[moduleMethod.moduleClassName]; methodsByModuleClassName[moduleMethod.moduleClassName] = - methods ? [methods arrayByAddingObject:moduleMethod] : @[moduleMethod]; + methods ? [methods arrayByAddingObject:moduleMethod] : @[moduleMethod]; } methodsByModuleID = [[RCTSparseArray alloc] initWithCapacity:[classes count]]; @@ -629,7 +645,7 @@ - (NSString *)description for (NSString *moduleDotMethod in RCTJSMethods()) { NSArray *parts = [moduleDotMethod componentsSeparatedByString:@"."]; - RCTCAssert(parts.count == 2, @"'%@' is not a valid JS method definition - expected 'Module.method' format.", moduleDotMethod); + RCTAssert(parts.count == 2, @"'%@' is not a valid JS method definition - expected 'Module.method' format.", moduleDotMethod); // Add module if it doesn't already exist NSString *moduleName = parts[0]; @@ -661,28 +677,96 @@ - (NSString *)description return localModules; } +@interface RCTDisplayLink : NSObject + +- (instancetype)initWithBridge:(RCTBridge *)bridge NS_DESIGNATED_INITIALIZER; + +@end + +@interface RCTBridge (RCTDisplayLink) + +- (void)_update:(CADisplayLink *)displayLink; + +@end + +@implementation RCTDisplayLink +{ + __weak RCTBridge *_bridge; + CADisplayLink *_displayLink; +} + +- (instancetype)initWithBridge:(RCTBridge *)bridge +{ + if ((self = [super init])) { + _bridge = bridge; + _displayLink = [CADisplayLink displayLinkWithTarget:self selector:@selector(_update:)]; + [_displayLink addToRunLoop:[NSRunLoop mainRunLoop] forMode:NSRunLoopCommonModes]; + } + return self; +} + +- (BOOL)isValid +{ + return _displayLink != nil; +} + +- (void)invalidate +{ + if (self.isValid) { + [_displayLink invalidate]; + _displayLink = nil; + } +} + +- (void)_update:(CADisplayLink *)displayLink +{ + [_bridge _update:displayLink]; +} + +@end + +@interface RCTFrameUpdate (Private) + +- (instancetype)initWithDisplayLink:(CADisplayLink *)displayLink; + +@end + +@implementation RCTFrameUpdate + +- (instancetype)initWithDisplayLink:(CADisplayLink *)displayLink +{ + if ((self = [super init])) { + _timestamp = displayLink.timestamp; + _deltaTime = displayLink.duration; + } + return self; +} + +@end + @implementation RCTBridge { RCTSparseArray *_modulesByID; NSDictionary *_modulesByName; id _javaScriptExecutor; Class _executorClass; - NSString *_bundlePath; - NSDictionary *_launchOptions; + NSURL *_bundleURL; RCTBridgeModuleProviderBlock _moduleProvider; - BOOL _loaded; + RCTDisplayLink *_displayLink; + NSMutableSet *_frameUpdateObservers; + BOOL _loading; } static id _latestJSExecutor; -- (instancetype)initWithBundlePath:(NSString *)bundlePath - moduleProvider:(RCTBridgeModuleProviderBlock)block - launchOptions:(NSDictionary *)launchOptions +- (instancetype)initWithBundleURL:(NSURL *)bundleURL + moduleProvider:(RCTBridgeModuleProviderBlock)block + launchOptions:(NSDictionary *)launchOptions { if ((self = [super init])) { - _bundlePath = bundlePath; + _bundleURL = bundleURL; _moduleProvider = block; - _launchOptions = launchOptions; + _launchOptions = [launchOptions copy]; [self setUp]; [self bindKeys]; } @@ -695,7 +779,9 @@ - (void)setUp _javaScriptExecutor = [[executorClass alloc] init]; _latestJSExecutor = _javaScriptExecutor; _eventDispatcher = [[RCTEventDispatcher alloc] initWithBridge:self]; - _shadowQueue = dispatch_queue_create("com.facebook.ReactKit.ShadowQueue", DISPATCH_QUEUE_SERIAL); + _shadowQueue = dispatch_queue_create("com.facebook.React.ShadowQueue", DISPATCH_QUEUE_SERIAL); + _displayLink = [[RCTDisplayLink alloc] initWithBridge:self]; + _frameUpdateObservers = [[NSMutableSet alloc] init]; // Register passed-in module instances NSMutableDictionary *preregisteredModules = [[NSMutableDictionary alloc] init]; @@ -739,25 +825,29 @@ - (void)setUp // Inject module data into JS context NSString *configJSON = RCTJSONStringify(@{ - @"remoteModuleConfig": RCTRemoteModulesConfig(_modulesByName), - @"localModulesConfig": RCTLocalModulesConfig() - }, NULL); + @"remoteModuleConfig": RCTRemoteModulesConfig(_modulesByName), + @"localModulesConfig": RCTLocalModulesConfig() + }, NULL); dispatch_semaphore_t semaphore = dispatch_semaphore_create(0); - [_javaScriptExecutor injectJSONText:configJSON asGlobalObjectNamed:@"__fbBatchedBridgeConfig" callback:^(id err) { - dispatch_semaphore_signal(semaphore); - }]; - + [_javaScriptExecutor injectJSONText:configJSON + asGlobalObjectNamed:@"__fbBatchedBridgeConfig" callback:^(id err) { + dispatch_semaphore_signal(semaphore); + }]; + _loading = YES; if (_javaScriptExecutor == nil) { + /** - * HACK (tadeu): If it failed to connect to the debugger, set loaded to true so we can - * reload + * HACK (tadeu): If it failed to connect to the debugger, set loading to NO + * so we can attempt to reload again. */ - _loaded = YES; - } else if (_bundlePath != nil) { // Allow testing without a script + _loading = NO; + + } else if (_bundleURL) { // Allow testing without a script + RCTJavaScriptLoader *loader = [[RCTJavaScriptLoader alloc] initWithBridge:self]; - [loader loadBundleAtURL:[NSURL URLWithString:_bundlePath] onComplete:^(NSError *error) { - _loaded = YES; + [loader loadBundleAtURL:_bundleURL onComplete:^(NSError *error) { + _loading = NO; if (error != nil) { NSArray *stack = [[error userInfo] objectForKey:@"stack"]; if (stack) { @@ -769,72 +859,80 @@ - (void)setUp } } else { [[NSNotificationCenter defaultCenter] postNotificationName:RCTJavaScriptDidLoadNotification - object:self]; + object:self]; + + [[NSNotificationCenter defaultCenter] addObserver:self + selector:@selector(reload) + name:RCTReloadNotification + object:nil]; } [[NSNotificationCenter defaultCenter] addObserver:self - selector:@selector(reload) - name:RCTReloadNotification - object:nil]; + selector:@selector(reload) + name:RCTReloadNotification + object:nil]; }]; } } - (void)bindKeys { + #if TARGET_IPHONE_SIMULATOR + __weak RCTBridge *weakSelf = self; + RCTKeyCommands *commands = [RCTKeyCommands sharedInstance]; - // Workaround around the first cmd+r not working: http://openradar.appspot.com/19613391 - // You can register just the cmd key and do nothing. This will trigger the bug and cmd+r + // Workaround around the first cmd+R not working: http://openradar.appspot.com/19613391 + // You can register just the cmd key and do nothing. This will trigger the bug and cmd+R // will work like a charm! - [[RCTKeyCommands sharedInstance] registerKeyCommandWithInput:@"" - modifierFlags:UIKeyModifierCommand - action:^(UIKeyCommand *command) { - // Do nothing - }]; - [[RCTKeyCommands sharedInstance] registerKeyCommandWithInput:@"r" - modifierFlags:UIKeyModifierCommand - action:^(UIKeyCommand *command) { - [weakSelf reload]; - }]; - [[RCTKeyCommands sharedInstance] registerKeyCommandWithInput:@"n" - modifierFlags:UIKeyModifierCommand - action:^(UIKeyCommand *command) { - RCTBridge *strongSelf = weakSelf; - if (!strongSelf) { - return; - } - strongSelf->_executorClass = Nil; - [strongSelf reload]; - }]; - [[RCTKeyCommands sharedInstance] registerKeyCommandWithInput:@"d" - modifierFlags:UIKeyModifierCommand - action:^(UIKeyCommand *command) { - RCTBridge *strongSelf = weakSelf; - if (!strongSelf) { - return; - } - strongSelf->_executorClass = NSClassFromString(@"RCTWebSocketExecutor"); - if (!strongSelf->_executorClass) { - RCTLogError(@"WebSocket debugger is not available. Did you forget to include RCTWebSocketExecutor?"); - } - [strongSelf reload]; - }]; + [commands registerKeyCommandWithInput:@"" + modifierFlags:UIKeyModifierCommand + action:NULL]; + // reload in current mode + [commands registerKeyCommandWithInput:@"r" + modifierFlags:UIKeyModifierCommand + action:^(UIKeyCommand *command) { + [weakSelf reload]; + }]; + // reset to normal mode + [commands registerKeyCommandWithInput:@"n" + modifierFlags:UIKeyModifierCommand + action:^(UIKeyCommand *command) { + __strong RCTBridge *strongSelf = weakSelf; + strongSelf.executorClass = Nil; + [strongSelf reload]; + }]; + // reload in debug mode + [commands registerKeyCommandWithInput:@"d" + modifierFlags:UIKeyModifierCommand + action:^(UIKeyCommand *command) { + __strong RCTBridge *strongSelf = weakSelf; + strongSelf.executorClass = NSClassFromString(@"RCTWebSocketExecutor"); + if (!strongSelf.executorClass) { + strongSelf.executorClass = NSClassFromString(@"RCTWebViewExecutor"); + } + if (!strongSelf.executorClass) { + RCTLogError(@"WebSocket debugger is not available. " + "Did you forget to include RCTWebSocketExecutor?"); + } + [strongSelf reload]; + }]; #endif + } - (NSDictionary *)modules { - RCTAssert(_modulesByName != nil, @"Bridge modules have not yet been initialized. \ - You may be trying to access a module too early in the startup procedure."); + RCTAssert(_modulesByName != nil, @"Bridge modules have not yet been initialized. " + "You may be trying to access a module too early in the startup procedure."); return _modulesByName; } - (void)dealloc { - RCTAssert(!self.valid, @"must call -invalidate before -dealloc"); + [self invalidate]; } #pragma mark - RCTInvalidating @@ -846,12 +944,16 @@ - (BOOL)isValid - (void)invalidate { - [[NSNotificationCenter defaultCenter] removeObserver:self]; + if (!self.isValid && _modulesByID == nil) { + return; + } - // Wait for queued methods to finish - dispatch_sync(self.shadowQueue, ^{ - // Make sure all dispatchers have been executed before continuing - }); + if (![NSThread isMainThread]) { + [self performSelectorOnMainThread:@selector(invalidate) withObject:nil waitUntilDone:YES]; + return; + } + + [[NSNotificationCenter defaultCenter] removeObserver:self]; // Release executor if (_latestJSExecutor == _javaScriptExecutor) { @@ -860,10 +962,8 @@ - (void)invalidate [_javaScriptExecutor invalidate]; _javaScriptExecutor = nil; - // Wait for queued methods to finish - dispatch_sync(self.shadowQueue, ^{ - // Make sure all dispatchers have been executed before continuing - }); + [_displayLink invalidate]; + _frameUpdateObservers = nil; // Invalidate modules for (id target in _modulesByID.allObjects) { @@ -875,7 +975,6 @@ - (void)invalidate // Release modules (breaks retain cycle if module has strong bridge reference) _modulesByID = nil; _modulesByName = nil; - _loaded = NO; } /** @@ -899,10 +998,10 @@ - (void)enqueueJSCall:(NSString *)moduleDotMethod args:(NSArray *)args NSNumber *methodID = RCTLocalMethodIDs[moduleDotMethod]; RCTAssert(methodID != nil, @"Method '%@' not registered.", moduleDotMethod); - if (self.loaded) { - [self _invokeAndProcessModule:@"BatchedBridge" - method:@"callFunctionReturnFlushedQueue" - arguments:@[moduleID, methodID, args ?: @[]]]; + if (!_loading) { + [self _invokeAndProcessModule:@"BatchedBridge" + method:@"callFunctionReturnFlushedQueue" + arguments:@[moduleID, methodID, args ?: @[]]]; } } @@ -1050,22 +1149,40 @@ - (BOOL)_handleRequestNumber:(NSUInteger)i return YES; } +- (void)_update:(CADisplayLink *)displayLink +{ + RCTFrameUpdate *frameUpdate = [[RCTFrameUpdate alloc] initWithDisplayLink:displayLink]; + for (id observer in _frameUpdateObservers) { + if (![observer respondsToSelector:@selector(isPaused)] || ![observer isPaused]) { + [observer didUpdateFrame:frameUpdate]; + } + } +} + +- (void)addFrameUpdateObserver:(id)observer +{ + [_frameUpdateObservers addObject:observer]; +} + +- (void)removeFrameUpdateObserver:(id)observer +{ + [_frameUpdateObservers removeObject:observer]; +} + - (void)reload { - if (_loaded) { + if (!_loading) { // If the bridge has not loaded yet, the context will be already invalid at // the time the javascript gets executed. // It will crash the javascript, and even the next `load` won't render. [self invalidate]; [self setUp]; - [[NSNotificationCenter defaultCenter] postNotificationName:RCTReloadViewsNotification - object:self]; } } + (void)logMessage:(NSString *)message level:(NSString *)level { - if (!_latestJSExecutor || ![_latestJSExecutor isValid]) { + if (![_latestJSExecutor isValid]) { return; } diff --git a/React/Base/RCTBridgeModule.h b/React/Base/RCTBridgeModule.h index 7fc526e35e6682..70d5c76d092138 100644 --- a/React/Base/RCTBridgeModule.h +++ b/React/Base/RCTBridgeModule.h @@ -29,57 +29,66 @@ typedef void (^RCTResponseSenderBlock)(NSArray *response); * will be set automatically by the bridge when it initializes the module. * To implement this in your module, just add @synthesize bridge = _bridge; */ -@property (nonatomic, strong) RCTBridge *bridge; +@property (nonatomic, weak) RCTBridge *bridge; /** - * Place this macro in your class implementation, to automatically register + * Place this macro in your class implementation to automatically register * your module with the bridge when it loads. The optional js_name argument * will be used as the JS module name. If omitted, the JS module name will * match the Objective-C class name. */ #define RCT_EXPORT_MODULE(js_name) \ -+ (NSString *)moduleName { __attribute__((used, section("__DATA,RCTExportModule" \ -))) static const char *__rct_export_entry__ = { __func__ }; return @#js_name; } \ - -/** - * Place this macro inside the method body of any method you want to expose - * to JS. The optional js_name argument will be used as the JS method name - * (the method will be namespaced to the module name, as specified above). - * If omitted, the JS method name will match the first part of the Objective-C - * method selector name (up to the first colon). - */ -#define RCT_EXPORT(js_name) \ - _Pragma("message(\"RCT_EXPORT is deprecated. Use RCT_EXPORT_METHOD instead.\")") \ - __attribute__((used, section("__DATA,RCTExport"))) \ - static const char *__rct_export_entry__[] = { __func__, #js_name } + + (NSString *)moduleName { __attribute__((used, section("__DATA,RCTExportModule" \ + ))) static const char *__rct_export_entry__ = { __func__ }; return @#js_name; } /** * Wrap the parameter line of your method implementation with this macro to - * expose it to JS. Unlike the deprecated RCT_EXPORT, this macro does not take - * a js_name argument and the exposed method will match the first part of the - * Objective-C method selector name (up to the first colon). + * expose it to JS. By default the exposed method will match the first part of + * the Objective-C method selector name (up to the first colon). Use + * RCT_REMAP_METHOD to specify the JS name of the method. * - * For example, in MyClass.m: + * For example, in ModuleName.m: * * - (void)doSomething:(NSString *)aString withA:(NSInteger)a andB:(NSInteger)b - * {} + * { ... } * * becomes * * RCT_EXPORT_METHOD(doSomething:(NSString *)aString * withA:(NSInteger)a * andB:(NSInteger)b) - * {} + * { ... } * * and is exposed to JavaScript as `NativeModules.ModuleName.doSomething`. */ #define RCT_EXPORT_METHOD(method) \ + RCT_REMAP_METHOD(, method) + +/** + * Similar to RCT_EXPORT_METHOD but lets you set the JS name of the exported + * method. Example usage: + * + * RCT_REMAP_METHOD(executeQueryWithParameters, + * executeQuery:(NSString *)query parameters:(NSDictionary *)parameters) + * { ... } + */ +#define RCT_REMAP_METHOD(js_name, method) \ - (void)__rct_export__##method { \ __attribute__((used, section("__DATA,RCTExport"))) \ - static const char *__rct_export_entry__[] = { __func__, #method }; \ + __attribute__((__aligned__(1))) \ + static const char *__rct_export_entry__[] = { __func__, #method, #js_name }; \ } \ - (void)method +/** + * Deprecated, do not use. + */ +#define RCT_EXPORT(js_name) \ + _Pragma("message(\"RCT_EXPORT is deprecated. Use RCT_EXPORT_METHOD instead.\")") \ + __attribute__((used, section("__DATA,RCTExport"))) \ + __attribute__((__aligned__(1))) \ + static const char *__rct_export_entry__[] = { __func__, #js_name, NULL } + /** * Injects constants into JS. These constants are made accessible via * NativeModules.ModuleName.X. This method is called when the module is @@ -96,11 +105,3 @@ typedef void (^RCTResponseSenderBlock)(NSArray *response); - (void)batchDidComplete; @end - -#ifdef __cplusplus -extern "C" { -#endif -void RCTBridgeModuleRegisterClass(Class cls, NSString *moduleName); -#ifdef __cplusplus -} -#endif diff --git a/React/Base/RCTConvert.h b/React/Base/RCTConvert.h index 2c1c84ee890108..e3f5e85980a0c5 100644 --- a/React/Base/RCTConvert.h +++ b/React/Base/RCTConvert.h @@ -7,6 +7,8 @@ * of patent rights can be found in the PATENTS file in the same directory. */ +#import + #import #import @@ -133,6 +135,11 @@ BOOL RCTSetProperty(id target, NSString *keyPath, SEL type, id json); */ BOOL RCTCopyProperty(id target, id source, NSString *keyPath); +/** + * Underlying implementation of RCT_ENUM_CONVERTER macro. Ignore this. + */ +NSNumber *RCTConverterEnumValue(const char *, NSDictionary *, NSNumber *, id); + #ifdef __cplusplus } #endif @@ -167,7 +174,7 @@ RCT_CUSTOM_CONVERTER(type, name, [json getter]) /** * This macro is similar to RCT_CONVERTER, but specifically geared towards * numeric types. It will handle string input correctly, and provides more - * detailed error reporting if a wrong value is passed in. + * detailed error reporting if an invalid value is passed in. */ #define RCT_NUMBER_CONVERTER(type, getter) \ RCT_CUSTOM_CONVERTER(type, type, [[self NSNumber:json] getter]) @@ -183,25 +190,8 @@ RCT_CUSTOM_CONVERTER(type, type, [[self NSNumber:json] getter]) dispatch_once(&onceToken, ^{ \ mapping = values; \ }); \ - if (!json || json == [NSNull null]) { \ - return default; \ - } \ - if ([json isKindOfClass:[NSNumber class]]) { \ - if ([[mapping allValues] containsObject:json] || [json getter] == default) { \ - return [json getter]; \ - } \ - RCTLogError(@"Invalid %s '%@'. should be one of: %@", #type, json, [mapping allValues]); \ - return default; \ - } \ - if (![json isKindOfClass:[NSString class]]) { \ - RCTLogError(@"Expected NSNumber or NSString for %s, received %@: %@", \ - #type, [json classForCoder], json); \ - } \ - id value = mapping[json]; \ - if(!value && [json description].length > 0) { \ - RCTLogError(@"Invalid %s '%@'. should be one of: %@", #type, json, [mapping allKeys]); \ - } \ - return value ? [value getter] : default; \ + NSNumber *converted = RCTConverterEnumValue(#type, mapping, @(default), json); \ + return ((type(*)(id, SEL))objc_msgSend)(converted, @selector(getter)); \ } /** diff --git a/React/Base/RCTConvert.m b/React/Base/RCTConvert.m index 6fa1c2227b78ae..25de29656dc98a 100644 --- a/React/Base/RCTConvert.m +++ b/React/Base/RCTConvert.m @@ -115,6 +115,31 @@ + (NSDate *)NSDate:(id)json // JS standard for time zones is minutes. RCT_CUSTOM_CONVERTER(NSTimeZone *, NSTimeZone, [NSTimeZone timeZoneForSecondsFromGMT:[self double:json] * 60.0]) +NSNumber *RCTConverterEnumValue(const char *typeName, NSDictionary *mapping, NSNumber *defaultValue, id json) +{ + if (!json || json == (id)kCFNull) { + return defaultValue; + } + if ([json isKindOfClass:[NSNumber class]]) { + NSArray *allValues = [mapping allValues]; + if ([[mapping allValues] containsObject:json] || [json isEqual:defaultValue]) { + return json; + } + RCTLogError(@"Invalid %s '%@'. should be one of: %@", typeName, json, allValues); + return defaultValue; + } + + if (![json isKindOfClass:[NSString class]]) { + RCTLogError(@"Expected NSNumber or NSString for %s, received %@: %@", + typeName, [json classForCoder], json); + } + id value = mapping[json]; + if (!value && [json description].length > 0) { + RCTLogError(@"Invalid %s '%@'. should be one of: %@", typeName, json, [mapping allKeys]); + } + return value ?: defaultValue; +} + RCT_ENUM_CONVERTER(NSTextAlignment, (@{ @"auto": @(NSTextAlignmentNatural), @"left": @(NSTextAlignmentLeft), diff --git a/React/Base/RCTDevMenu.m b/React/Base/RCTDevMenu.m index fdb79b8fb619fc..a0ebc25c1e4836 100644 --- a/React/Base/RCTDevMenu.m +++ b/React/Base/RCTDevMenu.m @@ -14,15 +14,15 @@ #import "RCTSourceCode.h" #import "RCTWebViewExecutor.h" -@interface RCTDevMenu () { - BOOL _liveReload; -} - -@property (nonatomic, weak) RCTBridge *bridge; +@interface RCTDevMenu () @end @implementation RCTDevMenu +{ + BOOL _liveReload; + __weak RCTBridge *_bridge; +} - (instancetype)initWithBridge:(RCTBridge *)bridge { @@ -34,8 +34,8 @@ - (instancetype)initWithBridge:(RCTBridge *)bridge - (void)show { - NSString *debugTitleChrome = self.bridge.executorClass != Nil && self.bridge.executorClass == NSClassFromString(@"RCTWebSocketExecutor") ? @"Disable Chrome Debugging" : @"Enable Chrome Debugging"; - NSString *debugTitleSafari = self.bridge.executorClass == [RCTWebViewExecutor class] ? @"Disable Safari Debugging" : @"Enable Safari Debugging"; + NSString *debugTitleChrome = _bridge.executorClass != Nil && _bridge.executorClass == NSClassFromString(@"RCTWebSocketExecutor") ? @"Disable Chrome Debugging" : @"Enable Chrome Debugging"; + NSString *debugTitleSafari = _bridge.executorClass == [RCTWebViewExecutor class] ? @"Disable Safari Debugging" : @"Enable Safari Debugging"; NSString *liveReloadTitle = _liveReload ? @"Disable Live Reload" : @"Enable Live Reload"; UIActionSheet *actionSheet = [[UIActionSheet alloc] initWithTitle:@"React Native: Development" delegate:self @@ -49,15 +49,15 @@ - (void)show - (void)actionSheet:(UIActionSheet *)actionSheet clickedButtonAtIndex:(NSInteger)buttonIndex { if (buttonIndex == 0) { - [self.bridge reload]; + [_bridge reload]; } else if (buttonIndex == 1) { Class cls = NSClassFromString(@"RCTWebSocketExecutor"); - self.bridge.executorClass = (self.bridge.executorClass != cls) ? cls : nil; - [self.bridge reload]; + _bridge.executorClass = (_bridge.executorClass != cls) ? cls : nil; + [_bridge reload]; } else if (buttonIndex == 2) { Class cls = [RCTWebViewExecutor class]; - self.bridge.executorClass = (self.bridge.executorClass != cls) ? cls : Nil; - [self.bridge reload]; + _bridge.executorClass = (_bridge.executorClass != cls) ? cls : Nil; + [_bridge reload]; } else if (buttonIndex == 3) { _liveReload = !_liveReload; [self _pollAndReload]; @@ -67,7 +67,7 @@ - (void)actionSheet:(UIActionSheet *)actionSheet clickedButtonAtIndex:(NSInteger - (void)_pollAndReload { if (_liveReload) { - RCTSourceCode *sourceCodeModule = self.bridge.modules[RCTBridgeModuleNameForClass([RCTSourceCode class])]; + RCTSourceCode *sourceCodeModule = _bridge.modules[RCTBridgeModuleNameForClass([RCTSourceCode class])]; NSURL *url = sourceCodeModule.scriptURL; NSURL *longPollURL = [[NSURL alloc] initWithString:@"/onchange" relativeToURL:url]; [self performSelectorInBackground:@selector(_checkForUpdates:) withObject:longPollURL]; @@ -84,7 +84,7 @@ - (void)_checkForUpdates:(NSURL *)URL dispatch_async(dispatch_get_main_queue(), ^{ if (_liveReload && response.statusCode == 205) { [[RCTRedBox sharedInstance] dismiss]; - [self.bridge reload]; + [_bridge reload]; } [self _pollAndReload]; }); diff --git a/React/Base/RCTFrameUpdate.h b/React/Base/RCTFrameUpdate.h new file mode 100644 index 00000000000000..b9a3d993f92596 --- /dev/null +++ b/React/Base/RCTFrameUpdate.h @@ -0,0 +1,44 @@ +/** + * Copyright (c) 2015-present, Facebook, Inc. + * All rights reserved. + * + * This source code is licensed under the BSD-style license found in the + * LICENSE file in the root directory of this source tree. An additional grant + * of patent rights can be found in the PATENTS file in the same directory. + */ + +/** + * Interface containing the information about the last screen refresh. + */ +@interface RCTFrameUpdate : NSObject + +/** + * Timestamp for the actual screen refresh + */ +@property (nonatomic, readonly) NSTimeInterval timestamp; + +/** + * Time since the last frame update ( >= 16.6ms ) + */ +@property (nonatomic, readonly) NSTimeInterval deltaTime; + +@end + +/** + * Protocol that must be implemented for subscribing to display refreshes (DisplayLink updates) + */ +@protocol RCTFrameUpdateObserver + +/** + * Method called on every screen refresh (if paused != YES) + */ +- (void)didUpdateFrame:(RCTFrameUpdate *)update; + +@optional + +/** + * Synthesize and set to true to pause the calls to -[didUpdateFrame:] + */ +@property (nonatomic, assign, getter=isPaused) BOOL paused; + +@end diff --git a/React/Base/RCTJavaScriptLoader.h b/React/Base/RCTJavaScriptLoader.h index 7c750c5857336b..bdc551b4d22194 100755 --- a/React/Base/RCTJavaScriptLoader.h +++ b/React/Base/RCTJavaScriptLoader.h @@ -9,8 +9,6 @@ /** * Class that allows easy embedding, loading, life-cycle management of a * JavaScript application inside of a native application. - * TODO: Before loading new application source, publish global notification in - * JavaScript so that applications can clean up resources. (launch blocker). * TODO: Incremental module loading. (low pri). */ @interface RCTJavaScriptLoader : NSObject diff --git a/React/Base/RCTJavaScriptLoader.m b/React/Base/RCTJavaScriptLoader.m index 518916c9236ef7..baf2ca34455476 100755 --- a/React/Base/RCTJavaScriptLoader.m +++ b/React/Base/RCTJavaScriptLoader.m @@ -24,7 +24,7 @@ */ @implementation RCTJavaScriptLoader { - RCTBridge *_bridge; + __weak RCTBridge *_bridge; } /** @@ -46,8 +46,7 @@ @implementation RCTJavaScriptLoader */ - (instancetype)initWithBridge:(RCTBridge *)bridge { - RCTAssertMainThread(); - if (self = [super init]) { + if ((self = [super init])) { _bridge = bridge; } return self; @@ -56,12 +55,14 @@ - (instancetype)initWithBridge:(RCTBridge *)bridge - (void)loadBundleAtURL:(NSURL *)scriptURL onComplete:(void (^)(NSError *))onComplete { if (scriptURL == nil) { - NSError *error = [NSError errorWithDomain:@"JavaScriptLoader" - code:1 - userInfo:@{NSLocalizedDescriptionKey: @"No script URL provided"}]; + NSError *error = [NSError errorWithDomain:@"JavaScriptLoader" code:1 userInfo:@{ + NSLocalizedDescriptionKey: @"No script URL provided" + }]; onComplete(error); return; - } else if ([scriptURL isFileURL]) { + } + + if ([scriptURL isFileURL]) { NSString *bundlePath = [[NSBundle bundleForClass:[self class]] resourcePath]; NSString *localPath = [scriptURL.absoluteString substringFromIndex:@"file://".length]; diff --git a/React/Base/RCTKeyCommands.m b/React/Base/RCTKeyCommands.m index 7f877fb5b160ab..9141dd31d9348b 100644 --- a/React/Base/RCTKeyCommands.m +++ b/React/Base/RCTKeyCommands.m @@ -76,7 +76,8 @@ - (void)RCT_handleKeyCommand:(UIKeyCommand *)key // lookup seems to return nil sometimes, even if the key is found in the dictionary. // To fix this, we use a linear search, since there won't be many keys anyway - [_commandBindings enumerateKeysAndObjectsUsingBlock:^(UIKeyCommand *k, void (^block)(UIKeyCommand *), BOOL *stop) { + [_commandBindings enumerateKeysAndObjectsUsingBlock: + ^(UIKeyCommand *k, void (^block)(UIKeyCommand *), BOOL *stop) { if ([key.input isEqualToString:k.input] && key.modifierFlags == k.modifierFlags) { block(key); } @@ -92,10 +93,12 @@ - (void)registerKeyCommandWithInput:(NSString *)input UIKeyCommand *command = [UIKeyCommand keyCommandWithInput:input modifierFlags:flags action:@selector(RCT_handleKeyCommand:)]; - _commandBindings[command] = block; + + _commandBindings[command] = block ?: ^(UIKeyCommand *cmd) {}; } -- (void)unregisterKeyCommandWithInput:(NSString *)input modifierFlags:(UIKeyModifierFlags)flags +- (void)unregisterKeyCommandWithInput:(NSString *)input + modifierFlags:(UIKeyModifierFlags)flags { RCTAssertMainThread(); diff --git a/React/Base/RCTLog.h b/React/Base/RCTLog.h index bc19448acdcc9b..7ffd860068d74e 100644 --- a/React/Base/RCTLog.h +++ b/React/Base/RCTLog.h @@ -23,12 +23,6 @@ extern "C" { #define RCTLOG_FATAL_LEVEL RCTLogLevelMustFix #define RCTLOG_REDBOX_LEVEL RCTLogLevelError -/** - * A regular expression that can be used to selectively limit the throwing of - * a exception to specific log contents. - */ -#define RCTLOG_FATAL_REGEX nil - /** * An enum representing the severity of the log message. */ @@ -104,24 +98,10 @@ void RCTPerformBlockWithLogPrefix(void (^block)(void), NSString *prefix); */ void _RCTLogFormat(RCTLogLevel, const char *, int, NSString *, ...) NS_FORMAT_FUNCTION(4,5); #define _RCTLog(lvl, ...) do { \ - NSString *msg = [NSString stringWithFormat:__VA_ARGS__]; \ - if (lvl >= RCTLOG_FATAL_LEVEL) { \ - BOOL fail = YES; \ - if (RCTLOG_FATAL_REGEX) { \ - if ([msg rangeOfString:RCTLOG_FATAL_REGEX options:NSRegularExpressionSearch].length) { \ - fail = NO; \ - } \ - } \ - RCTCAssert(!fail, @"FATAL ERROR: %@", msg); \ - }\ + if (lvl >= RCTLOG_FATAL_LEVEL) { RCTAssert(NO, __VA_ARGS__); } \ _RCTLogFormat(lvl, __FILE__, __LINE__, __VA_ARGS__); \ } while (0) -/** - * Legacy injection function - don't use this. - */ -void RCTInjectLogFunction(void (^)(NSString *msg)); - /** * Logging macros. Use these to log information, warnings and errors in your * own code. diff --git a/React/Base/RCTLog.m b/React/Base/RCTLog.m index d5e495d8ce42c1..1770a20a2a6fb0 100644 --- a/React/Base/RCTLog.m +++ b/React/Base/RCTLog.m @@ -55,6 +55,7 @@ void RCTLogSetup() [NSDate date], [NSThread currentThread], level, fileName, lineNumber, message ); fprintf(stderr, "%s\n", log.UTF8String); + fflush(stderr); }; void RCTSetLogFunction(RCTLogFunction logFunction) @@ -148,14 +149,25 @@ void RCTPerformBlockWithLogPrefix(void (^block)(void), NSString *prefix) return log; } -void _RCTLogFormat(RCTLogLevel level, const char *fileName, int lineNumber, NSString *format, ...) +void _RCTLogFormat( + RCTLogLevel level, + const char *fileName, + int lineNumber, + NSString *format, ...) { - if (RCTCurrentLogFunction && level >= RCTCurrentLogThreshold) { + +#if DEBUG + BOOL log = YES; +#else + BOOL log = (RCTCurrentLogFunction != nil); +#endif + + if (log && level >= RCTCurrentLogThreshold) { // Get message va_list args; va_start(args, format); - __block NSString *message = [[NSString alloc] initWithFormat:format arguments:args]; + NSString *message = [[NSString alloc] initWithFormat:format arguments:args]; va_end(args); // Add prefix @@ -185,26 +197,3 @@ void _RCTLogFormat(RCTLogLevel level, const char *fileName, int lineNumber, NSSt } } - -#pragma mark - Deprecated - -void RCTInjectLogFunction(void (^logFunction)(NSString *msg)) -{ - RCTSetLogFunction(^(RCTLogLevel level, - NSString *fileName, - NSNumber *lineNumber, - NSString *message) { - - if (level > RCTLogLevelError) { - - // Use custom log function - NSString *loc = fileName ? [NSString stringWithFormat:@"[%@:%@] ", fileName, lineNumber] : @""; - logFunction([loc stringByAppendingString:message]); - - } else if (RCTDefaultLogFunction && level >= RCTCurrentLogThreshold) { - - // Use default logger - RCTDefaultLogFunction(level, fileName, lineNumber, message); - } - }); -} diff --git a/React/Base/RCTRedBox.m b/React/Base/RCTRedBox.m index f5e8fbbb43857c..3bed3150578c6a 100644 --- a/React/Base/RCTRedBox.m +++ b/React/Base/RCTRedBox.m @@ -9,6 +9,7 @@ #import "RCTRedBox.h" +#import "RCTBridge.h" #import "RCTUtils.h" @interface RCTRedBoxWindow : UIWindow @@ -120,7 +121,7 @@ - (void)dismiss - (void)reload { - [[NSNotificationCenter defaultCenter] postNotificationName:@"RCTReloadNotification" object:nil userInfo:nil]; + [[NSNotificationCenter defaultCenter] postNotificationName:RCTReloadNotification object:nil userInfo:nil]; [self dismiss]; } diff --git a/React/Base/RCTRootView.h b/React/Base/RCTRootView.h index f85bb7ecb965de..1227eba9473ba5 100644 --- a/React/Base/RCTRootView.h +++ b/React/Base/RCTRootView.h @@ -11,10 +11,6 @@ #import "RCTBridge.h" -extern NSString *const RCTJavaScriptDidLoadNotification; -extern NSString *const RCTReloadNotification; -extern NSString *const RCTReloadViewsNotification; - @interface RCTRootView : UIView /** @@ -68,16 +64,13 @@ extern NSString *const RCTReloadViewsNotification; @property (nonatomic, assign) BOOL enableDevMenu; /** - * Reload this root view, or all root views, respectively. + * The backing view controller of the root view. */ -- (void)reload; -+ (void)reloadAll; - @property (nonatomic, weak) UIViewController *backingViewController; +/** + * The React-managed contents view of the root view. + */ @property (nonatomic, strong, readonly) UIView *contentView; -- (void)startOrResetInteractionTiming; -- (NSDictionary *)endAndResetInteractionTiming; - @end diff --git a/React/Base/RCTRootView.m b/React/Base/RCTRootView.m index 02d7ef447b2e46..1dbe714c8d136e 100644 --- a/React/Base/RCTRootView.m +++ b/React/Base/RCTRootView.m @@ -24,10 +24,6 @@ #import "RCTWebViewExecutor.h" #import "UIView+React.h" -NSString *const RCTJavaScriptDidLoadNotification = @"RCTJavaScriptDidLoadNotification"; -NSString *const RCTReloadNotification = @"RCTReloadNotification"; -NSString *const RCTReloadViewsNotification = @"RCTReloadViewsNotification"; - /** * HACK(t6568049) This should be removed soon, hiding to prevent people from * relying on it @@ -50,7 +46,6 @@ @implementation RCTRootView RCTBridge *_bridge; RCTTouchHandler *_touchHandler; NSString *_moduleName; - BOOL _registered; NSDictionary *_launchOptions; UIView *_contentView; } @@ -62,13 +57,26 @@ - (instancetype)initWithBridge:(RCTBridge *)bridge RCTAssert(moduleName, @"A moduleName is required to create an RCTRootView"); if ((self = [super init])) { + + self.backgroundColor = [UIColor whiteColor]; + #ifdef DEBUG + _enableDevMenu = YES; + #endif + _bridge = bridge; _moduleName = moduleName; - self.backgroundColor = [UIColor whiteColor]; - [self setUp]; + _touchHandler = [[RCTTouchHandler alloc] initWithBridge:_bridge]; + + [[NSNotificationCenter defaultCenter] addObserver:self + selector:@selector(bundleFinishedLoading) + name:RCTJavaScriptDidLoadNotification + object:_bridge]; + if (!_bridge.loading) { + [self bundleFinishedLoading]; + } } return self; } @@ -77,73 +85,35 @@ - (instancetype)initWithBundleURL:(NSURL *)bundleURL moduleName:(NSString *)moduleName launchOptions:(NSDictionary *)launchOptions { - RCTBridge *bridge = [[RCTBridge alloc] initWithBundlePath:bundleURL.absoluteString - moduleProvider:nil - launchOptions:launchOptions]; - return [self initWithBridge:bridge - moduleName:moduleName]; + RCTBridge *bridge = [[RCTBridge alloc] initWithBundleURL:bundleURL + moduleProvider:nil + launchOptions:launchOptions]; + + return [self initWithBridge:bridge moduleName:moduleName]; } -- (void)dealloc +- (BOOL)isValid { - [self tearDown]; + return _contentView.userInteractionEnabled; } -- (void)setUp +- (void)invalidate { - if (!_registered) { - /** - * Every root view that is created must have a unique react tag. - * Numbering of these tags goes from 1, 11, 21, 31, etc - * - * NOTE: Since the bridge persists, the RootViews might be reused, so now - * the react tag is assigned every time we load new content. - */ - _contentView = [[UIView alloc] init]; - _contentView.reactTag = [_bridge.uiManager allocateRootTag]; - _touchHandler = [[RCTTouchHandler alloc] initWithBridge:_bridge]; - [_contentView addGestureRecognizer:_touchHandler]; - [self addSubview:_contentView]; - - [[NSNotificationCenter defaultCenter] addObserver:self - selector:@selector(reload) - name:RCTReloadViewsNotification - object:_bridge]; - if (_bridge.loaded) { - [self bundleFinishedLoading]; - } else { - [[NSNotificationCenter defaultCenter] addObserver:self - selector:@selector(bundleFinishedLoading) - name:RCTJavaScriptDidLoadNotification - object:_bridge]; - } - } + _contentView.userInteractionEnabled = NO; } -- (void)tearDown +- (void)dealloc { - if (_registered) { - _registered = NO; - [[NSNotificationCenter defaultCenter] removeObserver:self]; - [_contentView removeGestureRecognizer:_touchHandler]; - [_contentView removeFromSuperview]; - [_touchHandler invalidate]; + [[NSNotificationCenter defaultCenter] removeObserver:self]; + [_touchHandler invalidate]; + if (_contentView) { [_bridge enqueueJSCall:@"ReactIOS.unmountComponentAtNodeAndRemoveContainer" args:@[_contentView.reactTag]]; } } -- (BOOL)isValid -{ - return _registered; -} - -- (void)invalidate +- (UIViewController *)backingViewController { - [self tearDown]; -} - -- (UIViewController *)backingViewController { return _backingViewController ?: [super backingViewController]; } @@ -156,9 +126,11 @@ - (void)motionEnded:(UIEventSubtype)motion withEvent:(UIEvent *)event { if (motion == UIEventSubtypeMotionShake && self.enableDevMenu) { if (!_devMenu) { - _devMenu = [[RCTDevMenu alloc] initWithBridge:self.bridge]; + _devMenu = [[RCTDevMenu alloc] initWithBridge:_bridge]; } [_devMenu show]; + } else { + [super motionEnded:motion withEvent:event]; } } @@ -168,7 +140,22 @@ - (void)motionEnded:(UIEventSubtype)motion withEvent:(UIEvent *)event - (void)bundleFinishedLoading { dispatch_async(dispatch_get_main_queue(), ^{ - _registered = YES; + + /** + * Every root view that is created must have a unique react tag. + * Numbering of these tags goes from 1, 11, 21, 31, etc + * + * NOTE: Since the bridge persists, the RootViews might be reused, so now + * the react tag is assigned every time we load new content. + */ + [_touchHandler invalidate]; + [_contentView removeFromSuperview]; + _contentView = [[UIView alloc] initWithFrame:self.bounds]; + _contentView.reactTag = [_bridge.uiManager allocateRootTag]; + _touchHandler = [[RCTTouchHandler alloc] initWithBridge:_bridge]; + [_contentView addGestureRecognizer:_touchHandler]; + [self addSubview:_contentView]; + NSString *moduleName = _moduleName ?: @""; NSDictionary *appParameters = @{ @"rootTag": _contentView.reactTag, @@ -183,45 +170,17 @@ - (void)bundleFinishedLoading - (void)layoutSubviews { [super layoutSubviews]; - _contentView.frame = self.bounds; - if (_registered) { + if (_contentView) { + _contentView.frame = self.bounds; [_bridge.uiManager setFrame:self.frame forRootView:_contentView]; } } -- (void)setFrame:(CGRect)frame -{ - [super setFrame:frame]; - _contentView.frame = self.bounds; -} - -- (void)reload -{ - [self tearDown]; - [self setUp]; -} - -+ (void)reloadAll -{ - [[NSNotificationCenter defaultCenter] postNotificationName:RCTReloadNotification - object:self]; -} - - (NSNumber *)reactTag { return _contentView.reactTag; } -- (void)startOrResetInteractionTiming -{ - [_touchHandler startOrResetInteractionTiming]; -} - -- (NSDictionary *)endAndResetInteractionTiming -{ - return [_touchHandler endAndResetInteractionTiming]; -} - @end @implementation RCTUIManager (RCTRootView) diff --git a/React/Base/RCTTouchHandler.m b/React/Base/RCTTouchHandler.m index d409ec3e5803c4..910ae950ef14df 100644 --- a/React/Base/RCTTouchHandler.m +++ b/React/Base/RCTTouchHandler.m @@ -37,7 +37,7 @@ @implementation RCTTouchEvent + (instancetype)touchWithEventName:(NSString *)eventName touches:(NSArray *)touches changedIndexes:(NSArray *)changedIndexes originatingTime:(CFTimeInterval)originatingTime { RCTTouchEvent *touchEvent = [[self alloc] init]; - touchEvent->_id = [self newID]; + touchEvent->_id = [self newTaskID]; touchEvent->_eventName = [eventName copy]; touchEvent->_touches = [touches copy]; touchEvent->_changedIndexes = [changedIndexes copy]; @@ -45,10 +45,10 @@ + (instancetype)touchWithEventName:(NSString *)eventName touches:(NSArray *)touc return touchEvent; } -+ (NSUInteger)newID ++ (NSUInteger)newTaskID { - static NSUInteger id = 0; - return ++id; + static NSUInteger taskID = 0; + return ++taskID; } @end @@ -282,7 +282,7 @@ - (void)_update:(CADisplayLink *)sender [_bridgeInteractionTiming addObject:@{ @"timeSeconds": @(sender.timestamp), @"operation": @"mainThreadDisplayLink", - @"taskID": @([RCTTouchEvent newID]), + @"taskID": @([RCTTouchEvent newTaskID]), }]; } } diff --git a/React/Executors/RCTContextExecutor.m b/React/Executors/RCTContextExecutor.m index 6c424ec7fb2dca..1d75e78afa1110 100644 --- a/React/Executors/RCTContextExecutor.m +++ b/React/Executors/RCTContextExecutor.m @@ -17,9 +17,45 @@ #import "RCTLog.h" #import "RCTUtils.h" +@interface RCTJavaScriptContext : NSObject + +@property (nonatomic, assign, readonly) JSGlobalContextRef ctx; + +- (instancetype)initWithJSContext:(JSGlobalContextRef)context; + +@end + +@implementation RCTJavaScriptContext +{ + RCTJavaScriptContext *_self; +} + +- (instancetype)initWithJSContext:(JSGlobalContextRef)context +{ + if ((self = [super init])) { + _ctx = context; + _self = self; + } + return self; +} + +- (BOOL)isValid +{ + return _ctx != NULL; +} + +- (void)invalidate +{ + JSGlobalContextRelease(_ctx); + _ctx = NULL; + _self = nil; +} + +@end + @implementation RCTContextExecutor { - JSGlobalContextRef _context; + RCTJavaScriptContext *_context; NSThread *_javaScriptThread; } @@ -49,7 +85,7 @@ static JSValueRef RCTNativeLoggingHook(JSContextRef context, JSObjectRef object, range:(NSRange){0, message.length} withTemplate:@"[$4$5] \t$2"]; - _RCTLogFormat(0, NULL, -1, @"%@", message); + _RCTLogFormat(RCTLogLevelInfo, NULL, -1, @"%@", message); } return JSValueMakeUndefined(context); @@ -129,21 +165,28 @@ - (instancetype)initWithJavaScriptThread:(NSThread *)javaScriptThread { if ((self = [super init])) { _javaScriptThread = javaScriptThread; + __weak RCTContextExecutor *weakSelf = self; [self executeBlockOnJavaScriptQueue: ^{ + RCTContextExecutor *strongSelf = weakSelf; + if (!strongSelf) { + return; + } // Assumes that no other JS tasks are scheduled before. + JSGlobalContextRef ctx; if (context) { - _context = JSGlobalContextRetain(context); + ctx = JSGlobalContextRetain(context); } else { JSContextGroupRef group = JSContextGroupCreate(); - _context = JSGlobalContextCreateInGroup(group, NULL); + ctx = JSGlobalContextCreateInGroup(group, NULL); #if FB_JSC_HACK JSContextGroupBindToCurrentThread(group); #endif JSContextGroupRelease(group); } - [self _addNativeHook:RCTNativeLoggingHook withName:"nativeLoggingHook"]; - [self _addNativeHook:RCTNoop withName:"noop"]; + strongSelf->_context = [[RCTJavaScriptContext alloc] initWithJSContext:ctx]; + [strongSelf _addNativeHook:RCTNativeLoggingHook withName:"nativeLoggingHook"]; + [strongSelf _addNativeHook:RCTNoop withName:"noop"]; }]; } @@ -152,27 +195,24 @@ - (instancetype)initWithJavaScriptThread:(NSThread *)javaScriptThread - (void)_addNativeHook:(JSObjectCallAsFunctionCallback)hook withName:(const char *)name { - JSObjectRef globalObject = JSContextGetGlobalObject(_context); + JSObjectRef globalObject = JSContextGetGlobalObject(_context.ctx); JSStringRef JSName = JSStringCreateWithUTF8CString(name); - JSObjectSetProperty(_context, globalObject, JSName, JSObjectMakeFunctionWithCallback(_context, JSName, hook), kJSPropertyAttributeNone, NULL); + JSObjectSetProperty(_context.ctx, globalObject, JSName, JSObjectMakeFunctionWithCallback(_context.ctx, JSName, hook), kJSPropertyAttributeNone, NULL); JSStringRelease(JSName); } - (BOOL)isValid { - return _context != NULL; + return _context.isValid; } - (void)invalidate { - if ([NSThread currentThread] != _javaScriptThread) { - // Yes, block until done. If we're getting called right before dealloc, it's the only safe option. - [self performSelector:@selector(invalidate) onThread:_javaScriptThread withObject:nil waitUntilDone:YES]; - } else if (_context != NULL) { - JSGlobalContextRelease(_context); - _context = NULL; + if (self.isValid) { + [_context performSelector:@selector(invalidate) onThread:_javaScriptThread withObject:nil waitUntilDone:NO]; + _context = nil; } } @@ -187,7 +227,12 @@ - (void)executeJSCall:(NSString *)name callback:(RCTJavaScriptCallback)onComplete { RCTAssert(onComplete != nil, @"onComplete block should not be nil"); + __weak RCTContextExecutor *weakSelf = self; [self executeBlockOnJavaScriptQueue:^{ + RCTContextExecutor *strongSelf = weakSelf; + if (!strongSelf || !strongSelf.isValid) { + return; + } NSError *error; NSString *argsString = RCTJSONStringify(arguments, &error); if (!argsString) { @@ -199,11 +244,11 @@ - (void)executeJSCall:(NSString *)name JSValueRef jsError = NULL; JSStringRef execJSString = JSStringCreateWithCFString((__bridge CFStringRef)execString); - JSValueRef result = JSEvaluateScript(_context, execJSString, NULL, NULL, 0, &jsError); + JSValueRef result = JSEvaluateScript(strongSelf->_context.ctx, execJSString, NULL, NULL, 0, &jsError); JSStringRelease(execJSString); if (!result) { - onComplete(nil, RCTNSErrorFromJSError(_context, jsError)); + onComplete(nil, RCTNSErrorFromJSError(strongSelf->_context.ctx, jsError)); return; } @@ -213,8 +258,8 @@ - (void)executeJSCall:(NSString *)name id objcValue; // We often return `null` from JS when there is nothing for native side. JSONKit takes an extra hundred microseconds // to handle this simple case, so we are adding a shortcut to make executeJSCall method even faster - if (!JSValueIsNull(_context, result)) { - JSStringRef jsJSONString = JSValueCreateJSONString(_context, result, 0, nil); + if (!JSValueIsNull(strongSelf->_context.ctx, result)) { + JSStringRef jsJSONString = JSValueCreateJSONString(strongSelf->_context.ctx, result, 0, nil); if (jsJSONString) { NSString *objcJSONString = (__bridge_transfer NSString *)JSStringCopyCFString(kCFAllocatorDefault, jsJSONString); JSStringRelease(jsJSONString); @@ -233,17 +278,22 @@ - (void)executeApplicationScript:(NSString *)script { RCTAssert(url != nil, @"url should not be nil"); RCTAssert(onComplete != nil, @"onComplete block should not be nil"); + __weak RCTContextExecutor *weakSelf = self; [self executeBlockOnJavaScriptQueue:^{ + RCTContextExecutor *strongSelf = weakSelf; + if (!strongSelf || !strongSelf.isValid) { + return; + } JSValueRef jsError = NULL; JSStringRef execJSString = JSStringCreateWithCFString((__bridge CFStringRef)script); JSStringRef sourceURL = JSStringCreateWithCFString((__bridge CFStringRef)url.absoluteString); - JSValueRef result = JSEvaluateScript(_context, execJSString, NULL, sourceURL, 0, &jsError); + JSValueRef result = JSEvaluateScript(strongSelf->_context.ctx, execJSString, NULL, sourceURL, 0, &jsError); JSStringRelease(sourceURL); JSStringRelease(execJSString); NSError *error; if (!result) { - error = RCTNSErrorFromJSError(_context, jsError); + error = RCTNSErrorFromJSError(strongSelf->_context.ctx, jsError); } onComplete(error); @@ -269,9 +319,14 @@ - (void)injectJSONText:(NSString *)script RCTAssert(RCTJSONParse(script, NULL) != nil, @"%@ wasn't valid JSON!", script); #endif + __weak RCTContextExecutor *weakSelf = self; [self executeBlockOnJavaScriptQueue:^{ + RCTContextExecutor *strongSelf = weakSelf; + if (!strongSelf || !strongSelf.isValid) { + return; + } JSStringRef execJSString = JSStringCreateWithCFString((__bridge CFStringRef)script); - JSValueRef valueToInject = JSValueMakeFromJSONString(_context, execJSString); + JSValueRef valueToInject = JSValueMakeFromJSONString(strongSelf->_context.ctx, execJSString); JSStringRelease(execJSString); if (!valueToInject) { @@ -283,10 +338,10 @@ - (void)injectJSONText:(NSString *)script return; } - JSObjectRef globalObject = JSContextGetGlobalObject(_context); + JSObjectRef globalObject = JSContextGetGlobalObject(strongSelf->_context.ctx); JSStringRef JSName = JSStringCreateWithCFString((__bridge CFStringRef)objectName); - JSObjectSetProperty(_context, globalObject, JSName, valueToInject, kJSPropertyAttributeNone, NULL); + JSObjectSetProperty(strongSelf->_context.ctx, globalObject, JSName, valueToInject, kJSPropertyAttributeNone, NULL); JSStringRelease(JSName); onComplete(nil); }]; diff --git a/React/Executors/RCTWebViewExecutor.m b/React/Executors/RCTWebViewExecutor.m index e50fff9044c9be..55de44ab969479 100644 --- a/React/Executors/RCTWebViewExecutor.m +++ b/React/Executors/RCTWebViewExecutor.m @@ -42,12 +42,9 @@ @implementation RCTWebViewExecutor - (instancetype)initWithWebView:(UIWebView *)webView { - if (!webView) { - @throw [NSException exceptionWithName:NSInvalidArgumentException reason:@"Can't init with a nil webview" userInfo:nil]; - } if ((self = [super init])) { _objectsToInject = [[NSMutableDictionary alloc] init]; - _webView = webView; + _webView = webView ?: [[UIWebView alloc] init]; _webView.delegate = self; } return self; @@ -55,7 +52,7 @@ - (instancetype)initWithWebView:(UIWebView *)webView - (id)init { - return [self initWithWebView:[[UIWebView alloc] init]]; + return [self initWithWebView:nil]; } - (BOOL)isValid diff --git a/React/Modules/RCTTiming.h b/React/Modules/RCTTiming.h index 67251613bf3fc8..c6d63bcfc8fdc3 100644 --- a/React/Modules/RCTTiming.h +++ b/React/Modules/RCTTiming.h @@ -10,8 +10,9 @@ #import #import "RCTBridgeModule.h" +#import "RCTFrameUpdate.h" #import "RCTInvalidating.h" -@interface RCTTiming : NSObject +@interface RCTTiming : NSObject @end diff --git a/React/Modules/RCTTiming.m b/React/Modules/RCTTiming.m index 8c7ef1f239a288..ce8688f625fecb 100644 --- a/React/Modules/RCTTiming.m +++ b/React/Modules/RCTTiming.m @@ -58,7 +58,6 @@ - (BOOL)updateFoundNeedsJSUpdate @implementation RCTTiming { RCTSparseArray *_timers; - id _updateTimer; } @synthesize bridge = _bridge; @@ -113,32 +112,21 @@ - (void)invalidate - (void)stopTimers { - [_updateTimer invalidate]; - _updateTimer = nil; + [_bridge removeFrameUpdateObserver:self]; } - (void)startTimers { RCTAssertMainThread(); - if (![self isValid] || _updateTimer != nil || _timers.count == 0) { + if (![self isValid] || _timers.count == 0) { return; } - _updateTimer = [CADisplayLink displayLinkWithTarget:self selector:@selector(update)]; - if (_updateTimer) { - [_updateTimer addToRunLoop:[NSRunLoop mainRunLoop] forMode:NSDefaultRunLoopMode]; - } else { - RCTLogWarn(@"Failed to create a display link (probably on buildbot) - using an NSTimer for AppEngine instead."); - _updateTimer = [NSTimer scheduledTimerWithTimeInterval:(1.0 / 60) - target:self - selector:@selector(update) - userInfo:nil - repeats:YES]; - } + [_bridge addFrameUpdateObserver:self]; } -- (void)update +- (void)didUpdateFrame:(RCTFrameUpdate *)update { RCTAssertMainThread(); diff --git a/React/Modules/RCTUIManager.m b/React/Modules/RCTUIManager.m index 1fe672d8b561c3..86c58d0dd06f0a 100644 --- a/React/Modules/RCTUIManager.m +++ b/React/Modules/RCTUIManager.m @@ -23,6 +23,7 @@ #import "RCTScrollableProtocol.h" #import "RCTShadowView.h" #import "RCTSparseArray.h" +#import "RCTTouchHandler.h" #import "RCTUtils.h" #import "RCTView.h" #import "RCTViewManager.h" @@ -177,7 +178,7 @@ @interface RCTUIManager () @implementation RCTUIManager { - dispatch_queue_t _shadowQueue; + __weak dispatch_queue_t _shadowQueue; // Root views are only mutated on the shadow queue NSMutableSet *_rootViewTags; @@ -211,7 +212,7 @@ @implementation RCTUIManager static NSString *RCTViewNameForModuleName(NSString *moduleName) { NSString *name = moduleName; - RCTCAssert(name.length, @"Invalid moduleName '%@'", moduleName); + RCTAssert(name.length, @"Invalid moduleName '%@'", moduleName); if ([name hasSuffix:@"Manager"]) { name = [name substringToIndex:name.length - @"Manager".length]; } @@ -258,31 +259,6 @@ - (void)dealloc RCTAssert(!self.valid, @"must call -invalidate before -dealloc"); } -- (void)setBridge:(RCTBridge *)bridge -{ - if (_bridge) { - - // Clear previous bridge data - [self invalidate]; - } - if (bridge) { - - _bridge = bridge; - _shadowQueue = _bridge.shadowQueue; - _shadowViewRegistry = [[RCTSparseArray alloc] init]; - - // Get view managers from bridge - NSMutableDictionary *viewManagers = [[NSMutableDictionary alloc] init]; - [_bridge.modules enumerateKeysAndObjectsUsingBlock:^(NSString *moduleName, RCTViewManager *manager, BOOL *stop) { - if ([manager isKindOfClass:[RCTViewManager class]]) { - viewManagers[RCTViewNameForModuleName(moduleName)] = manager; - } - }]; - - _viewManagers = [viewManagers copy]; - } -} - - (BOOL)isValid { return _viewRegistry != nil; @@ -292,8 +268,13 @@ - (void)invalidate { RCTAssertMainThread(); - _viewRegistry = nil; + for (NSNumber *rootViewTag in _rootViewTags) { + ((UIView *)_viewRegistry[rootViewTag]).userInteractionEnabled = NO; + } + + _rootViewTags = nil; _shadowViewRegistry = nil; + _viewRegistry = nil; _bridge = nil; [_pendingUIBlocksLock lock]; @@ -301,6 +282,25 @@ - (void)invalidate [_pendingUIBlocksLock unlock]; } +- (void)setBridge:(RCTBridge *)bridge +{ + RCTAssert(_bridge == nil, @"Should not re-use same UIIManager instance"); + + _bridge = bridge; + _shadowQueue = _bridge.shadowQueue; + _shadowViewRegistry = [[RCTSparseArray alloc] init]; + + // Get view managers from bridge + NSMutableDictionary *viewManagers = [[NSMutableDictionary alloc] init]; + [_bridge.modules enumerateKeysAndObjectsUsingBlock:^(NSString *moduleName, RCTViewManager *manager, BOOL *stop) { + if ([manager isKindOfClass:[RCTViewManager class]]) { + viewManagers[RCTViewNameForModuleName(moduleName)] = manager; + } + }]; + + _viewManagers = [viewManagers copy]; +} + - (void)registerRootView:(UIView *)rootView; { RCTAssertMainThread(); @@ -310,8 +310,8 @@ - (void)registerRootView:(UIView *)rootView; @"View %@ with tag #%@ is not a root view", rootView, reactTag); UIView *existingView = _viewRegistry[reactTag]; - RCTCAssert(existingView == nil || existingView == rootView, - @"Expect all root views to have unique tag. Added %@ twice", reactTag); + RCTAssert(existingView == nil || existingView == rootView, + @"Expect all root views to have unique tag. Added %@ twice", reactTag); // Register view _viewRegistry[reactTag] = rootView; @@ -322,7 +322,6 @@ - (void)registerRootView:(UIView *)rootView; // Register shadow view dispatch_async(_shadowQueue, ^{ - RCTShadowView *shadowView = [[RCTShadowView alloc] init]; shadowView.reactTag = reactTag; shadowView.frame = frame; @@ -549,7 +548,7 @@ - (NSArray *)_childrenToRemoveFromContainer:(id)container } // Construction of removed children must be done "up front", before indices are disturbed by removals. NSMutableArray *removedChildren = [NSMutableArray arrayWithCapacity:atIndices.count]; - RCTCAssert(container != nil, @"container view (for ID %@) not found", container); + RCTAssert(container != nil, @"container view (for ID %@) not found", container); for (NSInteger i = 0; i < [atIndices count]; i++) { NSInteger index = [atIndices[i] integerValue]; if (index < [[container reactSubviews] count]) { @@ -578,7 +577,7 @@ - (void)_removeChildren:(NSArray *)children fromContainer:(id)rkObject; - ((id)rkObject).nativeMainScrollDelegate = uiManager.nativeMainScrollDelegate; + id view = viewRegistry[reactTag]; + if ([view conformsToProtocol:@protocol(RCTScrollableProtocol)]) { + uiManager.mainScrollView = (id)view; + uiManager.mainScrollView.nativeMainScrollDelegate = uiManager.nativeMainScrollDelegate; } else { - RCTCAssert(NO, @"Tag #%@ does not conform to RCTScrollableProtocol", reactTag); + RCTAssert(NO, @"Tag #%@ does not conform to RCTScrollableProtocol", reactTag); } } else { uiManager.mainScrollView = nil; @@ -1052,28 +1050,30 @@ static void RCTMeasureLayout(RCTShadowView *view, }]; } +// TODO: we could just pass point property RCT_EXPORT_METHOD(scrollTo:(NSNumber *)reactTag - withOffsetX:(NSNumber *)offsetX - offsetY:(NSNumber *)offsetY) + withOffsetX:(CGFloat)offsetX + offsetY:(CGFloat)offsetY) { [self addUIBlock:^(RCTUIManager *uiManager, RCTSparseArray *viewRegistry){ UIView *view = viewRegistry[reactTag]; if ([view conformsToProtocol:@protocol(RCTScrollableProtocol)]) { - [(id)view scrollToOffset:CGPointMake([offsetX floatValue], [offsetY floatValue]) animated:YES]; + [(id)view scrollToOffset:(CGPoint){offsetX, offsetY} animated:YES]; } else { RCTLogError(@"tried to scrollToOffset: on non-RCTScrollableProtocol view %@ with tag #%@", view, reactTag); } }]; } +// TODO: we could just pass point property RCT_EXPORT_METHOD(scrollWithoutAnimationTo:(NSNumber *)reactTag - offsetX:(NSNumber *)offsetX - offsetY:(NSNumber *)offsetY) + offsetX:(CGFloat)offsetX + offsetY:(CGFloat)offsetY) { [self addUIBlock:^(RCTUIManager *uiManager, RCTSparseArray *viewRegistry){ UIView *view = viewRegistry[reactTag]; if ([view conformsToProtocol:@protocol(RCTScrollableProtocol)]) { - [(id)view scrollToOffset:CGPointMake([offsetX floatValue], [offsetY floatValue]) animated:NO]; + [(id)view scrollToOffset:(CGPoint){offsetX, offsetY} animated:NO]; } else { RCTLogError(@"tried to scrollToOffset: on non-RCTScrollableProtocol view %@ with tag #%@", view, reactTag); } @@ -1081,12 +1081,12 @@ static void RCTMeasureLayout(RCTShadowView *view, } RCT_EXPORT_METHOD(zoomToRect:(NSNumber *)reactTag - withRect:(NSDictionary *)rectDict) + withRect:(CGRect)rect) { [self addUIBlock:^(RCTUIManager *uiManager, RCTSparseArray *viewRegistry){ UIView *view = viewRegistry[reactTag]; if ([view conformsToProtocol:@protocol(RCTScrollableProtocol)]) { - [(id)view zoomToRect:[RCTConvert CGRect:rectDict] animated:YES]; + [(id)view zoomToRect:rect animated:YES]; } else { RCTLogError(@"tried to zoomToRect: on non-RCTScrollableProtocol view %@ with tag #%@", view, reactTag); } @@ -1212,8 +1212,8 @@ - (NSDictionary *)customBubblingEventTypes if (RCTClassOverridesInstanceMethod([manager class], @selector(customBubblingEventTypes))) { NSDictionary *eventTypes = [manager customBubblingEventTypes]; for (NSString *eventName in eventTypes) { - RCTCAssert(!customBubblingEventTypesConfigs[eventName], - @"Event '%@' registered multiple times.", eventName); + RCTAssert(!customBubblingEventTypesConfigs[eventName], + @"Event '%@' registered multiple times.", eventName); } [customBubblingEventTypesConfigs addEntriesFromDictionary:eventTypes]; } @@ -1264,7 +1264,7 @@ - (NSDictionary *)customDirectEventTypes if (RCTClassOverridesInstanceMethod([manager class], @selector(customDirectEventTypes))) { NSDictionary *eventTypes = [manager customDirectEventTypes]; for (NSString *eventName in eventTypes) { - RCTCAssert(!customDirectEventTypes[eventName], @"Event '%@' registered multiple times.", eventName); + RCTAssert(!customDirectEventTypes[eventName], @"Event '%@' registered multiple times.", eventName); } [customDirectEventTypes addEntriesFromDictionary:eventTypes]; } @@ -1398,9 +1398,12 @@ - (NSDictionary *)constantsToExport NSSet *rootViewTags = [_rootViewTags copy]; [self addUIBlock:^(RCTUIManager *uiManager, RCTSparseArray *viewRegistry) { for (NSNumber *reactTag in rootViewTags) { - id rootView = viewRegistry[reactTag]; - if ([rootView respondsToSelector:@selector(startOrResetInteractionTiming)]) { - [rootView startOrResetInteractionTiming]; + UIView *rootView = viewRegistry[reactTag]; + for (RCTTouchHandler *handler in rootView.gestureRecognizers) { + if ([handler isKindOfClass:[RCTTouchHandler class]]) { + [handler startOrResetInteractionTiming]; + break; + } } } }]; @@ -1413,9 +1416,12 @@ - (NSDictionary *)constantsToExport [self addUIBlock:^(RCTUIManager *uiManager, RCTSparseArray *viewRegistry) { NSMutableDictionary *timingData = [[NSMutableDictionary alloc] init]; for (NSNumber *reactTag in rootViewTags) { - id rootView = viewRegistry[reactTag]; - if ([rootView respondsToSelector:@selector(endAndResetInteractionTiming)]) { - timingData[reactTag.stringValue] = [rootView endAndResetInteractionTiming]; + UIView *rootView = viewRegistry[reactTag]; + for (RCTTouchHandler *handler in rootView.gestureRecognizers) { + if ([handler isKindOfClass:[RCTTouchHandler class]]) { + [handler endAndResetInteractionTiming]; + break; + } } } onSuccess(@[timingData]); diff --git a/React/React.xcodeproj/project.pbxproj b/React/React.xcodeproj/project.pbxproj index 5c9c13355f7856..294bf414595641 100644 --- a/React/React.xcodeproj/project.pbxproj +++ b/React/React.xcodeproj/project.pbxproj @@ -9,6 +9,8 @@ /* Begin PBXBuildFile section */ 000E6CEB1AB0E980000CDF4D /* RCTSourceCode.m in Sources */ = {isa = PBXBuildFile; fileRef = 000E6CEA1AB0E980000CDF4D /* RCTSourceCode.m */; }; 00C1A2B31AC0B7E000E89A1C /* RCTDevMenu.m in Sources */ = {isa = PBXBuildFile; fileRef = 00C1A2B21AC0B7E000E89A1C /* RCTDevMenu.m */; }; + 13456E931ADAD2DE009F94A7 /* RCTConvert+CoreLocation.m in Sources */ = {isa = PBXBuildFile; fileRef = 13456E921ADAD2DE009F94A7 /* RCTConvert+CoreLocation.m */; }; + 13456E961ADAD482009F94A7 /* RCTConvert+MapKit.m in Sources */ = {isa = PBXBuildFile; fileRef = 13456E951ADAD482009F94A7 /* RCTConvert+MapKit.m */; }; 134FCB361A6D42D900051CC8 /* RCTSparseArray.m in Sources */ = {isa = PBXBuildFile; fileRef = 83BEE46D1A6D19BC00B5863B /* RCTSparseArray.m */; }; 134FCB3D1A6E7F0800051CC8 /* RCTContextExecutor.m in Sources */ = {isa = PBXBuildFile; fileRef = 134FCB3A1A6E7F0800051CC8 /* RCTContextExecutor.m */; }; 134FCB3E1A6E7F0800051CC8 /* RCTWebViewExecutor.m in Sources */ = {isa = PBXBuildFile; fileRef = 134FCB3C1A6E7F0800051CC8 /* RCTWebViewExecutor.m */; }; @@ -83,6 +85,10 @@ 13442BF21AA90E0B0037E5B0 /* RCTAnimationType.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = RCTAnimationType.h; sourceTree = ""; }; 13442BF31AA90E0B0037E5B0 /* RCTPointerEvents.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = RCTPointerEvents.h; sourceTree = ""; }; 13442BF41AA90E0B0037E5B0 /* RCTViewControllerProtocol.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = RCTViewControllerProtocol.h; sourceTree = ""; }; + 13456E911ADAD2DE009F94A7 /* RCTConvert+CoreLocation.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = "RCTConvert+CoreLocation.h"; sourceTree = ""; }; + 13456E921ADAD2DE009F94A7 /* RCTConvert+CoreLocation.m */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.objc; path = "RCTConvert+CoreLocation.m"; sourceTree = ""; }; + 13456E941ADAD482009F94A7 /* RCTConvert+MapKit.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = "RCTConvert+MapKit.h"; sourceTree = ""; }; + 13456E951ADAD482009F94A7 /* RCTConvert+MapKit.m */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.objc; path = "RCTConvert+MapKit.m"; sourceTree = ""; }; 134FCB391A6E7F0800051CC8 /* RCTContextExecutor.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = RCTContextExecutor.h; sourceTree = ""; }; 134FCB3A1A6E7F0800051CC8 /* RCTContextExecutor.m */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.objc; path = RCTContextExecutor.m; sourceTree = ""; }; 134FCB3B1A6E7F0800051CC8 /* RCTWebViewExecutor.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = RCTWebViewExecutor.h; sourceTree = ""; }; @@ -148,6 +154,7 @@ 13E067541A70F44B002CDEE1 /* UIView+React.m */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.objc; path = "UIView+React.m"; sourceTree = ""; }; 14200DA81AC179B3008EE6BA /* RCTJavaScriptLoader.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = RCTJavaScriptLoader.h; sourceTree = ""; }; 14200DA91AC179B3008EE6BA /* RCTJavaScriptLoader.m */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.objc; path = RCTJavaScriptLoader.m; sourceTree = ""; }; + 1436DD071ADE7AA000A5ED7D /* RCTFrameUpdate.h */ = {isa = PBXFileReference; lastKnownFileType = sourcecode.c.h; path = RCTFrameUpdate.h; sourceTree = ""; }; 14435CE11AAC4AE100FC20F4 /* RCTMap.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = RCTMap.h; sourceTree = ""; }; 14435CE21AAC4AE100FC20F4 /* RCTMap.m */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.objc; path = RCTMap.m; sourceTree = ""; }; 14435CE31AAC4AE100FC20F4 /* RCTMapManager.h */ = {isa = PBXFileReference; fileEncoding = 4; lastKnownFileType = sourcecode.c.h; path = RCTMapManager.h; sourceTree = ""; }; @@ -255,6 +262,10 @@ 13C325261AA63B6A0048765F /* RCTAutoInsetsProtocol.h */, 58C571C01AA56C1900CDF9C8 /* RCTDatePickerManager.h */, 58C571BF1AA56C1900CDF9C8 /* RCTDatePickerManager.m */, + 13456E911ADAD2DE009F94A7 /* RCTConvert+CoreLocation.h */, + 13456E921ADAD2DE009F94A7 /* RCTConvert+CoreLocation.m */, + 13456E941ADAD482009F94A7 /* RCTConvert+MapKit.h */, + 13456E951ADAD482009F94A7 /* RCTConvert+MapKit.m */, 14435CE11AAC4AE100FC20F4 /* RCTMap.h */, 14435CE21AAC4AE100FC20F4 /* RCTMap.m */, 14435CE31AAC4AE100FC20F4 /* RCTMapManager.h */, @@ -381,6 +392,7 @@ 83CBBA971A6020BB00E9B192 /* RCTTouchHandler.m */, 83CBBA4F1A601E3B00E9B192 /* RCTUtils.h */, 83CBBA501A601E3B00E9B192 /* RCTUtils.m */, + 1436DD071ADE7AA000A5ED7D /* RCTFrameUpdate.h */, ); path = Base; sourceTree = ""; @@ -459,6 +471,7 @@ isa = PBXSourcesBuildPhase; buildActionMask = 2147483647; files = ( + 13456E961ADAD482009F94A7 /* RCTConvert+MapKit.m in Sources */, 13723B501A82FD3C00F88898 /* RCTStatusBarManager.m in Sources */, 000E6CEB1AB0E980000CDF4D /* RCTSourceCode.m in Sources */, 13B0801E1A69489C00A75B9A /* RCTTextField.m in Sources */, @@ -490,6 +503,7 @@ 83CBBA521A601E3B00E9B192 /* RCTLog.m in Sources */, 13B0801D1A69489C00A75B9A /* RCTNavItemManager.m in Sources */, 13E067571A70F44B002CDEE1 /* RCTView.m in Sources */, + 13456E931ADAD2DE009F94A7 /* RCTConvert+CoreLocation.m in Sources */, 137327E91AA5CF210034F82E /* RCTTabBarItemManager.m in Sources */, 134FCB361A6D42D900051CC8 /* RCTSparseArray.m in Sources */, 13A1F71E1A75392D00D3D453 /* RCTKeyCommands.m in Sources */, diff --git a/React/Views/RCTConvert+CoreLocation.h b/React/Views/RCTConvert+CoreLocation.h new file mode 100644 index 00000000000000..89e0c729c33361 --- /dev/null +++ b/React/Views/RCTConvert+CoreLocation.h @@ -0,0 +1,19 @@ +// +// RCTConvert+CoreLocation.h +// React +// +// Created by Nick Lockwood on 12/04/2015. +// Copyright (c) 2015 Facebook. All rights reserved. +// + +#import + +#import "RCTConvert.h" + +@interface RCTConvert (CoreLocation) + ++ (CLLocationDegrees)CLLocationDegrees:(id)json; ++ (CLLocationDistance)CLLocationDistance:(id)json; ++ (CLLocationCoordinate2D)CLLocationCoordinate2D:(id)json; + +@end diff --git a/React/Views/RCTConvert+CoreLocation.m b/React/Views/RCTConvert+CoreLocation.m new file mode 100644 index 00000000000000..a347c7fea750d3 --- /dev/null +++ b/React/Views/RCTConvert+CoreLocation.m @@ -0,0 +1,25 @@ +// +// RCTConvert+CoreLocation.m +// React +// +// Created by Nick Lockwood on 12/04/2015. +// Copyright (c) 2015 Facebook. All rights reserved. +// + +#import "RCTConvert+CoreLocation.h" + +@implementation RCTConvert(CoreLocation) + +RCT_CONVERTER(CLLocationDegrees, CLLocationDegrees, doubleValue); +RCT_CONVERTER(CLLocationDistance, CLLocationDistance, doubleValue); + ++ (CLLocationCoordinate2D)CLLocationCoordinate2D:(id)json +{ + json = [self NSDictionary:json]; + return (CLLocationCoordinate2D){ + [self CLLocationDegrees:json[@"latitude"]], + [self CLLocationDegrees:json[@"longitude"]] + }; +} + +@end diff --git a/React/Views/RCTConvert+MapKit.h b/React/Views/RCTConvert+MapKit.h new file mode 100644 index 00000000000000..8ad9316a1c249c --- /dev/null +++ b/React/Views/RCTConvert+MapKit.h @@ -0,0 +1,22 @@ +// +// RCTConvert+MapKit.h +// React +// +// Created by Nick Lockwood on 12/04/2015. +// Copyright (c) 2015 Facebook. All rights reserved. +// + +#import + +#import "RCTConvert.h" + +@interface RCTConvert (MapKit) + ++ (MKCoordinateSpan)MKCoordinateSpan:(id)json; ++ (MKCoordinateRegion)MKCoordinateRegion:(id)json; ++ (MKShape *)MKShape:(id)json; + +typedef NSArray MKShapeArray; ++ (MKShapeArray *)MKShapeArray:(id)json; + +@end diff --git a/React/Views/RCTConvert+MapKit.m b/React/Views/RCTConvert+MapKit.m new file mode 100644 index 00000000000000..cd6c9fb417670c --- /dev/null +++ b/React/Views/RCTConvert+MapKit.m @@ -0,0 +1,46 @@ +// +// RCTConvert+MapKit.m +// React +// +// Created by Nick Lockwood on 12/04/2015. +// Copyright (c) 2015 Facebook. All rights reserved. +// + +#import "RCTConvert+MapKit.h" + +#import "RCTConvert+CoreLocation.h" + +@implementation RCTConvert(MapKit) + ++ (MKCoordinateSpan)MKCoordinateSpan:(id)json +{ + json = [self NSDictionary:json]; + return (MKCoordinateSpan){ + [self CLLocationDegrees:json[@"latitudeDelta"]], + [self CLLocationDegrees:json[@"longitudeDelta"]] + }; +} + ++ (MKCoordinateRegion)MKCoordinateRegion:(id)json +{ + return (MKCoordinateRegion){ + [self CLLocationCoordinate2D:json], + [self MKCoordinateSpan:json] + }; +} + ++ (MKShape *)MKShape:(id)json +{ + json = [self NSDictionary:json]; + + // TODO: more shape types + MKShape *shape = [[MKPointAnnotation alloc] init]; + shape.coordinate = [self CLLocationCoordinate2D:json]; + shape.title = [RCTConvert NSString:json[@"title"]]; + shape.subtitle = [RCTConvert NSString:json[@"subtitle"]]; + return shape; +} + +RCT_ARRAY_CONVERTER(MKShape) + +@end diff --git a/React/Views/RCTMap.h b/React/Views/RCTMap.h index 3850378e99e4f0..89e4c0a8088ff7 100644 --- a/React/Views/RCTMap.h +++ b/React/Views/RCTMap.h @@ -10,6 +10,8 @@ #import #import +#import "RCTConvert+MapKit.h" + extern const CLLocationDegrees RCTMapDefaultSpan; extern const NSTimeInterval RCTMapRegionChangeObserveInterval; extern const CGFloat RCTMapZoomBoundBuffer; @@ -19,9 +21,12 @@ extern const CGFloat RCTMapZoomBoundBuffer; @interface RCTMap: MKMapView @property (nonatomic, assign) BOOL followUserLocation; +@property (nonatomic, assign) BOOL hasStartedLoading; @property (nonatomic, assign) CGFloat minDelta; @property (nonatomic, assign) CGFloat maxDelta; @property (nonatomic, assign) UIEdgeInsets legalLabelInsets; @property (nonatomic, strong) NSTimer *regionChangeObserveTimer; +- (void)setAnnotations:(MKShapeArray *)annotations; + @end diff --git a/React/Views/RCTMap.m b/React/Views/RCTMap.m index 72c0db5eb6e09e..187303ac282481 100644 --- a/React/Views/RCTMap.m +++ b/React/Views/RCTMap.m @@ -9,7 +9,6 @@ #import "RCTMap.h" -#import "RCTConvert.h" #import "RCTEventDispatcher.h" #import "RCTLog.h" #import "RCTUtils.h" @@ -27,10 +26,14 @@ @implementation RCTMap - (instancetype)init { if ((self = [super init])) { + + _hasStartedLoading = NO; + // Find Apple link label for (UIView *subview in self.subviews) { if ([NSStringFromClass(subview.class) isEqualToString:@"MKAttributionLabel"]) { - // This check is super hacky, but the whole premise of moving around Apple's internal subviews is super hacky + // This check is super hacky, but the whole premise of moving around + // Apple's internal subviews is super hacky _legalLabel = subview; break; } @@ -82,11 +85,11 @@ - (void)setShowsUserLocation:(BOOL)showsUserLocation [_locationManager requestWhenInUseAuthorization]; } } - [super setShowsUserLocation:showsUserLocation]; + super.showsUserLocation = showsUserLocation; // If it needs to show user location, force map view centered // on user's current location on user location updates - self.followUserLocation = showsUserLocation; + _followUserLocation = showsUserLocation; } } @@ -109,4 +112,12 @@ - (void)setRegion:(MKCoordinateRegion)region [super setRegion:region animated:YES]; } +- (void)setAnnotations:(MKShapeArray *)annotations +{ + [self removeAnnotations:self.annotations]; + if (annotations.count) { + [self addAnnotations:annotations]; + } +} + @end diff --git a/React/Views/RCTMapManager.m b/React/Views/RCTMapManager.m index 24d8bee161411f..52b635fd6b1d5d 100644 --- a/React/Views/RCTMapManager.m +++ b/React/Views/RCTMapManager.m @@ -10,43 +10,13 @@ #import "RCTMapManager.h" #import "RCTBridge.h" +#import "RCTConvert+CoreLocation.h" +#import "RCTConvert+MapKit.h" #import "RCTEventDispatcher.h" #import "RCTMap.h" #import "UIView+React.h" -@implementation RCTConvert(CoreLocation) - -+ (CLLocationCoordinate2D)CLLocationCoordinate2D:(id)json -{ - json = [self NSDictionary:json]; - return (CLLocationCoordinate2D){ - [self double:json[@"latitude"]], - [self double:json[@"longitude"]] - }; -} - -@end - -@implementation RCTConvert(MapKit) - -+ (MKCoordinateSpan)MKCoordinateSpan:(id)json -{ - json = [self NSDictionary:json]; - return (MKCoordinateSpan){ - [self double:json[@"latitudeDelta"]], - [self double:json[@"longitudeDelta"]] - }; -} - -+ (MKCoordinateRegion)MKCoordinateRegion:(id)json -{ - return (MKCoordinateRegion){ - [self CLLocationCoordinate2D:json], - [self MKCoordinateSpan:json] - }; -} - -@end +static NSString *const RCTMapViewKey = @"MapView"; @interface RCTMapManager() @@ -72,6 +42,8 @@ - (UIView *)view RCT_EXPORT_VIEW_PROPERTY(minDelta, CGFloat) RCT_EXPORT_VIEW_PROPERTY(legalLabelInsets, UIEdgeInsets) RCT_EXPORT_VIEW_PROPERTY(region, MKCoordinateRegion) +RCT_EXPORT_VIEW_PROPERTY(annotations, MKShapeArray) + #pragma mark MKMapViewDelegate @@ -93,12 +65,15 @@ - (void)mapView:(RCTMap *)mapView regionWillChangeAnimated:(BOOL)animated { [self _regionChanged:mapView]; - mapView.regionChangeObserveTimer = [NSTimer timerWithTimeInterval:RCTMapRegionChangeObserveInterval - target:self - selector:@selector(_onTick:) - userInfo:@{ @"mapView": mapView } - repeats:YES]; - [[NSRunLoop mainRunLoop] addTimer:mapView.regionChangeObserveTimer forMode:NSRunLoopCommonModes]; + if (animated) { + mapView.regionChangeObserveTimer = [NSTimer timerWithTimeInterval:RCTMapRegionChangeObserveInterval + target:self + selector:@selector(_onTick:) + userInfo:@{ RCTMapViewKey: mapView } + repeats:YES]; + + [[NSRunLoop mainRunLoop] addTimer:mapView.regionChangeObserveTimer forMode:NSRunLoopCommonModes]; + } } - (void)mapView:(RCTMap *)mapView regionDidChangeAnimated:(BOOL)animated @@ -107,6 +82,17 @@ - (void)mapView:(RCTMap *)mapView regionDidChangeAnimated:(BOOL)animated mapView.regionChangeObserveTimer = nil; [self _regionChanged:mapView]; + + // Don't send region did change events until map has + // started loading, as these won't represent the final location + if (mapView.hasStartedLoading) { + [self _emitRegionChangeEvent:mapView continuous:NO]; + }; +} + +- (void)mapViewWillStartLoadingMap:(RCTMap *)mapView +{ + mapView.hasStartedLoading = YES; [self _emitRegionChangeEvent:mapView continuous:NO]; } @@ -114,7 +100,7 @@ - (void)mapView:(RCTMap *)mapView regionDidChangeAnimated:(BOOL)animated - (void)_onTick:(NSTimer *)timer { - [self _regionChanged:timer.userInfo[@"mapView"]]; + [self _regionChanged:timer.userInfo[RCTMapViewKey]]; } - (void)_regionChanged:(RCTMap *)mapView diff --git a/React/Views/RCTNavigator.h b/React/Views/RCTNavigator.h index ad7a2fd324e520..c59c9a3d3fb27d 100644 --- a/React/Views/RCTNavigator.h +++ b/React/Views/RCTNavigator.h @@ -9,16 +9,17 @@ #import +#import "RCTFrameUpdate.h" #import "RCTInvalidating.h" -@class RCTEventDispatcher; +@class RCTBridge; -@interface RCTNavigator : UIView +@interface RCTNavigator : UIView @property (nonatomic, strong) UIView *reactNavSuperviewLink; @property (nonatomic, assign) NSInteger requestedTopOfStack; -- (instancetype)initWithEventDispatcher:(RCTEventDispatcher *)eventDispatcher NS_DESIGNATED_INITIALIZER; +- (instancetype)initWithBridge:(RCTBridge *)bridge NS_DESIGNATED_INITIALIZER; /** * Schedules a JavaScript navigation and prevents `UIKit` from navigating until diff --git a/React/Views/RCTNavigator.m b/React/Views/RCTNavigator.m index 373313b9318305..f3ebb6554a2cb8 100644 --- a/React/Views/RCTNavigator.m +++ b/React/Views/RCTNavigator.m @@ -10,6 +10,7 @@ #import "RCTNavigator.h" #import "RCTAssert.h" +#import "RCTBridge.h" #import "RCTConvert.h" #import "RCTEventDispatcher.h" #import "RCTLog.h" @@ -190,10 +191,6 @@ - (BOOL)navigationBar:(UINavigationBar *)navigationBar shouldPopItem:(UINavigati @end @interface RCTNavigator() -{ - RCTEventDispatcher *_eventDispatcher; - NSInteger _numberOfViewControllerMovesToIgnore; -} @property (nonatomic, assign) NSInteger previousRequestedTopOfStack; @@ -251,7 +248,6 @@ @interface RCTNavigator() context) { [weakSelf freeLock]; _currentlyTransitioningFrom = 0; _currentlyTransitioningTo = 0; _dummyView.frame = CGRectZero; - _displayLink.paused = YES; + [_bridge removeFrameUpdateObserver:self]; // Reset the parallel position tracker }]; } @@ -400,19 +389,6 @@ - (NSArray *)reactSubviews return _currentViews; } -- (BOOL)isValid -{ - return _displayLink != nil; -} - -- (void)invalidate -{ - // Prevent displayLink from retaining the navigator indefinitely - [_displayLink invalidate]; - _displayLink = nil; - _runTimer = nil; -} - - (void)layoutSubviews { [super layoutSubviews]; @@ -430,7 +406,7 @@ - (void)removeReactSubview:(UIView *)subview - (void)handleTopOfStackChanged { - [_eventDispatcher sendInputEventWithName:@"topNavigateBack" body:@{ + [_bridge.eventDispatcher sendInputEventWithName:@"topNavigateBack" body:@{ @"target":self.reactTag, @"stackLength":@(_navigationController.viewControllers.count) }]; @@ -438,7 +414,7 @@ - (void)handleTopOfStackChanged - (void)dispatchFakeScrollEvent { - [_eventDispatcher sendScrollEventWithType:RCTScrollEventTypeMove + [_bridge.eventDispatcher sendScrollEventWithType:RCTScrollEventTypeMove reactTag:self.reactTag scrollView:nil userData:nil]; @@ -494,21 +470,24 @@ - (void)reactBridgeDidFinishTransaction jsMakingNoProgressAndDoesntNeedTo)) { RCTLogError(@"JS has only made partial progress to catch up to UIKit"); } - RCTAssert( - currentReactCount <= _currentViews.count, - @"Cannot adjust current top of stack beyond available views" - ); + if (currentReactCount > _currentViews.count) { + RCTLogError(@"Cannot adjust current top of stack beyond available views"); + } // Views before the previous react count must not have changed. Views greater than previousReactCount // up to currentReactCount may have changed. for (NSInteger i = 0; i < MIN(_currentViews.count, MIN(_previousViews.count, previousReactCount)); i++) { - RCTAssert(_currentViews[i] == _previousViews[i], @"current view should equal previous view"); + if (_currentViews[i] != _previousViews[i]) { + RCTLogError(@"current view should equal previous view"); + } + } + if (currentReactCount < 1) { + RCTLogError(@"should be at least one current view"); } - RCTAssert(currentReactCount >= 1, @"should be at least one current view"); if (jsGettingAhead) { if (reactPushOne) { UIView *lastView = [_currentViews lastObject]; - RCTWrapperViewController *vc = [[RCTWrapperViewController alloc] initWithNavItem:(RCTNavItem *)lastView eventDispatcher:_eventDispatcher]; + RCTWrapperViewController *vc = [[RCTWrapperViewController alloc] initWithNavItem:(RCTNavItem *)lastView eventDispatcher:_bridge.eventDispatcher]; vc.navigationListener = self; _numberOfViewControllerMovesToIgnore = 1; [_navigationController pushViewController:vc animated:(currentReactCount > 1)]; @@ -517,7 +496,7 @@ - (void)reactBridgeDidFinishTransaction _numberOfViewControllerMovesToIgnore = viewControllerCount - currentReactCount; [_navigationController popToViewController:viewControllerToPopTo animated:YES]; } else { - RCTAssert(NO, @"Pushing or popping more than one view at a time from JS"); + RCTLogError(@"Pushing or popping more than one view at a time from JS"); } } else if (jsCatchingUp) { [self freeLock]; // Nothing to push/pop diff --git a/React/Views/RCTNavigatorManager.m b/React/Views/RCTNavigatorManager.m index 730380bf94b7a8..1158f7dcf8edc5 100644 --- a/React/Views/RCTNavigatorManager.m +++ b/React/Views/RCTNavigatorManager.m @@ -21,7 +21,7 @@ @implementation RCTNavigatorManager - (UIView *)view { - return [[RCTNavigator alloc] initWithEventDispatcher:self.bridge.eventDispatcher]; + return [[RCTNavigator alloc] initWithBridge:self.bridge]; } RCT_EXPORT_VIEW_PROPERTY(requestedTopOfStack, NSInteger) diff --git a/React/Views/RCTTabBarItem.m b/React/Views/RCTTabBarItem.m index 967ae04afc310e..e6caa0b18453de 100644 --- a/React/Views/RCTTabBarItem.m +++ b/React/Views/RCTTabBarItem.m @@ -31,20 +31,19 @@ - (void)setIcon:(NSString *)icon static dispatch_once_t onceToken; dispatch_once(&onceToken, ^{ systemIcons = @{ - @"bookmarks": @(UITabBarSystemItemBookmarks), - @"contacts": @(UITabBarSystemItemContacts), - @"downloads": @(UITabBarSystemItemDownloads), - @"favorites": @(UITabBarSystemItemFavorites), - @"featured": @(UITabBarSystemItemFeatured), - @"history": @(UITabBarSystemItemHistory), - @"more": @(UITabBarSystemItemMore), - @"most-recent": @(UITabBarSystemItemMostRecent), - @"most-viewed": @(UITabBarSystemItemMostViewed), - @"recents": @(UITabBarSystemItemRecents), - @"search": @(UITabBarSystemItemSearch), - @"top-rated": @(UITabBarSystemItemTopRated), - }; - + @"bookmarks": @(UITabBarSystemItemBookmarks), + @"contacts": @(UITabBarSystemItemContacts), + @"downloads": @(UITabBarSystemItemDownloads), + @"favorites": @(UITabBarSystemItemFavorites), + @"featured": @(UITabBarSystemItemFeatured), + @"history": @(UITabBarSystemItemHistory), + @"more": @(UITabBarSystemItemMore), + @"most-recent": @(UITabBarSystemItemMostRecent), + @"most-viewed": @(UITabBarSystemItemMostViewed), + @"recents": @(UITabBarSystemItemRecents), + @"search": @(UITabBarSystemItemSearch), + @"top-rated": @(UITabBarSystemItemTopRated), + }; }); // Update icon diff --git a/React/Views/RCTTextField.h b/React/Views/RCTTextField.h index 47d76ad52893b5..bd1be9c187bd39 100644 --- a/React/Views/RCTTextField.h +++ b/React/Views/RCTTextField.h @@ -15,6 +15,7 @@ @property (nonatomic, assign) BOOL caretHidden; @property (nonatomic, assign) BOOL autoCorrect; +@property (nonatomic, assign) BOOL selectTextOnFocus; @property (nonatomic, assign) UIEdgeInsets contentInset; - (instancetype)initWithEventDispatcher:(RCTEventDispatcher *)eventDispatcher NS_DESIGNATED_INITIALIZER; diff --git a/React/Views/RCTTextField.m b/React/Views/RCTTextField.m index 077e75c5d77666..35eb84d9653dde 100644 --- a/React/Views/RCTTextField.m +++ b/React/Views/RCTTextField.m @@ -104,15 +104,26 @@ - (void)delegateMethod \ } RCT_TEXT_EVENT_HANDLER(_textFieldDidChange, RCTTextEventTypeChange) -RCT_TEXT_EVENT_HANDLER(_textFieldBeginEditing, RCTTextEventTypeFocus) RCT_TEXT_EVENT_HANDLER(_textFieldEndEditing, RCTTextEventTypeEnd) RCT_TEXT_EVENT_HANDLER(_textFieldSubmitEditing, RCTTextEventTypeSubmit) +- (void)_textFieldBeginEditing +{ + if (_selectTextOnFocus) { + dispatch_async(dispatch_get_main_queue(), ^{ + [self selectAll:nil]; + }); + } + [_eventDispatcher sendTextEventWithType:RCTTextEventTypeFocus + reactTag:self.reactTag + text:self.text]; +} + // TODO: we should support shouldChangeTextInRect (see UITextFieldDelegate) - (BOOL)becomeFirstResponder { - _jsRequestingFirstResponder = YES; // TODO: is this still needed? + _jsRequestingFirstResponder = YES; BOOL result = [super becomeFirstResponder]; _jsRequestingFirstResponder = NO; return result; diff --git a/React/Views/RCTTextFieldManager.m b/React/Views/RCTTextFieldManager.m index 3cfdd53a1c3a39..6e78d86a3b1c39 100644 --- a/React/Views/RCTTextFieldManager.m +++ b/React/Views/RCTTextFieldManager.m @@ -30,6 +30,8 @@ - (UIView *)view RCT_EXPORT_VIEW_PROPERTY(placeholder, NSString) RCT_EXPORT_VIEW_PROPERTY(text, NSString) RCT_EXPORT_VIEW_PROPERTY(clearButtonMode, UITextFieldViewMode) +RCT_REMAP_VIEW_PROPERTY(clearTextOnFocus, clearsOnBeginEditing, BOOL) +RCT_EXPORT_VIEW_PROPERTY(selectTextOnFocus, BOOL) RCT_EXPORT_VIEW_PROPERTY(keyboardType, UIKeyboardType) RCT_EXPORT_VIEW_PROPERTY(returnKeyType, UIReturnKeyType) RCT_EXPORT_VIEW_PROPERTY(enablesReturnKeyAutomatically, BOOL) diff --git a/React/Views/RCTViewManager.h b/React/Views/RCTViewManager.h index 17d89dff69465d..92336fa410d543 100644 --- a/React/Views/RCTViewManager.h +++ b/React/Views/RCTViewManager.h @@ -28,7 +28,7 @@ typedef void (^RCTViewManagerUIBlock)(RCTUIManager *uiManager, RCTSparseArray *v * allowing the manager (or the views that it manages) to manipulate the view * hierarchy and send events back to the JS context. */ -@property (nonatomic, strong) RCTBridge *bridge; +@property (nonatomic, weak) RCTBridge *bridge; /** * This method instantiates a native view to be managed by the module. Override diff --git a/package.json b/package.json index 7795b5e44d65a2..d5169828ef6b04 100644 --- a/package.json +++ b/package.json @@ -1,6 +1,6 @@ { "name": "react-native", - "version": "0.3.11", + "version": "0.3.7", "description": "A framework for building native apps using React", "repository": { "type": "git", @@ -47,22 +47,23 @@ "chalk": "^1.0.0", "connect": "2.8.3", "debug": "~2.1.0", + "image-size": "0.3.5", "joi": "~5.1.0", "jstransform": "10.1.0", "module-deps": "3.5.6", "optimist": "0.6.1", + "promise": "^7.0.0", "react-timer-mixin": "^0.13.1", "react-tools": "0.13.1", "rebound": "^0.0.12", - "sane": "1.0.1", + "sane": "1.0.3", "source-map": "0.1.31", "stacktrace-parser": "0.1.1", "uglify-js": "~2.4.16", "underscore": "1.7.0", "worker-farm": "1.1.0", "ws": "0.4.31", - "yargs": "1.3.2", - "image-size": "0.3.5" + "yargs": "1.3.2" }, "devDependencies": { "jest-cli": "0.2.1", diff --git a/packager/blacklist.js b/packager/blacklist.js index b5ba418529f77e..9bfeda509b8d87 100644 --- a/packager/blacklist.js +++ b/packager/blacklist.js @@ -18,26 +18,35 @@ var sharedBlacklist = [ 'node_modules/react-tools/src/event/EventPropagators.js' ]; -var webBlacklist = [ - '.ios.js' -]; - -var iosBlacklist = [ - 'node_modules/react-tools/src/browser/ui/React.js', - 'node_modules/react-tools/src/browser/eventPlugins/ResponderEventPlugin.js', - // 'node_modules/react-tools/src/vendor/core/ExecutionEnvironment.js', - '.web.js', - '.android.js', -]; +var platformBlacklists = { + web: [ + '.ios.js' + ], + ios: [ + 'node_modules/react-tools/src/browser/ui/React.js', + 'node_modules/react-tools/src/browser/eventPlugins/ResponderEventPlugin.js', + // 'node_modules/react-tools/src/vendor/core/ExecutionEnvironment.js', + '.web.js', + '.android.js', + ], + android: [ + 'node_modules/react-tools/src/browser/ui/React.js', + 'node_modules/react-tools/src/browser/eventPlugins/ResponderEventPlugin.js', + 'node_modules/react-tools/src/browser/ReactTextComponent.js', + // 'node_modules/react-tools/src/vendor/core/ExecutionEnvironment.js', + '.web.js', + '.ios.js', + ], +}; function escapeRegExp(str) { return str.replace(/[\-\[\]\/\{\}\(\)\*\+\?\.\\\^\$\|]/g, '\\$&'); } -function blacklist(isWeb, additionalBlacklist) { +function blacklist(platform, additionalBlacklist) { return new RegExp('(' + (additionalBlacklist || []).concat(sharedBlacklist) - .concat(isWeb ? webBlacklist : iosBlacklist) + .concat(platformBlacklists[platform] || []) .map(escapeRegExp) .join('|') + ')$' diff --git a/packager/packager.js b/packager/packager.js index b098f0a31ba795..23da3a78c62ca7 100644 --- a/packager/packager.js +++ b/packager/packager.js @@ -42,6 +42,10 @@ var options = parseCommandLine([{ }, { command: 'assetRoots', description: 'specify the root directories of app assets' +}, { + command: 'platform', + default: 'ios', + description: 'Specify the platform-specific blacklist (ios, android, web).' }, { command: 'skipflow', description: 'Disable flow checks' @@ -192,7 +196,7 @@ function statusPageMiddleware(req, res, next) { function getAppMiddleware(options) { return ReactPackager.middleware({ projectRoots: options.projectRoots, - blacklistRE: blacklist(false), + blacklistRE: blacklist(options.platform), cacheVersion: '2', transformModulePath: require.resolve('./transformer.js'), assetRoots: options.assetRoots, @@ -200,7 +204,7 @@ function getAppMiddleware(options) { } function runServer( - options, /* {[]string projectRoot, bool web} */ + options, readyCallback ) { var app = connect() diff --git a/packager/react-packager/src/DependencyResolver/ModuleDescriptor.js b/packager/react-packager/src/DependencyResolver/ModuleDescriptor.js index c46a57e60a98ab..3cdfa1c6a6e2bb 100644 --- a/packager/react-packager/src/DependencyResolver/ModuleDescriptor.js +++ b/packager/react-packager/src/DependencyResolver/ModuleDescriptor.js @@ -37,6 +37,12 @@ function ModuleDescriptor(fields) { throw new Error('Cannot be an asset and a deprecated asset'); } + this.resolution = fields.resolution; + + if (this.isAsset && isNaN(this.resolution)) { + throw new Error('Expected resolution to be a number for asset modules'); + } + this.altId = fields.altId; this._fields = fields; diff --git a/packager/react-packager/src/DependencyResolver/haste/DependencyGraph/__tests__/DependencyGraph-test.js b/packager/react-packager/src/DependencyResolver/haste/DependencyGraph/__tests__/DependencyGraph-test.js index 25343fdc655c6a..40705911670419 100644 --- a/packager/react-packager/src/DependencyResolver/haste/DependencyGraph/__tests__/DependencyGraph-test.js +++ b/packager/react-packager/src/DependencyResolver/haste/DependencyGraph/__tests__/DependencyGraph-test.js @@ -169,7 +169,74 @@ describe('DependencyGraph', function() { { id: 'rootPackage/imgs/a.png', path: '/root/imgs/a.png', dependencies: [], - isAsset: true + isAsset: true, + resolution: 1, + }, + ]); + }); + }); + + pit('should get dependencies with assets and resolution', function() { + var root = '/root'; + fs.__setMockFilesystem({ + 'root': { + 'index.js': [ + '/**', + ' * @providesModule index', + ' */', + 'require("./imgs/a.png");', + 'require("./imgs/b.png");', + 'require("./imgs/c.png");', + ].join('\n'), + 'imgs': { + 'a@1.5x.png': '', + 'b@.7x.png': '', + 'c.png': '', + 'c@2x.png': '', + }, + 'package.json': JSON.stringify({ + name: 'rootPackage' + }), + } + }); + + var dgraph = new DependencyGraph({ + roots: [root], + fileWatcher: fileWatcher, + }); + return dgraph.load().then(function() { + expect(dgraph.getOrderedDependencies('/root/index.js')) + .toEqual([ + { + id: 'index', + altId: 'rootPackage/index', + path: '/root/index.js', + dependencies: [ + './imgs/a.png', + './imgs/b.png', + './imgs/c.png', + ] + }, + { + id: 'rootPackage/imgs/a.png', + path: '/root/imgs/a@1.5x.png', + resolution: 1.5, + dependencies: [], + isAsset: true, + }, + { + id: 'rootPackage/imgs/b.png', + path: '/root/imgs/b@.7x.png', + resolution: 0.7, + dependencies: [], + isAsset: true + }, + { + id: 'rootPackage/imgs/c.png', + path: '/root/imgs/c.png', + resolution: 1, + dependencies: [], + isAsset: true }, ]); }); @@ -213,7 +280,8 @@ describe('DependencyGraph', function() { id: 'rootPackage/imgs/a.png', path: '/root/imgs/a.png', dependencies: [], - isAsset: true + isAsset: true, + resolution: 1, }, { id: 'image!a', @@ -1332,6 +1400,7 @@ describe('DependencyGraph', function() { path: '/root/foo.png', dependencies: [], isAsset: true, + resolution: 1, }, ]); }); diff --git a/packager/react-packager/src/DependencyResolver/haste/DependencyGraph/index.js b/packager/react-packager/src/DependencyResolver/haste/DependencyGraph/index.js index 26276f5a45dbd8..f92a3195084e75 100644 --- a/packager/react-packager/src/DependencyResolver/haste/DependencyGraph/index.js +++ b/packager/react-packager/src/DependencyResolver/haste/DependencyGraph/index.js @@ -258,7 +258,7 @@ DependecyGraph.prototype.resolveDependency = function( } // JS modules can be required without extensios. - if (this._assetExts.indexOf(extname(modulePath)) === -1) { + if (!this._isFileAsset(modulePath)) { modulePath = withExtJs(modulePath); } @@ -266,10 +266,14 @@ DependecyGraph.prototype.resolveDependency = function( // Maybe the dependency is a directory and there is an index.js inside it. if (dep == null) { - modulePath = path.join(dir, depModuleId, 'index.js'); + dep = this._graph[path.join(dir, depModuleId, 'index.js')]; } - dep = this._graph[modulePath]; + // Maybe it's an asset with @n.nx resolution and the path doesn't map + // to the id + if (dep == null && this._isFileAsset(modulePath)) { + dep = this._moduleById[this._lookupName(modulePath)]; + } if (dep == null) { debug( @@ -417,11 +421,14 @@ DependecyGraph.prototype._processModule = function(modulePath) { var module; if (this._assetExts.indexOf(extname(modulePath)) > -1) { - moduleData.id = this._lookupName(modulePath); + var assetData = extractResolutionPostfix(this._lookupName(modulePath)); + moduleData.id = assetData.assetName; + moduleData.resolution = assetData.resolution; moduleData.isAsset = true; moduleData.dependencies = []; - module = Promise.resolve(new ModuleDescriptor(moduleData)); + module = new ModuleDescriptor(moduleData); this._updateGraphWithModule(module); + return Promise.resolve(module); } var self = this; @@ -652,6 +659,10 @@ DependecyGraph.prototype._processAssetChange_DEPRECATED = function(eventType, fi } }; +DependecyGraph.prototype._isFileAsset = function(file) { + return this._assetExts.indexOf(extname(file)) !== -1; +}; + /** * Extract all required modules from a `code` string. */ @@ -761,6 +772,27 @@ function extname(name) { return path.extname(name).replace(/^\./, ''); } +function extractResolutionPostfix(filename) { + var ext = extname(filename); + var re = new RegExp('@([\\d\\.]+)x\\.' + ext + '$'); + + var match = filename.match(re); + var resolution; + + if (!(match && match[1])) { + resolution = 1; + } else { + resolution = parseFloat(match[1], 10); + if (isNaN(resolution)) { + resolution = 1; + } + } + + return { + resolution: resolution, + assetName: match ? filename.replace(re, '.' + ext) : filename, + }; +} function NotFoundError() { Error.call(this); diff --git a/packager/react-packager/src/DependencyResolver/haste/__tests__/HasteDependencyResolver-test.js b/packager/react-packager/src/DependencyResolver/haste/__tests__/HasteDependencyResolver-test.js index 8620d488306426..b3063cb57c3897 100644 --- a/packager/react-packager/src/DependencyResolver/haste/__tests__/HasteDependencyResolver-test.js +++ b/packager/react-packager/src/DependencyResolver/haste/__tests__/HasteDependencyResolver-test.js @@ -82,6 +82,29 @@ describe('HasteDependencyResolver', function() { 'polyfills/console.js' ], }, + { id: 'polyfills/String.prototype.es6.js', + isPolyfill: true, + path: 'polyfills/String.prototype.es6.js', + dependencies: [ + 'polyfills/prelude.js', + 'polyfills/require.js', + 'polyfills/polyfills.js', + 'polyfills/console.js', + 'polyfills/error-guard.js' + ], + }, + { id: 'polyfills/Array.prototype.es6.js', + isPolyfill: true, + path: 'polyfills/Array.prototype.es6.js', + dependencies: [ + 'polyfills/prelude.js', + 'polyfills/require.js', + 'polyfills/polyfills.js', + 'polyfills/console.js', + 'polyfills/error-guard.js', + 'polyfills/String.prototype.es6.js', + ], + }, module ]); }); @@ -142,6 +165,29 @@ describe('HasteDependencyResolver', function() { 'polyfills/console.js' ], }, + { id: 'polyfills/String.prototype.es6.js', + isPolyfill: true, + path: 'polyfills/String.prototype.es6.js', + dependencies: [ + 'polyfills/prelude_dev.js', + 'polyfills/require.js', + 'polyfills/polyfills.js', + 'polyfills/console.js', + 'polyfills/error-guard.js' + ], + }, + { id: 'polyfills/Array.prototype.es6.js', + isPolyfill: true, + path: 'polyfills/Array.prototype.es6.js', + dependencies: [ + 'polyfills/prelude_dev.js', + 'polyfills/require.js', + 'polyfills/polyfills.js', + 'polyfills/console.js', + 'polyfills/error-guard.js', + 'polyfills/String.prototype.es6.js' + ], + }, module ]); }); @@ -203,6 +249,29 @@ describe('HasteDependencyResolver', function() { 'polyfills/console.js' ], }, + { id: 'polyfills/String.prototype.es6.js', + isPolyfill: true, + path: 'polyfills/String.prototype.es6.js', + dependencies: [ + 'polyfills/prelude.js', + 'polyfills/require.js', + 'polyfills/polyfills.js', + 'polyfills/console.js', + 'polyfills/error-guard.js' + ], + }, + { id: 'polyfills/Array.prototype.es6.js', + isPolyfill: true, + path: 'polyfills/Array.prototype.es6.js', + dependencies: [ + 'polyfills/prelude.js', + 'polyfills/require.js', + 'polyfills/polyfills.js', + 'polyfills/console.js', + 'polyfills/error-guard.js', + 'polyfills/String.prototype.es6.js', + ], + }, { path: 'some module', id: 'some module', isPolyfill: true, @@ -212,6 +281,8 @@ describe('HasteDependencyResolver', function() { 'polyfills/polyfills.js', 'polyfills/console.js', 'polyfills/error-guard.js', + 'polyfills/String.prototype.es6.js', + 'polyfills/Array.prototype.es6.js' ] }, module diff --git a/packager/react-packager/src/DependencyResolver/haste/index.js b/packager/react-packager/src/DependencyResolver/haste/index.js index e700e5fd02496c..2583ac8fd1b477 100644 --- a/packager/react-packager/src/DependencyResolver/haste/index.js +++ b/packager/react-packager/src/DependencyResolver/haste/index.js @@ -112,6 +112,8 @@ HasteDependencyResolver.prototype._prependPolyfillDependencies = function( path.join(__dirname, 'polyfills/polyfills.js'), path.join(__dirname, 'polyfills/console.js'), path.join(__dirname, 'polyfills/error-guard.js'), + path.join(__dirname, 'polyfills/String.prototype.es6.js'), + path.join(__dirname, 'polyfills/Array.prototype.es6.js'), ].concat(this._polyfillModuleNames); var polyfillModules = polyfillModuleNames.map( diff --git a/packager/react-packager/src/DependencyResolver/haste/polyfills/Array.prototype.es6.js b/packager/react-packager/src/DependencyResolver/haste/polyfills/Array.prototype.es6.js new file mode 100644 index 00000000000000..78298a2fcc26cf --- /dev/null +++ b/packager/react-packager/src/DependencyResolver/haste/polyfills/Array.prototype.es6.js @@ -0,0 +1,106 @@ +/** + * Copyright 2004-present Facebook. All Rights Reserved. + * + * @provides Array.prototype.es6 + * @polyfill + * @requires __DEV__ + */ + +/*eslint-disable */ +/*jslint bitwise: true */ + +(function (undefined) { + if (__DEV__) { + // Define DEV-only setter that blows up when someone incorrectly + // iterates over arrays. + try { + Object.defineProperty && Object.defineProperty( + Array.prototype, + '__ARRAY_ENUMERATION_GUARD__', + { + configurable: true, + enumerable: true, + get: function() { + console.error( + 'Your code is broken! Do not iterate over arrays with ' + + 'for...in. See https://fburl.com/31944000 for more information.' + ); + } + } + ); + } catch (e) { + // Nothing + } + } + + // https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Array/findIndex + function findIndex(predicate, context) { + /** + * Why am I seeing this "findIndex" method as a value in my array!? + * + * We polyfill the "findIndex" method -- called like + * `[1, 2, 3].findIndex(1)` -- for older browsers. A side effect of the way + * we do that is that the method is enumerable. If you were incorrectly + * iterating over your array using the object property iterator syntax + * `for (key in obj)` you will see the method name "findIndex" as a key. + * + * To fix your code please do one of the following: + * + * - Use a regular for loop with index. + * - Use one of the array methods: a.forEach, a.map, etc. + * - Guard your body of your loop with a `arr.hasOwnProperty(key)` check. + * + * More info: + * https://our.intern.facebook.com/intern/dex/qa/669736606441771/ + */ + if (this == null) { + throw new TypeError( + 'Array.prototype.findIndex called on null or undefined' + ); + } + if (typeof predicate !== 'function') { + throw new TypeError('predicate must be a function'); + } + var list = Object(this); + var length = list.length >>> 0; + for (var i = 0; i < length; i++) { + if (predicate.call(context, list[i], i, list)) { + return i; + } + } + return -1; + } + + if (!Array.prototype.findIndex) { + Array.prototype.findIndex = findIndex; + } + + // https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Array/find + if (!Array.prototype.find) { + Array.prototype.find = function(predicate, context) { + /** + * Why am I seeing this "find" method as a value in my array!? + * + * We polyfill the "find" method -- called like + * `[1, 2, 3].find(1)` -- for older browsers. A side effect of the way + * we do that is that the method is enumerable. If you were incorrectly + * iterating over your array using the object property iterator syntax + * `for (key in obj)` you will see the method name "find" as a key. + * + * To fix your code please do one of the following: + * + * - Use a regular for loop with index. + * - Use one of the array methods: a.forEach, a.map, etc. + * - Guard your body of your loop with a `arr.hasOwnProperty(key)` check. + * + * More info: + * https://our.intern.facebook.com/intern/dex/qa/669736606441771/ + */ + if (this == null) { + throw new TypeError('Array.prototype.find called on null or undefined'); + } + var index = findIndex.call(this, predicate, context); + return index === -1 ? undefined : this[index]; + }; + } +})(); diff --git a/packager/react-packager/src/DependencyResolver/haste/polyfills/String.prototype.es6.js b/packager/react-packager/src/DependencyResolver/haste/polyfills/String.prototype.es6.js new file mode 100644 index 00000000000000..afc68d76ab5357 --- /dev/null +++ b/packager/react-packager/src/DependencyResolver/haste/polyfills/String.prototype.es6.js @@ -0,0 +1,85 @@ +/** + * @provides String.prototype.es6 + * @polyfill + */ + +/*eslint global-strict:0, no-extend-native:0, no-bitwise:0 */ +/*jshint bitwise:false*/ + +/* + * NOTE: We use (Number(x) || 0) to replace NaN values with zero. + */ + +if (!String.prototype.startsWith) { + String.prototype.startsWith = function(search) { + 'use strict'; + if (this == null) { + throw TypeError(); + } + var string = String(this); + var pos = arguments.length > 1 ? + (Number(arguments[1]) || 0) : 0; + var start = Math.min(Math.max(pos, 0), string.length); + return string.indexOf(String(search), pos) === start; + }; +} + +if (!String.prototype.endsWith) { + String.prototype.endsWith = function(search) { + 'use strict'; + if (this == null) { + throw TypeError(); + } + var string = String(this); + var stringLength = string.length; + var searchString = String(search); + var pos = arguments.length > 1 ? + (Number(arguments[1]) || 0) : stringLength; + var end = Math.min(Math.max(pos, 0), stringLength); + var start = end - searchString.length; + if (start < 0) { + return false; + } + return string.lastIndexOf(searchString, start) === start; + }; +} + +if (!String.prototype.contains) { + String.prototype.contains = function(search) { + 'use strict'; + if (this == null) { + throw TypeError(); + } + var string = String(this); + var pos = arguments.length > 1 ? + (Number(arguments[1]) || 0) : 0; + return string.indexOf(String(search), pos) !== -1; + }; +} + +if (!String.prototype.repeat) { + String.prototype.repeat = function(count) { + 'use strict'; + if (this == null) { + throw TypeError(); + } + var string = String(this); + count = Number(count) || 0; + if (count < 0 || count === Infinity) { + throw RangeError(); + } + if (count === 1) { + return string; + } + var result = ''; + while (count) { + if (count & 1) { + result += string; + } + if ((count >>= 1)) { + string += string; + } + } + return result; + }; +} diff --git a/packager/react-packager/src/Packager/__tests__/Packager-test.js b/packager/react-packager/src/Packager/__tests__/Packager-test.js index f4675c4715931d..cc5c4471d79e26 100644 --- a/packager/react-packager/src/Packager/__tests__/Packager-test.js +++ b/packager/react-packager/src/Packager/__tests__/Packager-test.js @@ -57,6 +57,7 @@ describe('Packager', function() { id: 'new_image.png', path: '/root/img/new_image.png', isAsset: true, + resolution: 2, dependencies: [] } ]; @@ -111,8 +112,8 @@ describe('Packager', function() { isStatic: true, path: '/root/img/new_image.png', uri: 'img/new_image.png', - width: 50, - height: 100, + width: 25, + height: 50, }; expect(p.addModule.mock.calls[3]).toEqual([ diff --git a/packager/react-packager/src/Packager/index.js b/packager/react-packager/src/Packager/index.js index cfdd842db68b1c..9e94be21323534 100644 --- a/packager/react-packager/src/Packager/index.js +++ b/packager/react-packager/src/Packager/index.js @@ -195,8 +195,8 @@ function generateAssetModule(module, relPath) { isStatic: true, path: module.path, //TODO(amasad): this should be path inside tar file. uri: relPath, - width: dimensions.width, - height: dimensions.height, + width: dimensions.width / module.resolution, + height: dimensions.height / module.resolution, }; var code = 'module.exports = ' + JSON.stringify(img) + ';';