Best JavaScript code snippet using storybook-root
index.jsx
Source: index.jsx
1import React from 'react';2import PropTypes from 'prop-types';3import { connect }4 from 'react-redux';5import RaisedButton from 'material-ui/RaisedButton';6import ActionSearch from 'material-ui/svg-icons/action/search';7import Helmet from 'react-helmet';8import querystring from 'querystring';9import ExplorerOutputSection from '../Explorer/ExplorerOutputSection';10import ExplorerControlSection from '../Explorer/ExplorerControlSection';11import ExplorerFormField from '../Explorer/ExplorerFormField';12import Heading from '../Heading';13import TableSkeleton from '../Skeletons/TableSkeleton';14import queryTemplate from './queryTemplate';15import getFields from './fields';16function jsonResponse(response) {17 return response.json();18}19function expandBuilderState(builder, fields) {20 const expandedBuilder = {};21 Object.keys(builder).forEach((key) => {22 if (builder[key]) {23 expandedBuilder[key] = (fields[key] || []).find(element => element.key === builder[key]) || { value: builder[key] };24 }25 });26 return expandedBuilder;27}28class Explorer extends React.Component {29 static propTypes = {30 strings: PropTypes.shape({}),31 }32 constructor() {33 super();34 const urlState = querystring.parse(window.location.search.substring(1));35 this.state = {36 loadingEditor: true,37 loading: false,38 result: {},39 builder: urlState,40 sql: '',41 };42 }43 componentDidMount() {44 this.buildQuery(this.handleQuery);45 }46 buildQuery = (cb) => {47 const noOp = () => {};48 const expandedBuilder = expandBuilderState(this.state.builder, getFields());49 this.setState({ sql: queryTemplate(expandedBuilder) }, cb || noOp);50 };51 handleCancel = () => {52 this.setState({53 ...this.state,54 loading: false,55 });56 window.stop();57 };58 handleFieldUpdate = (builderField, value) => {59 this.setState({60 ...this.state,61 builder: {62 ...this.state.builder,63 [builderField]: value,64 },65 }, this.buildQuery);66 };67 handleQuery = () => {68 this.setState({69 ...this.state,70 loading: true,71 });72 this.syncWindowHistory();73 const sqlString = this.state.sql;74 return fetch(`${process.env.REACT_APP_API_HOST}/api/explorer?sql=${encodeURIComponent(sqlString)}`).then(jsonResponse).then(this.handleResponse);75 };76 handleResponse = (json) => {77 this.setState({78 ...this.state,79 loading: false,80 result: json,81 });82 };83 syncWindowHistory = () => {84 const objectToSerialize = this.state.builder;85 const stringToSerialize = `?${querystring.stringify(objectToSerialize)}`;86 window.history.pushState('', '', stringToSerialize);87 };88 render() {89 const { builder } = this.state;90 const { strings } = this.props;91 const expandedFields = getFields();92 const expandedBuilder = expandBuilderState(this.state.builder, expandedFields);93 const { handleQuery, handleCancel, handleFieldUpdate } = this;94 return (95 <div>96 <Helmet title={`${strings.title_meta}`} />97 <Heading title={strings.meta_title} subtitle={strings.meta_description} className="top-heading"/>98 <ExplorerControlSection>99 <ExplorerFormField label={strings.explorer_group_by} fields={expandedFields} builderField="group" handleFieldUpdate={handleFieldUpdate} builder={builder} />100 <ExplorerFormField label={strings.explorer_min_rank_tier} fields={expandedFields} builderField="minRankTier" handleFieldUpdate={handleFieldUpdate} builder={builder} />101 <ExplorerFormField label={strings.explorer_max_rank_tier} fields={expandedFields} builderField="maxRankTier" handleFieldUpdate={handleFieldUpdate} builder={builder} />102 <ExplorerFormField label={strings.explorer_hero} fields={expandedFields} builderField="hero" handleFieldUpdate={handleFieldUpdate} builder={builder} />103 <ExplorerFormField label={strings.explorer_side} fields={expandedFields} builderField="side" handleFieldUpdate={handleFieldUpdate} builder={builder} />104 <ExplorerFormField label={strings.th_result} fields={expandedFields} builderField="result" handleFieldUpdate={handleFieldUpdate} builder={builder} />105 <ExplorerFormField label={strings.explorer_min_duration} fields={expandedFields} builderField="minDuration" handleFieldUpdate={handleFieldUpdate} builder={builder} />106 <ExplorerFormField label={strings.explorer_max_duration} fields={expandedFields} builderField="maxDuration" handleFieldUpdate={handleFieldUpdate} builder={builder} />107 <ExplorerFormField label={strings.filter_game_mode} fields={expandedFields} builderField="gameMode" handleFieldUpdate={handleFieldUpdate} builder={builder} />108 <ExplorerFormField label={strings.filter_lobby_type} fields={expandedFields} builderField="lobbyType" handleFieldUpdate={handleFieldUpdate} builder={builder} />109 {/* <ExplorerFormField label={strings.explorer_min_mmr} fields={expandedFields} builderField="minMmr" handleFieldUpdate={handleFieldUpdate} builder={builder} /> */}110 {/* <ExplorerFormField label={strings.explorer_max_mmr} fields={expandedFields} builderField="maxMmr" handleFieldUpdate={handleFieldUpdate} builder={builder} /> */}111 {/* <ExplorerFormField label={strings.explorer_min_date} builderField="minDate" handleFieldUpdate={handleFieldUpdate} builder={builder} isDateField /> */}112 {/* <ExplorerFormField label={strings.explorer_max_date} builderField="maxDate" handleFieldUpdate={handleFieldUpdate} builder={builder} isDateField /> */}113 {/* <ExplorerFormField label={strings.explorer_order} fields={expandedFields} builderField="order" handleFieldUpdate={handleFieldUpdate} builder={builder} /> */}114 {/* <ExplorerFormField label={strings.explorer_having} fields={expandedFields} builderField="having" handleFieldUpdate={handleFieldUpdate} builder={builder} /> */}115 {/* <ExplorerFormField label={strings.explorer_limit} fields={expandedFields} builderField="limit" handleFieldUpdate={handleFieldUpdate} builder={builder} /> */}116 </ExplorerControlSection>117 <div>118 <RaisedButton119 primary={!this.state.loading}120 secondary={this.state.loading}121 style={{ margin: '5px' }}122 icon={!this.state.loading ? <ActionSearch /> : null}123 label={this.state.loading ? strings.explorer_cancel_button : strings.explorer_query_button}124 onClick={this.state.loading ? handleCancel : handleQuery}125 />126 </div>127 <Heading title={strings.explorer_results} subtitle={`${(this.state.result.rows || []).length} ${strings.explorer_num_rows}`} />128 <pre style={{ color: 'red' }}>{this.state.result.err}</pre>129 {this.state.loading ? <TableSkeleton /> : null}130 <ExplorerOutputSection131 rows={this.state.result.rows}132 fields={this.state.result.fields}133 expandedBuilder={expandedBuilder}134 format={this.state.builder.format}135 />136 </div>);137 }138}139const mapStateToProps = state => ({140 strings: state.app.strings,141});142const mapDispatchToProps = () => ({143});...
ExplorerOutputSection.jsx
Source: ExplorerOutputSection.jsx
1import React from 'react';2import { connect } from 'react-redux';3import PropTypes from 'prop-types';4import { Link } from 'react-router-dom';5import itemData from 'dotaconstants/build/items.json';6import {7 displayHeroId,8 formatSeconds,9 IMAGESIZE_ENUM,10}11 from '../../utility';12import Table from '../Table';13import { IconRadiant, IconDire, IconTrophy } from '../Icons';14// import heroes from 'dotaconstants/build/heroes.json';15import {16 TablePercent,17 inflictorWithValue,18}19 from '../Visualizations';20// import redrawGraphs from './redrawGraphs';21import constants from '../constants';22import { StyledTeamIconContainer } from '../Match/StyledMatch';23import HeroImage from './../Visualizations/HeroImage';24import { WinnerSpan } from '../Matches';25/*26function resolveId(key, value, mappings) {27 if (key === 'hero_id') {28 return (heroes[value] || {}).localized_name;29 } else if (key === 'account_id') {30 return mappings.playerMapping[value];31 } else if (key === 'team_id') {32 return mappings.teamMapping[value];33 }34 return value;35}36*/37class ExplorerOutputSection extends React.Component {38 static propTypes = {39 rows: PropTypes.string,40 fields: PropTypes.string,41 expandedBuilder: PropTypes.string,42 // teamMapping: PropTypes.string,43 playerMapping: PropTypes.string,44 format: PropTypes.string,45 strings: PropTypes.shape({}),46 };47 shouldComponentUpdate(nextProps) {48 return nextProps.rows !== this.props.rows || nextProps.format !== this.props.format;49 }50 render() {51 const {52 rows = [], fields, expandedBuilder, playerMapping, format, strings,53 } = this.props;54 /*55 setTimeout(() => {56 const firstCol = fields && fields[0].name;57 redrawGraphs(rows.map(row => ({58 ...row,59 [firstCol]: resolveId(firstCol, row[firstCol], { teamMapping, playerMapping }) }60 )), firstCol, (expandedBuilder.select && expandedBuilder.select.key) || strings.th_count);61 }, 100);62 */63 if (format === 'donut') {64 return <div id="donut" />;65 } else if (format === 'bar') {66 return <div id="bar" />;67 } else if (format === 'timeseries') {68 return <div id="timeseries" />;69 }70 return (71 <Table72 data={(rows || []).slice(0, 500)}73 columns={(fields || []).map(column => ({74 displayName: column.name === 'count' ? strings.general_matches : column.name,75 field: column.name,76 })).map(column => ({77 ...column,78 displayFn: (row, col, field) => {79 if (column.field === 'match_id') {80 return <Link to={`/matches/${field}`}>{field}</Link>;81 } else if (column.field.indexOf('hero_id') === 0) {82 return displayHeroId(row, col, field);83 } else if (column.field.indexOf('_composition') !== -1) {84 return (85 <React.Fragment>86 {row.team_a_win === (column.field.indexOf('team_a') === 0)87 && (88 <WinnerSpan style={{ position: 'relative' }}>89 <IconTrophy style={{ position: 'absolute', left: -12, bottom: 12 }} />90 </WinnerSpan>91 )}92 {field.map((id) => (93 <HeroImage94 id={id}95 imageSizeSuffix={IMAGESIZE_ENUM.SMALL.suffix}96 style={{ marginRight: 3, height: 25 }}97 />98 ))}99 </React.Fragment>100 );101 } else if (column.field.indexOf('account_id') === 0) {102 return <Link to={`/players/${field}`}>{playerMapping[field] || field}</Link>;103 } else if (column.field.indexOf('winrate') === 0 || column.field.indexOf('pickrate') === 0 || column.field === 'winrate_wilson') {104 return (field >= 0 && field <= 1 ? <TablePercent105 percent={Number((field * 100).toFixed(2))}106 /> : null);107 } else if (column.field === 'rune_id') {108 return strings[`rune_${field}`];109 } else if (column.field === 'item_name') {110 return itemData[field] ? itemData[field].dname : field;111 } else if (column.field === 'time' || (column.field === 'avg' && expandedBuilder.select && expandedBuilder.select.formatSeconds)) {112 return formatSeconds(field);113 } else if (column.field === 'inflictor') {114 return <span>{inflictorWithValue(field)} {field}</span>;115 } else if (column.field === 'win') {116 return <span style={{ color: field ? constants.colorSuccess : constants.colorDanger }}>{field ? strings.td_win : strings.td_loss}</span>;117 } else if (column.field === 'is_radiant') {118 return field119 ? <StyledTeamIconContainer><IconRadiant width={30} />{strings.general_radiant}</StyledTeamIconContainer>120 : <StyledTeamIconContainer><IconDire width={30} />{strings.general_dire}</StyledTeamIconContainer>;121 } else if (column.field === 'start_time') {122 return (new Date(field * 1000)).toLocaleDateString('en-US', {123 day: 'numeric',124 month: 'short',125 year: 'numeric',126 });127 } else if (column.field === 'game_mode') {128 return strings[`game_mode_${field}`];129 } else if (column.field === 'lobby_type') {130 return strings[`lobby_type_${field}`];131 }132 if (typeof field === 'string') {133 return field;134 }135 return JSON.stringify(field);136 },137 sortFn: (row) => {138 if (row[column.field] === null || typeof row[column.field] === 'boolean' || Number.isNaN(Number(row[column.field]))) {139 return row[column.field];140 }141 return Number(Number(row[column.field]).toFixed(4));142 },143 }))}144 />);145 }146}147const mapStateToProps = state => ({148 strings: state.app.strings,149});...
Using AI Code Generation
1import React from 'react';2import { storiesOf, action, linkTo } from '@kadira/storybook';3import { expandedBuilder } from 'storybook-root-decorator';4import { Button, Welcome } from '@storybook/react/demo';5storiesOf('Welcome', module)6 .addDecorator(expandedBuilder())7 .add('to Storybook', () => (8 <Welcome showApp={linkTo('Button')} />9 ));10storiesOf('Button', module)11 .addDecorator(expandedBuilder())12 .add('with text', () => (13 <Button onClick={action('clicked')}>Hello Button</Button>14 .add('with some emoji', () => (15 <Button onClick={action('clicked')}>😀 😎 👍 💯</Button>16 ));17import { configure } from '@kadira/storybook';18import { expandedBuilder } from 'storybook-root-decorator';19function loadStories() {20 require('../test.js');21}22configure(loadStories, module);23import '@kadira/storybook/addons';24import 'storybook-root-decorator/register';
Using AI Code Generation
1import { expandedBuilder } from 'storybook-react-router';2import { storiesOf } from '@storybook/react';3import { action } from '@storybook/addon-actions';4import { Button } from '@storybook/react/demo';5storiesOf('Button', module)6 .add('with text', () => <Button onClick={action('clicked')}>Hello Button</Button>)7 .add('with some emoji', () => (8 <Button onClick={action('clicked')}>😀 😎 👍 💯</Button>9 .add('with some emoji and react router', () => (10 ));11import { configure } from '@storybook/react';12import { setDefaults } from 'storybook-react-router';13setDefaults({14});15function loadStories() {16 require('../test.js');17}18configure(loadStories, module);19const path = require('path');20module.exports = {21 module: {22 {23 include: [path.resolve(__dirname, '../')],24 },25 },26 resolve: {27 },28};29{
Using AI Code Generation
1import { expandedBuilder } from './storybook-root';2import { storiesOf } from '@storybook/react';3import { withKnobs, text } from '@storybook/addon-knobs';4const stories = expandedBuilder(storiesOf('SomeComponent', module));5stories.add('with knobs', () => {6 const name = text('Name', 'Arunoda');7 return <SomeComponent name={name} />;8});9stories.add('without knobs', () => {10 return <SomeComponent name="Arunoda" />;11});12stories.addDecorator(withKnobs);13stories.add('with knobs', () => {14 const name = text('Name', 'Arunoda');15 return <SomeComponent name={name} />;16});17stories.add('without knobs', () => {18 return <SomeComponent name="Arunoda" />;19});20stories.add('with knobs', () => {21 const name = text('Name', 'Arunoda');22 return <SomeComponent name={name} />;23});24stories.add('without knobs', () => {25 return <SomeComponent name="Arunoda" />;26});27stories.add('with knobs', () => {28 const name = text('Name', 'Arunoda');29 return <SomeComponent name={name} />;30});31stories.add('without knobs', () => {32 return <SomeComponent name="Arunoda" />;33});34stories.add('with knobs', () => {35 const name = text('Name', 'Arunoda');36 return <SomeComponent name={name} />;37});38stories.add('without knobs', () => {39 return <SomeComponent name="Arunoda" />;40});41stories.add('with knobs', () => {42 const name = text('Name', 'Arunoda');43 return <SomeComponent name={name} />;44});45stories.add('without knobs', () => {46 return <SomeComponent name="Arunoda" />;47});48stories.add('with knobs', () => {49 const name = text('Name', 'Arunoda');50 return <SomeComponent name={name} />;51});52stories.add('without knobs', () => {53 return <SomeComponent name="Arunoda" />;54});55stories.add('with knobs', () => {56 const name = text('Name', 'Arunoda');57 return <SomeComponent name={name} />;58});59stories.add('without knobs', () => {60 return <SomeComponent name="Arunoda" />;61});
Using AI Code Generation
1import { storiesOf } from '@storybook/react';2import { expandedBuilder } from 'storybook-root';3import { Button } from 'components/Button';4const stories = storiesOf('Button', module);5stories.add('Base', expandedBuilder({6 props: {7 onClick: () => console.log('clicked'),8 },9}));10stories.add('Disabled', expandedBuilder({11 props: {12 onClick: () => console.log('clicked'),13 },14}));15stories.add('Primary', expandedBuilder({16 props: {17 onClick: () => console.log('clicked'),18 },19}));20import { setAddon, addDecorator } from '@storybook/react';21import infoAddon from '@storybook/addon-info';22import { withKnobs } from '@storybook/addon-knobs';23setAddon(infoAddon);24addDecorator(withKnobs);25export const expandedBuilder = ({ component, props }) => {26 return () => {27 const Component = component;28 return <Component {...props} />;29 };30};31import React from 'react';32import { storiesOf } from '@storybook/react';33import { withInfo } from '@storybook/addon-info';34import { Button } from '../src/components/Button';35storiesOf('Button', module)36 .add(37 withInfo('Base button')(() => (38 <Button text="Click me" onClick={() => console.log('clicked')} />39 .add(40 withInfo('Disabled button')(() => (41 onClick={() => console.log('clicked')}42 .add(43 withInfo('Primary button')(() => (
Using AI Code Generation
1import { expandedBuilder } from './storybook-root';2expandedBuilder({3 {4 props: {},5 },6});7export { expandedBuilder } from './storybook-builders/expanded-builder';8export const expandedBuilder = ({ name, component, storybookRoot, stories }) => {9 const storybook = storiesOf(name, module);10 stories.forEach(story => {11 storybook.add(story.name, () => (12 <div style={{ padding: '20px' }}>13 <div style={{ marginBottom: '20px' }}>14 <strong>{story.name}</strong>15 <div>{component(story.props)}</div>16 ));17 });18};
Using AI Code Generation
1const storybook = require('storybook-root');2storybook.expandedBuilder('path/to/storybook');3const storybook = require('storybook-root');4storybook.expandedBuilder('path/to/storybook');5const storybook = require('storybook-root');6storybook.expandedBuilder('path/to/storybook');7const storybook = require('storybook-root');8storybook.expandedBuilder('path/to/storybook');9const storybook = require('storybook-root');10storybook.expandedBuilder('path/to/storybook');11const storybook = require('storybook-root');12storybook.expandedBuilder('path/to/storybook');13const storybook = require('storybook-root');14storybook.expandedBuilder('path/to/storybook');15const storybook = require('storybook-root');16storybook.expandedBuilder('path/to/storybook');17const storybook = require('storybook-root');18storybook.expandedBuilder('path/to/storybook');19const storybook = require('storybook-root');20storybook.expandedBuilder('path/to/storybook');21const storybook = require('storybook-root');22storybook.expandedBuilder('path/to/storybook');
Check out the latest blogs from LambdaTest on this topic:
The key to successful test automation is to focus on tasks that maximize the return on investment (ROI), ensuring that you are automating the right tests and automating them in the right way. This is where test automation strategies come into play.
Are members of agile teams different from members of other teams? Both yes and no. Yes, because some of the behaviors we observe in agile teams are more distinct than in non-agile teams. And no, because we are talking about individuals!
Have you ever visited a website that only has plain text and images? Most probably, no. It’s because such websites do not exist now. But there was a time when websites only had plain text and images with almost no styling. For the longest time, websites did not focus on user experience. For instance, this is how eBay’s homepage looked in 1999.
Have you ever struggled with handling hidden elements while automating a web or mobile application? I was recently automating an eCommerce application. I struggled with handling hidden elements on the web page.
Learn to execute automation testing from scratch with LambdaTest Learning Hub. Right from setting up the prerequisites to run your first automation test, to following best practices and diving deeper into advanced test scenarios. LambdaTest Learning Hubs compile a list of step-by-step guides to help you be proficient with different test automation frameworks i.e. Selenium, Cypress, TestNG etc.
You could also refer to video tutorials over LambdaTest YouTube channel to get step by step demonstration from industry experts.
Get 100 minutes of automation test minutes FREE!!