我喜欢明确指定每个班级的所有道具类型。
React.createClass({
propTypes: {
optionalArray: React.PropTypes.array,
optionalBool: React.PropTypes.bool,
...
这是通过阅读可重复使用的组件:https://facebook.github.io/react/docs/reusable-components.html
但是,如果我在很多课程中使用了一个非常常见的对象怎么办?例如:
var MemoryForm = React.createClass({
propTypes: {
memory: React.PropTypes.shape({
memoryID: React.PropTypes.number,
content: React.PropTypes.string,
date: React.PropTypes.object,
dateStr: React.PropTypes.string,
note: React.PropTypes.string
}).isRequired,
...
var MemoriesArea = React.createClass({
propTypes: {
// The initial memory to fill the memory form with.
formMemory: React.PropTypes.shape({ // <== shape used again
memoryID: React.PropTypes.number,
content: React.PropTypes.string,
date: React.PropTypes.object,
dateStr: React.PropTypes.string,
note: React.PropTypes.string
}).isRequired,
// ...
var Playground = React.createClass({
getInitialState: function() {
var initVars = {
// The initial memory to fill the memory form with.
formMemory: { // <== shape is used again.
memoryID: 0,
content: "",
date: null,
dateStr: "",
note: ""
}
};
return initVars;
}
//...
在这里,我使用&#39;记忆&#39;在各种类的prop类型中以及在一些初始化中非常频繁地形成。如何使这更干燥 - 即减少代码重复,这样对象形状的变化将来会更加可维护?
答案 0 :(得分:21)
我遇到了同样的问题,只是将值移到了单独的ES6模块中。在您的示例中:
// File lib/PropTypeValues.js
import { PropTypes } from 'react';
export let MemoryPropTypes = PropTypes.shape({
memoryID: PropTypes.number,
content: PropTypes.string,
date: PropTypes.object,
dateStr: PropTypes.string,
note: PropTypes.string
}).isRequired
然后在您的客户端代码中:
// MemoryForm.jsx
import { MemoryPropTypes } from './lib/PropTypeValues'
import React from 'react';
class MemoryForm extends React.Component {
static propTypes: {
memory: MemoryPropTypes,
// ...
};
}
希望这有帮助。
答案 1 :(得分:3)
我会制作一个暴露该功能的小模块。它在CommonJS世界中看起来像这样:
let React = require('react');
module.exports = {
propTypes() {
return React.PropTypes.shape({
memoryID: React.PropTypes.number,
content: React.PropTypes.string,
date: React.PropTypes.object,
dateStr: React.PropTypes.string,
note: React.PropTypes.string
}).isRequired;
},
initialValues() {
return {
memoryID: 0,
content: "",
date: null,
dateStr: "",
note: ""
};
}
}
然后你在这样的组件中使用它:
let memoryUtils = require('./memory-utils');
let MyComponent = React.createClass({
propTypes: memoryUtils.propTypes(),
render() {
...
}
});
和
let memoryUtils = require('./memory-utils');
let MyComponent = React.createClass({
getInitialState() {
return memoryUtils.initialValues();
},
render() {
...
}
});