Giter Site home page Giter Site logo

react-native-tinder-swipe-cards's Introduction

Swipe Cards for React Native

A package based on @brentvatne's awesome example.

React Native Swipe Cards

Quick Start

  1. npm install --save react-native-swipe-cards
  2. Create a module e.g. SwipeCards.js
  3. Import it import SwipeCards from './SwipeCards.js'
  4. Render it <SwipeCards style={{flex: 1}} />
// SwipeCards.js
'use strict';

import React, { Component } from 'react';
import {StyleSheet, Text, View, Image} from 'react-native';

import SwipeCards from 'react-native-swipe-cards';

class Card extends React.Component {
  constructor(props) {
    super(props);
  }

  render() {
    return (
      <View style={[styles.card, {backgroundColor: this.props.backgroundColor}]}>
        <Text>{this.props.text}</Text>
      </View>
    )
  }
}

class NoMoreCards extends Component {
  constructor(props) {
    super(props);
  }

  render() {
    return (
      <View>
        <Text style={styles.noMoreCardsText}>No more cards</Text>
      </View>
    )
  }
}

export default class extends React.Component {
  constructor(props) {
    super(props);
    this.state = {
      cards: [
        {text: 'Tomato', backgroundColor: 'red'},
        {text: 'Aubergine', backgroundColor: 'purple'},
        {text: 'Courgette', backgroundColor: 'green'},
        {text: 'Blueberry', backgroundColor: 'blue'},
        {text: 'Umm...', backgroundColor: 'cyan'},
        {text: 'orange', backgroundColor: 'orange'},
      ]
    };
  }

  handleYup (card) {
    console.log(`Yup for ${card.text}`)
  }
  handleNope (card) {
    console.log(`Nope for ${card.text}`)
  }
  handleMaybe (card) {
    console.log(`Maybe for ${card.text}`)
  }
  render() {
    // If you want a stack of cards instead of one-per-one view, activate stack mode
    // stack={true}
    return (
      <SwipeCards
        cards={this.state.cards}
        renderCard={(cardData) => <Card {...cardData} />}
        renderNoMoreCards={() => <NoMoreCards />}

        handleYup={this.handleYup}
        handleNope={this.handleNope}
        handleMaybe={this.handleMaybe}
        hasMaybeAction
      />
    )
  }
}

const styles = StyleSheet.create({
  card: {
    justifyContent: 'center',
    alignItems: 'center',
    width: 300,
    height: 300,
  },
  noMoreCardsText: {
    fontSize: 22,
  }
})

More complex example

'use strict';

import React from 'react';
import {StyleSheet, Text, View, Image} from 'react-native';

import SwipeCards from 'react-native-swipe-cards';

class Card extends React.Component {
  constructor(props) {
    super(props);
  }

  render() {
    return (
      <View style={styles.card}>
        <Image style={styles.thumbnail} source={{uri: this.props.image}} />
        <Text style={styles.text}>This is card {this.props.name}</Text>
      </View>
    )
  }
}

class NoMoreCards extends React.Component {
  constructor(props) {
    super(props);
  }

  render() {
    return (
      <View style={styles.noMoreCards}>
        <Text>No more cards</Text>
      </View>
    )
  }
}

const cards = [
  {name: '1', image: 'https://media.giphy.com/media/GfXFVHUzjlbOg/giphy.gif'},
  {name: '2', image: 'https://media.giphy.com/media/irTuv1L1T34TC/giphy.gif'},
  {name: '3', image: 'https://media.giphy.com/media/LkLL0HJerdXMI/giphy.gif'},
  {name: '4', image: 'https://media.giphy.com/media/fFBmUMzFL5zRS/giphy.gif'},
  {name: '5', image: 'https://media.giphy.com/media/oDLDbBgf0dkis/giphy.gif'},
  {name: '6', image: 'https://media.giphy.com/media/7r4g8V2UkBUcw/giphy.gif'},
  {name: '7', image: 'https://media.giphy.com/media/K6Q7ZCdLy8pCE/giphy.gif'},
  {name: '8', image: 'https://media.giphy.com/media/hEwST9KM0UGti/giphy.gif'},
  {name: '9', image: 'https://media.giphy.com/media/3oEduJbDtIuA2VrtS0/giphy.gif'},
]

const cards2 = [
  {name: '10', image: 'https://media.giphy.com/media/12b3E4U9aSndxC/giphy.gif'},
  {name: '11', image: 'https://media4.giphy.com/media/6csVEPEmHWhWg/200.gif'},
  {name: '12', image: 'https://media4.giphy.com/media/AA69fOAMCPa4o/200.gif'},
  {name: '13', image: 'https://media.giphy.com/media/OVHFny0I7njuU/giphy.gif'},
]

export default class App extends React.Component {
  constructor(props) {
    super(props);
    this.state = {
      cards: cards,
      outOfCards: false
    }
  }

  handleYup (card) {
    console.log("yup")
  }

  handleNope (card) {
    console.log("nope")
  }

  cardRemoved (index) {
    console.log(`The index is ${index}`);

    let CARD_REFRESH_LIMIT = 3

    if (this.state.cards.length - index <= CARD_REFRESH_LIMIT + 1) {
      console.log(`There are only ${this.state.cards.length - index - 1} cards left.`);

      if (!this.state.outOfCards) {
        console.log(`Adding ${cards2.length} more cards`)

        this.setState({
          cards: this.state.cards.concat(cards2),
          outOfCards: true
        })
      }

    }

  }

  render() {
    return (
      <SwipeCards
        cards={this.state.cards}
        loop={false}

        renderCard={(cardData) => <Card {...cardData} />}
        renderNoMoreCards={() => <NoMoreCards />}
        showYup={true}
        showNope={true}

        handleYup={this.handleYup}
        handleNope={this.handleNope}
        cardRemoved={this.cardRemoved.bind(this)}
      />
    )
  }
}

const styles = StyleSheet.create({
  card: {
    alignItems: 'center',
    borderRadius: 5,
    overflow: 'hidden',
    borderColor: 'grey',
    backgroundColor: 'white',
    borderWidth: 1,
    elevation: 1,
  },
  thumbnail: {
    width: 300,
    height: 300,
  },
  text: {
    fontSize: 20,
    paddingTop: 10,
    paddingBottom: 10
  },
  noMoreCards: {
    flex: 1,
    justifyContent: 'center',
    alignItems: 'center',
  }
})

Props

Props name Type Description Default
cards* Array Data that will be provided as props for the cards
renderCard* Function Renders the card with the current data
loop Boolean If true, start again when run out of cards false
onLoop Function Called when card list returns to the beginning
renderNoMoreCards Function Renders what is shown after swiped last card
showYup Boolean Shows the 'Yup' component true
showNope Boolean Shows the 'Nope' true
showMaybe Boolean Shows the 'Maybe' true
hasMaybeAction Boolean Includes the possibility to swipe up and its components false
renderYup Function Renders Yup
renderNope Function Renders Nope
renderMaybe Function Renders Maybe
handleYup Function Called when card is 'passed' with that card's data
handleNope Function Called when card is 'rejected' with that card's data
containerStyle style Override default style
yupStyle style Override default style
yupTextStyle style Override default style
nopeStyle style Override default style
nopeTextStyle style Override default style
maybeStyle style Override default style
maybeTextStyle style Override default style
yupView element React component to render on a Yes vote
yupText string Text to render on Yes vote Yep
noView element React component to render on a No vote
noText string Text to render on No vote Nope
maybeView element React component to render on a Maybe vote
maybeText string Text to render on Maybe vote Maybe
smoothTransition Boolean Disables a slow transition fading the current card out false
cardKey String React key to be used to for each card
dragY Boolean Allows dragging cards vertically true
stack Boolean Enables the stack mode false
stackOffsetX Number Horizontal offset between cards in stack 25
stackOffsetY Number Vertical offset between cards in stack 0
cardRemoved Function A callback passing the card reference that just got removed
onClickHandler Function A callback clicking the card alert('tap')

*required

Todo (PRs welcome!)

  • Show next card underneath current card
  • Shadow when card is being dragged
  • Example with backend
  • Example with polaroids
  • Submit to repos
  • renderYup
  • renderNope
  • Testing
  • Add more args to cardRemoved?
  • class extends all components

react-native-tinder-swipe-cards's People

Contributors

abrarmusa avatar brendanscarano avatar colmea avatar cravler avatar dcworldwide avatar designorant avatar esganzerla avatar et3ali avatar faceyspacey avatar hansman avatar hiddentao avatar jondot avatar lolobosse avatar maxaleks avatar nick-michael avatar nonotest avatar pbassut avatar shrimpywu avatar siraj94farhan avatar songyouwei avatar srikan9 avatar stantoncbradley avatar vitorebatista avatar yogiben avatar

Stargazers

 avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar

Watchers

 avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar

react-native-tinder-swipe-cards's Issues

Error while updating property 'transform' of a view managed by: RCTView

"react": "16.0.0-alpha.6",
"react-native": "0.43.4",
"react-native-swipe-cards": "^0.1.0",
"react-navigation": "^1.0.0-beta.9",

const App = TabNavigator({
Home: {
screen: HomeSreen,
},
Other: {
screen: OtherScreen,
},

HomeSreen.js

...

Error while updating property 'transform' of a view managed by: RCTView
updateViewProp
ViewManagersPropertyCache.java:90
setProperty
ViewManagerPropertyUpdater.java:123
updateProps
ViewManagerPropertyUpdater.java:42
updateProperties
ViewManager.java:36
updateProperties
NativeViewHierarchyManager.java:125
execute
UIViewOperationQueue.java:95
run
UIViewOperationQueue.java:787
flushPendingBatches
UIViewOperationQueue.java:843
access$1600
UIViewOperationQueue.java:48
doFrameGuarded
UIViewOperationQueue.java:889
doFrame
GuardedFrameCallback.java:31
doFrame
ReactChoreographer.java:129
doFrame
ChoreographerCompat.java:107
run
Choreographer.java:765
doCallbacks
Choreographer.java:580
doFrame
Choreographer.java:549
run
Choreographer.java:753
handleCallback
Handler.java:739
dispatchMessage
Handler.java:95
loop
Looper.java:135
main
ActivityThread.java:5254
invoke
Method.java:-2
invoke
Method.java:372
run
ZygoteInit.java:903
main
ZygoteInit.java:698

yupView/noView components not rendering

I'm trying to override the yupView and noView in my code to make them custom from the "Yup!" and "Nope!" blocks that show by default.

My code below doesn't override the "Yup!" component like anticipated:

export default React.createClass({
  getInitialState() {
    return {
      cards: Cards
    }
  },
  handleYup (card) {
    console.log(`Yup for ${card.text}`)
  },
  handleNope (card) {
    console.log(`Nope for ${card.text}`)
  },
  handleMaybe (card) {
    console.log(`Maybe for ${card.text}`)
  },
  render() {
    return (
      <SwipeCards
        cards={this.state.cards}
        renderCard={(cardData) => <Card {...cardData} />}
        renderNoMoreCards={() => <NoMoreCards />}
        handleYup={this.handleYup}
        handleNope={this.handleNope}
        handleMaybe={this.handleMaybe}

        yupView={Approved}
      />
    )
  }
})

function Approved() {
  return (
    <View style={styles.yupStyle}>
      <Text>Approved!!!</Text>
    </View>
  )
}
const styles = StyleSheet.create({
  yupStyle: {
    borderWidth: 3,
    borderColor: 'orange',
    width: 100,
    height: 100,
  }
})

Is there something I'm missing in my code? I looked through SwipeCards.js but didn't find anywhere that was accepting this.props.yupView.

Switch away and back breaks GIFs

Encountered a curious glitch testing the more complex sample code on a real iPhone.

If I switch to a different iPhone app (using the standard app switcher) and switch back, the GIFs disappear. Seems like there's probably an underlying issue with React Native.

Posting here because I didn't see a previous issue on this.

RN 0.26.0
iOS 9.3.2
iPhone 6s (real device)

Flex inside card seems not to work

Simple example, this view renders so that it takes all available space horisontally and vertically:

      <View style={{flex: 1}}>
        <View style={{flex: 1, backgroundColor: 'powderblue'}} />
        <View style={{flex: 2, backgroundColor: 'skyblue'}} />
        <View style={{flex: 3, backgroundColor: 'steelblue'}} />
      </View>

But, when same code is used inside Swipecard, it takes all the space vertically and only narrow space horizontally.

Is there another way to make the card take all the space it has horizontally?

I need to go next and go previous

I need to go next and go previous , So change your code like this in _goToNextCard method
_goToNextCard (direction ){
.........
.......

let currentCardIdx = this.props.cards.indexOf(this.state.card);
let newIdx;
let len = this.props.cards.length - 1;    
let prev = currentCardIdx - 1;

direction ? newIdx = currentCardIdx + 1 : prev < 0 
  ? newIdx = len : newIdx = prev;

// Checks to see if last card.
// If props.loop=true, will start again from the first card.
let card = newIdx > len
  ? this.props.loop ? this.props.cards[0] : null
  : this.props.cards[newIdx];

.......
........
}
I don't know, is that right,but I need it. If you have a better way,please tell me. Thanks

react native 29.0 and onwards support

Looks like the swiping functionality is broken from 29.0 (at least) and onwards.
Swiping left works fine but when you try to swipe right, the card goes up. tested on an iphone 6s emulator with react native 29.0

Triggering card animation with buttons

I've managed to hook up buttons to the cards so that the cards progress,
but can't get animations to work.

Has anybody managed to trigger the swipe animation with buttons?

Delay when getting Next Card

Does anyone else get a small delay on input when trying to swipe fast through cards? It seems there is a delay from when old card is moved to when new one initializes the pan responder. Any ideas? I am thinking we may want to use a parallel animation sequence to assure the next card is ready to go before the old one goes out of view. I am using the Stack PR version but does same on both: #25

Handling button clicks within card SwipeCards component

I have created multiple buttons within the SwipeCards component when I try to click on them to trigger the onPress listener on the onClickHandler of the SwiperCards is called which shows the default alert. I have been able to override the onClickHandler in the main class as shown below (method: handleIt()) so whenever I click anywhere in the card it shows the modal. However I also have other buttons such as a like button, share button which don't trigger the desired action when clicked, they just end up showing the modal. How do I isolate each of these button clicks and handle them separately?

handleIt(){ this.setModalVisible(true) }

`<SwipeCards
  cards={this.state.cards}
  loop={false}
  onClickHandler={this.handleIt.bind(this)}
  renderCard={(cardData) =>
    <View style={{marginTop:screenheight/4}}>
    <Card style={{ elevation: 3 }}>
        <CardItem>
            <Left>
                <Thumbnail source={cardData.image} />
            </Left>
            <Body>
                <Text>{cardData.text}</Text>
                <Text note>NativeBase</Text>
            </Body>
        </CardItem>
        <CardItem cardBody>
                <Text style={{ width: screenWidth*0.7, height: screenheight/8, marginLeft:screenWidth*0.05}}>OK?</Text>
                <TouchableOpacity  onPress={() => {
                  this.setModalVisible(true)
                  }} >
                    <Image style={{ resizeMode: 'cover', width: screenWidth*0.2, height: screenheight/8 , marginRight:screenWidth*0.025,marginLeft:screenWidth*0.025}} source={cardData.image} />
                </TouchableOpacity>

                </CardItem>
        <CardItem>
            <Icon onPress={this.work} name="md-thumbs-up" style={{ color: '#ED4A6A' }} />
            <Text>{cardData.name}</Text>
        </CardItem>
    </Card>

renderNoMoreCards={() => }
showYup={true}
showNope={true}

  handleYup={this.handleYup}
  handleNope={this.handleNope}
  cardRemoved={this.cardRemoved.bind(this)}

/>`

Fixed card

Hey! Amazing work on this awesome module!

I was wondering if there was a "fixed" (as in no-swipeable) card feature soon to be realeased, or in your roadmap. Maybe the fixed card interface could be just adding a property to the card object, dismissable with a callback function.

Are you accepting PRs?

Combining with onPress

What would be the best way to combine an onPress handler for the component? I would like to add functionality where the card flips on press.

SwipeCards.js Unexpected token (164:6)

npm version results in a compile failure.

Error in ./~/react-native-swipe-cards/SwipeCards.js
Module parse failed: /Users/mike/Code/tinderreact/node_modules/react-native-swipe-cards/SwipeCards.js Unexpected token (164:6)
You may need an appropriate loader to handle this file type.
SyntaxError: Unexpected token (164:6)
 @ ./src/tinder.js 18:29-64

Updating function names

Hello,

I made a few pull requests because I'm using this component on a project and thought that we could set a better organization by defining some function names differently.

Some suggestions:

  • renderYup to renderSwipedRight

  • renderNope to renderSwipedLeft

  • renderMaybe to renderSwipedUp (based on a PR #70)

  • handleYup to onSwipeRight

  • handleNope to onSwipeLeft

  • handleMaybe to onSwipeUp (based on a PR #70)

  • yup to swipeRight (based on PR #71)

  • nope to swipeLeft (based on PR #71)

  • maybe to swipeUp (based on PR #70 and #71)

  • cardRemoved to onCardRemoved

  • renderNoMoreCards to renderEmpty

I didn't take too much time to think about it because I believe I just first talk to the contributors to just make it better. I guess after some discussion we might get to some more conclusions like yupStyle and yupTextStyle.

Another suggestion would be to group all styles props to one or two props and nested categories inside to keep the component cleaner when including in a project.

I thinks this changes would be nice to make the component more generic and consistent.
I also think that there should be some fallbacks for those users that were using before updates.

Looking foward to know your opinions on that.

Get current card ID

Hi,

First, thanks for your awesome plugin !

I'm making a tinder-like app, with swipe and buttons features ("like" and "dislike" buttons). So I use the new _forceRightSwipe() and _forceLeftSwipe() methods when user click on 'like' and 'dislike' buttons.

But I don't know how to access the current card ID from my parent component ?
Is there a way to access the current card ? The current workaround is access the swipe's state, but it's not a good practice.

EDIT: I'm not even able to access current card id by state, because the currentIndex var is outside the component.

Something like this would be cool:

// From my parent component
this.refs['swiper'].getCurrentCard();

Edit2: I've created a MR: #52

Android: Padding around component, cards disappear

I have a View with a padding around my Swiper Component. In Android when swipping the cards disappear as if the swiper component would have overflow: hidden

<View style={styles.swiperContainer}>
            <CardSwiper
              cards={this.state.cards}
              ref="swiper"
              renderCard={(cardData) => <VideoCard {...cardData} onClick={this.cardToggle} />}
              cardKey="id"
              renderNoMoreCards={this.noMoreCards}
              onClickHandler={() => true}
              handleYup={this.handleYup}
              handleNope={this.handleNope}
              draggable={this.state.draggable}
              stack
              stackDepth={3}
            />
          </View>

androidscreen

Please add collaborators

This is a great lib, but PRs are not being merged (totally understandable, we all are busy). What are your thoughts on inviting collaborators?

Prevent the alert on tap

Is there a way to prevent the card to display the alert, on tap?
I don't want it to do anything.

thanks

stops working within other horizontal scrollview

I'm using reactive swipe cards as a page within: https://github.com/brentvatne/react-native-scrollable-tab-view

That also uses horizontal swiping gestures. I'd like the card to respond to the gesture while denying the containing scrolling component from responding to it. The scrolling component would respond to it you drag anywhere on the page besides the card.

So I'm assuming this has something to do with grant and release gesture mechanisms. I don't suppose you or anyone have any hints how to implement this before I go on a wild goose chase?

Memory leaks with multiple SwipeCards components

I have two different component scenes in my App.js (using react-native-router-flux) and they both import and use two separate instances of the SwipeCards component. I can use one of the components (HomePage) no problem and swipe away on as many items as I need.

However I noticed an issue when navigating to the 2nd component (CurationPage) with another SwipeCards instance. Swiping on this 2nd component (which uses basically the same data and swipe functions) eventually causes the app to crash from a memory leak.

Key findings on this bug:

  • It is independent of image caching. My rendered component used images but I disabled them to test and the memory leak still occured.
  • I am sure the cause has something to do with multiple instances of the SwipeCards component because I tried a test that loads the CurationPage (the one that was crashing) directly without mounting the HomePage and the SwipeCards component worked perfectly without any crashes. The bug definitely gets introduced upon the 2nd instance of the SwipeCards component being mounted

Possible solution:
There may be something to be done in the componentWillUnmount functions of each component to try and release the memory being used by the SwipeCards component, but I will need to dive deeper into the library to figure out what's going on. Also React Native may not have many manual functions for memory management since I couldn't find much on that.

Add Yes and No button

Add api to trigger yes and no options from outside the component. I'm new to react native, all ideas are welcome!

Swiper Cards in Swiper

I have two pages in swiper that has swiper cards in it.
And I can't swipe card to right on first page since it sends me to second page
Similar thing happens on second page also
Is there a way to solve this issue?

Place a vertical stack in the middle of the screen

Hi there,

I'm testing this library and I'm having a lot of fun. ๐Ÿ‘ ๐Ÿ‘

However, I'm stuck with a dumb problem: how can I put the stack in the middle of the container?

From what I saw we have stackOffsetX and stackOffsetY but they're actually not only doing what they're meant to do because they also define where the first card will be placed:

If I tell: stackOffsetX = 0 and stackOffsetY = 10, I get the following which is obviously not what I meant.

image

To me, an offset should not influence on the position of the first card; it should just define how much space there is between the cards, what do you think? Am I retarded ๐Ÿ˜ต , is there way I can get my stack in the middle of the container or is that a bug?

When you call a redux action on handle[Yup|Nope] you won't get new cards

I realised when i save the yupped card via a redux action i get always the same card. This is because of the componentWillReceiveProps method. This method does not check if nextProps.cards are the same as this.props.cards.

I fixed this by updating the method like this:

  componentWillReceiveProps(nextProps){
      if(nextProps.cards && nextProps.cards.length > 0 && nextProps.cards !== this.props.cards){
          this.setState({
        card: nextProps.cards[0]
      })
    }
  }

Swiper Cards exactly same as Tinder

Hello
I developed a social app within 2 weeks thanks to your awesome module.
But I am asked from client a problem.
Is it possible to make swiper cards exactly same as Tinder's?
You know in tinder, they show next cards below current card.

Waiting for your kind response

Importing 'SwipeCards` throws error.

Trying to import SwipeCards in my module:
import SwipeCards from 'react-native-swipe-cards';
And it throws the following error:
Super expression must either be null or a function, not undefined 2016-07-30 13:51:28.698 [fatal][tid:com.facebook.react.RCTExceptionsManagerQueue] Unhandled JS Exception: Super expression must either be null or a function, not undefined

Infinite cards

If we update the state variable now with new set of cards,
The index goes back to 0 again.
There should be a way to continue on without resetting the index to 0 when new set of cards are loaded.

Is vertical a possibility ?

Hello,
I am sorry if it's a stupid question, but I am fairly new to React Native. Is it possible to make this library work vertically. I don't need the images to move at all if a go left or right, but I want a swipe up to go to the next card and a swipe down to return to the previous card. I have around 10 images that need to rotate this way.

Thank you !

Lazy load from API

I'm using this library and, thank you, it's awesome!

Still, I've got a problem. I can't make it to work with an API which loads the images 5 by 5 at a time. I've tried to make the request in the noMore function (which is called when there are no more cards to display), but when the request is finished and the data is loaded again, the SwipeCards view becomes white/ invisible.

Is there any other recommended way to accomplish this?

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.