GithubHelp home page GithubHelp logo

hhy5277 / react-native-tableview Goto Github PK

View Code? Open in Web Editor NEW

This project forked from aksonov/react-native-tableview

0.0 1.0 0.0 3.39 MB

Native iOS UITableView for React Native with JSON support and more

License: BSD 2-Clause "Simplified" License

Ruby 0.58% Objective-C 64.09% Python 1.92% Java 1.57% JavaScript 31.84%

react-native-tableview's Introduction

React Native TableView

Native iOS UITableView for React Native with JSON support

npm version npm downloads code style: prettier

Contents

Features

  • Look and feel of iOS TableView - because it is! (with group/plain tableview type, sections headers, etc)
  • Display long lists of data (like country list) with no performance loss
  • Built-in accessory types (checkmark or disclosure indicator)
  • Pull to refresh!
  • Automatic scroll to initial selected value during component initialization (autoFocus property)
  • Automatic item selection with "checkmark" with old item de-selection (optionally), see demo, useful to select country/state/etc.
  • Render Native Section Index Titles (sectionIndexTitlesEnabled property)
  • Native JSON support for datasource. If you need to display large dataset, generated Javascript will became very large and impact js loading time. To solve this problem the component could read JSON directly from app bundle without JS!
  • Filter JSON datasources using NSPredicate syntax. For example you could select states for given country only (check demo)
  • Create custom UITableView cells with flexible height using React Native syntax (TableView.Cell tag)
  • Use TableView as menu to navigate to other screens (check included demo, using react-navigation https://reactnavigation.org)
  • Native editing mode for table - move/delete option is supported by using attributes canMove, canEdit for items/sections

Installation

  1. Installation

    • Using npm: npm install react-native-tableview --save
    • Using yarn: yarn add react-native-tableview
  2. Link

    • react-native link react-native-tableview
    • If fails, follow manual linking steps below
  3. (optional) If you will use JSON file, add it to iOS application bundle

  4. Import it in your JS:

    import TableView from 'react-native-tableview'

Manual Linking

  1. In XCode, in the project navigator, right click Libraries โžœ Add Files to [your project's name]
  2. Add ./node_modules/react-native-tableview/RNTableView.xcodeproj
  3. In the XCode project navigator, select your project, select the Build Phases tab and in the Link Binary With Libraries section add libRNTableView.a
  4. And in the Build Settings tab in the Search Paths/Header Search Paths section add $(SRCROOT)/../node_modules/react-native-tableview (make sure it's recursive).

Supported Styles

UITableView styles

These values are provided to the tableViewStyle prop.

<TableView tableViewStyle={TableView.Consts.Style.Grouped}>
Style Value Preview
Plain TableView.Consts.Style.Plain alt text
Grouped TableView.Consts.Style.Grouped alt text

UITableViewCell styles

These values are provided to the tableViewCellStyle prop.

<TableView tableViewCellStyle={TableView.Consts.CellStyle.Default}>
Style Value Preview
Default TableView.Consts.CellStyle.Default alt text
Value1 TableView.Consts.CellStyle.Value1 alt text
Value2 TableView.Consts.CellStyle.Value2 alt text
Subtitle TableView.Consts.CellStyle.Subtitle alt text

Accessory types

These values are provided to the accessoryType prop on the Item.

<Item accessoryType={TableView.Consts.AccessoryType.None}>
Style Value Preview
None TableView.Consts.AccessoryType.None alt text
Disclosure Indicator TableView.Consts.AccessoryType.DisclosureIndicator alt text
Disclosure Button TableView.Consts.AccessoryType.DisclosureButton alt text
Checkmark TableView.Consts.AccessoryType.Checkmark alt text
Detail Button TableView.Consts.AccessoryType.DetailButton alt text

Disclosure Indicator can also be applied by adding the arrow prop on the section.

<Section arrow>

Checkmark can also be applied by adding the selected prop on the Item.

<Item selected>

Props

For a full list of props on all components check out the typescript definitions file.

Methods

scrollTo()

Scrolls to a set of coordinates on the tableview.

/**
  * @param x Horizontal pixels to scroll
  * @param y Vertical pixels to scroll
  * @param animated With animation or not
  */
  scrollTo(x: number, y: number, animated: boolean): void;

scrollToIndex()

Scroll to an item in a section

/**
  * @param params scroll params
  * @param params.index index of the cell
  * @param params.section index of the section @default 0
  * @param params.animated scroll with animation @default true
  */
  scrollToIndex(params: { index: number, section?: number, animated?: boolean }): void;

List item format

Items in the list can be either TableView.Item or TableView.Cell. An Item is simply text. A Cell can be any complex component. However, only Items can be edited or moved. There are also issues with Cells re-rendering on data changes (#19) that can be avoided by using Items. If you want to be able to re-render, edit or move a complex component, use reactModuleForCell, described in Editable Complex Components.

Examples

Smooth scrolling with large network loaded list

demo-3

state = {
  loading: true,
  users: [],
}

async componentWillMount() {
  const response = await fetch('https://randomuser.me/api/?results=5000')
  const data = await response.json()

  this.setState({
    loading: false,
    users: data.results.map(a => ({
      name: `${a.name.first} ${a.name.last}`,
      id: a.registered,
    })),
  })
}

render() {
  return (
    <View style={{ flex: 1 }}>
      <Text style={styles.title}>
        {this.state.loading ? 'Fetching' : 'Fetched'} 5000 users
      </Text>

      {this.state.loading && <ActivityIndicator />}

      <TableView
        style={{ flex: 1 }}
        tableViewCellStyle={TableView.Consts.CellStyle.Subtitle}
      >
        <Section>
          {this.state.users.map(a => <Item key={a.id}>{a.name}</Item>)}
        </Section>
      </TableView>
    </View>
  )
}

App-bundled JSON with filter and selected value checkmarked

editing example

// list spanish provinces and add 'All states' item at the beginning

const country = 'ES'

return (
  <View style={{ flex: 1 }}>
    <Text style={styles.title}>Showing States in Spain</Text>
    <TableView
      style={{ flex: 1 }}
      json="states"
      selectedValue="ES53"
      filter={`country=='${country}'`}
      tableViewCellStyle={TableView.Consts.CellStyle.Subtitle}
      onPress={event => alert(JSON.stringify(event))}
    />
  </View>
)

Built-in editing

editing example

render() {
  return (
    <View style={{ flex: 1 }}>
      <TableView
        style={{ flex: 1 }}
        editing={this.props.navigation.state.params.editing}
      >
        <Section canMove canEdit>
          <Item canEdit={false}>Item 1</Item>
          <Item>Item 2</Item>
          <Item>Item 3</Item>
          <Item>Item 4</Item>
          <Item>Item 5</Item>
          <Item>Item 6</Item>
          <Item>Item 7</Item>
          <Item>Item 8</Item>
        </Section>
      </TableView>
    </View>
  )
}

Pull to Refresh

pull to refresh example

state = {
  loading: true,
  users: [],
  refreshing: false,
  amount: 10,
}

async componentWillMount() {
  const users = await this.fetchUsers()

  this.setState({
    loading: false,
    users,
  })
}

fetchUsers = async () => {
  const response = await fetch('https://randomuser.me/api/?results=10')
  const data = await response.json()

  return data.results.map(a => ({
    name: `${a.name.first} ${a.name.last}`,
    id: a.registered,
  }))
}

fetchMore = () => {
  this.setState({ refreshing: true }, async () => {
    const users = await this.fetchUsers()
    this.setState({ users: [...users, ...this.state.users], refreshing: false, amount: this.state.amount + 10 })
  })
}

render() {
  return (
    <View style={{ flex: 1 }}>
      <Text style={styles.title}>
        {this.state.loading ? 'Fetching' : 'Fetched'} {this.state.amount} users
      </Text>

      {this.state.loading && <ActivityIndicator />}

      <TableView
        style={{ flex: 1 }}
        tableViewCellStyle={TableView.Consts.CellStyle.Subtitle}
        canRefresh
        refreshing={this.state.refreshing}
        onRefresh={this.fetchMore}
      >
        <Section>{this.state.users.map(a => <Item key={a.id}>{a.name}</Item>)}</Section>
      </TableView>
    </View>
  )
}

Customization

The following style props are supported:

  • tableViewCellStyle
  • tableViewCellEditingStyle
  • separatorStyle
  • contentInset
  • contentOffset
  • scrollIndicatorInsets
  • cellLayoutMargins
  • cellSeparatorInset

Colors:

  • textColor
  • tintColor
  • selectedTextColor
  • detailTextColor
  • separatorColor
  • headerTextColor
  • headerBackgroundColor
  • footerTextColor

Base font:

  • fontSize
  • fontWeight
  • fontStyle
  • fontFamily

"Subtitle" font:

  • detailFontSize
  • detailFontWeight
  • detailFontStyle
  • detailFontFamily

Header font:

  • headerFontSize
  • headerFontWeight
  • headerFontStyle
  • headerFontFamily

Footer font:

  • footerFontSize
  • footerFontWeight
  • footerFontStyle
  • footerFontFamily

Images / Icons

An Item component takes an image and an optional imageWidth prop.

An image prop can be a string pointing to the name of an asset in your "Asset Catalog". In this case an imageWidth prop is recommended.

;<Item image="icon-success.png" imageWidth={40} />

Alternatively, you can require the image from your local app code. In this case an imageWidth is unnecessary.

;<Item image={require('../images/icon-success.png')} />

Editable Complex Components

Only Items can be edited or moved. However you can create a complex component that is referenced by an Item using reactModuleForCell. You will need to do several things to set this up.

  1. Add some lines to AppDelegate.m
  2. Write your view component.
  3. Pass the name of your view component as a prop in your <TableView> component.
  4. Create a list of <Item>s in your TableView, passing props intended for your view component.
  5. Register your view component as an App root view.

Modifying AppDelegate.m

Add the following import statement with the other imports at the top of the file:

#import <RNTableView/RNAppGlobals.h>

Add the following two lines

//Save main bridge so that RNTableView could access our bridge to create its RNReactModuleCells
[[RNAppGlobals sharedInstance] setAppBridge:rootView.bridge];

just before the self.window = line near the bottom of the file. If you have not already done so, add the header search path as shown in Getting Started.

Write your cell view component.

For example,

//Should be pure... setState on top-level component doesn't seem to work

class TableViewExampleCell extends React.Component {
  render() {
    var style = { borderColor: '#aaaaaa', borderWidth: 1, borderRadius: 3 }

    // Fill the full native table cell height.
    style.flex = 1

    // All Item props get passed to this cell inside this.props.data. Use them to control the rendering, for example background color:
    if (this.props.data.backgroundColor !== undefined) {
      style.backgroundColor = this.props.data.backgroundColor
    }

    return (
      <View style={style}>
        <Text>
          section:{this.props.section},row:{this.props.row},label:{this.props.data.label}
        </Text>
        <Text> message:{this.props.data.message}</Text>
      </View>
    )
  }
}

For more examples, see examples/TableViewDemo.

Pass component as prop.

<TableView reactModuleForCell="TableViewExampleCell" >

Create list of items, passing props

;<Section canEdit={true}>
  {this.props.items.map(function(item) {
    return (
      <Item
        key={'i' + item.data.date}
        label={item.label}
        message={item.message}
      />
    )
  })}
</Section>

Note that the props you pass must be primitive types: they cannot be objects. Also, note that the props become properties of the data prop in your reactModuleForCell component. That is, you pass label="foo" and in your component you pick it up as this.props.data.label.

Register your component.

Each cell you render becomes a reuseable root view or App.

var { AppRegistry } = React;

...

AppRegistry.registerComponent('TableViewExample', () => TableViewExample);

When debugging, you will see the message:

Running application "TableViewExample" with appParams: { /* params */ }. __DEV__ === true, development-level warning are ON, performance optimizations are OFF

multiple times. While slightly annoying, this does not seem to affect performance. You may also see message Unbalanced calls start/end for tag 5.

react-native-tableview's People

Contributors

aksonov avatar cancan101 avatar chetstone avatar chirag04 avatar damikdk avatar danielbraun avatar elliottsj avatar emielvanliere avatar gabrielbull avatar gensc004 avatar gpbl avatar hnryjms avatar hxiongg avatar intmainvoid avatar iroachie avatar kyler-hyuna avatar mekarina avatar mferea avatar nathan-smith avatar nyura123 avatar oblador avatar phaibin avatar q210 avatar robdel12 avatar sdrammis avatar sjchmiela avatar sst-nathan avatar xlarsx avatar

Watchers

 avatar

Recommend Projects

  • React photo React

    A declarative, efficient, and flexible JavaScript library for building user interfaces.

  • Vue.js photo Vue.js

    ๐Ÿ–– Vue.js is a progressive, incrementally-adoptable JavaScript framework for building UI on the web.

  • Typescript photo Typescript

    TypeScript is a superset of JavaScript that compiles to clean JavaScript output.

  • TensorFlow photo TensorFlow

    An Open Source Machine Learning Framework for Everyone

  • Django photo Django

    The Web framework for perfectionists with deadlines.

  • D3 photo D3

    Bring data to life with SVG, Canvas and HTML. ๐Ÿ“Š๐Ÿ“ˆ๐ŸŽ‰

Recommend Topics

  • javascript

    JavaScript (JS) is a lightweight interpreted programming language with first-class functions.

  • web

    Some thing interesting about web. New door for the world.

  • server

    A server is a program made to process requests and deliver data to clients.

  • Machine learning

    Machine learning is a way of modeling and interpreting data that allows a piece of software to respond intelligently.

  • Game

    Some thing interesting about game, make everyone happy.

Recommend Org

  • Facebook photo Facebook

    We are working to build community through open source technology. NB: members must have two-factor auth.

  • Microsoft photo Microsoft

    Open source projects and samples from Microsoft.

  • Google photo Google

    Google โค๏ธ Open Source for everyone.

  • D3 photo D3

    Data-Driven Documents codes.