Как визуализировать компонент React с помощью Survey.js?

Вот рабочий файл Survey.js с примером реакции: ?p=предварительный просмотр

В моем html также есть заголовок <script src="https://unpkg.com/survey-react"></script>.

В моем main.jsx я вызываю рендеринг div, который будет заполнен на основе файла json и нескольких компонентов реагирования, в моем массиве json у меня также есть объект json вопросов для Survey.js. Чего я хотел бы добиться, так это отобразить опрос, когда объект вопросов достигается при разборе массива.

В моем компоненте верхнего уровня у меня есть этот вызов:

  if (section.hasOwnProperty('questions')){
            return <Questions key={i+"questions"} id={i+"questions"} questions={section.questions} />;

Вопросы.jsx:

var React = require('react');
var ReactDOM = require('react-dom');
var Survey = require('survey-react');
var Questions = React.createClass({
    render: function() {
      Survey.Survey.cssType = "bootstrap";
      Survey.defaultBootstrapCss.navigationButton = "btn btn-green";
      window[this.props.id] = new Survey.Model( this.props.questions );
      var questionid = this.props.id;
        var idi = this.props.id.replace("questions","");
        return (
            <dt>
          <div id={this.props.id}></div>
          </div>
     </dt>
        );
    }
});
module.exports = Questions;
ReactDOM.render(<Survey.Survey model={window[questionid]} />, document.getElementById({questionid}));

Он компилируется без ошибок, но затем в браузере я получаю ошибки консоли:

Ошибка типа: WEBPACK_IMPORTED_MODULE<script src="https://unpkg.com/survey-react"></script>react не определено[Подробнее] ReferenceError: идентификатор вопроса не определен

Кажется, я пытаюсь сделать это неправильно, но как сделать это правильно? Я новичок в реагировании и не знаком с использованием reactDOM внутри компонента, и это также мой первый проект в Survey.js.

Спасибо за помощь.


person obeliksz    schedule 07.08.2017    source источник


Ответы (1)


Пожалуйста, проверьте этот код:

import React, { Component } from 'react';
import { render } from 'react-dom';

import * as Survey from 'survey-react';
import 'survey-react/survey.css';

import 'bootstrap/dist/css/bootstrap.css'
import './style.css';

class App extends Component {
  componentWillMount() {    
    Survey.Survey.cssType = "bootstrap";
    Survey.defaultBootstrapCss.navigationButton = "btn btn-green";
  }

  render() {    
    var json = { title: "Product Feedback Survey Example", showProgressBar: "top", pages: [
        {questions: [
            { type: "matrix", name: "Quality", title: "Please indicate if you agree or disagree with the following statements",
                columns: [{ value: 1, text: "Strongly Disagree" },
                    { value: 2, text: "Disagree" },
                    { value: 3, text: "Neutral" },
                    { value: 4, text: "Agree" },
                    { value: 5, text: "Strongly Agree" }],
                rows: [{ value: "affordable", text: "Product is affordable" },
                    { value: "does what it claims", text: "Product does what it claims" },
                    { value: "better then others", text: "Product is better than other products on the market" },
                    { value: "easy to use", text: "Product is easy to use" }]},
            { type: "rating", name: "satisfaction", title: "How satisfied are you with the Product?",
                mininumRateDescription: "Not Satisfied", maximumRateDescription: "Completely satisfied" },
            { type: "rating", name: "recommend friends", visibleIf: "{satisfaction} > 3",
                title: "How likely are you to recommend the Product to a friend or co-worker?",
                mininumRateDescription: "Will not recommend", maximumRateDescription: "I will recommend" },
            { type: "comment", name: "suggestions", title:"What would make you more satisfied with the Product?", }
        ]},
        {questions: [
            { type: "radiogroup", name: "price to competitors",
                title: "Compared to our competitors, do you feel the Product is",
                choices: ["Less expensive", "Priced about the same", "More expensive", "Not sure"]},
            { type: "radiogroup", name: "price", title: "Do you feel our current price is merited by our product?",
                choices: ["correct|Yes, the price is about right",
                    "low|No, the price is too low for your product",
                    "high|No, the price is too high for your product"]},
            { type: "multipletext", name: "pricelimit", title: "What is the... ",
                items: [{ name: "mostamount", title: "Most amount you would every pay for a product like ours" },
                    { name: "leastamount", title: "The least amount you would feel comfortable paying" }]}
        ]},
        { questions: [
            { type: "text", name: "email",
                title: "Thank you for taking our survey. Your survey is almost complete, please enter your email address in the box below if you wish to participate in our drawing, then press the 'Submit' button."}
        ]}
    ]};

    var model = new Survey.Model(json);    
    return (
      <Survey.Survey model={model}/>
    );
  }
}

render(<App />, document.getElementById('root'));

и вот живой пример: https://stackblitz.com/edit/surveyjs-react-stackoverflow45544026

person Dmitry Kurmanov    schedule 15.11.2017
comment
В итоге я перестал заниматься этой интеграцией. Этот пример кажется приемлемым, поэтому я приму его, но на всякий случай будущим посетителям будет лучше также опубликовать здесь свой код. - person obeliksz; 15.11.2017