사용자가 편집기 자체를 사용하여 새 카테고리를 추가한 경우 사용자 정의 구성 요소에서 사용되는 카테고리 목록을 새로 고칠 수 있는 방법이 있습니까?
워드프레스의 구텐베르크 에디터용 커스텀 컴포넌트를 만들었습니다.이미 선택된 카테고리 목록에서 하나의 카테고리를 선택할 수 있는 방법이 필요했습니다.아래의 코드로 이러한 기능을 실현할 수 있었습니다.컴포넌트의 유일한 문제는 사용자가 에디터에서 완전히 새로운 카테고리를 추가해도 카테고리가 자동으로 선택되므로 커스텀드롭다운에 표시되어야 한다는 것입니다.
문서를 검토했지만 이 효과를 얻을 수 있는 방법을 찾지 못했습니다.select().getEntityRecords()
는 취득한 첫 번째 결과 세트를 캐시하고 있으며 페이지 새로 고침 없이 새로운 데이터에 대해 쿼리하지 않습니다.
사이드노트:사용자가 확인할 수 있는 일반 카테고리 수를 제한하는 추가 기능이 있습니다.현재 내 코드는 3개로 제한하고 있으며, 사용자가 3개 이상을 체크했기 때문에 게시물을 저장할 수 없습니다.
index.displaces를 표시합니다.
// WordPress dependencies.
import { createElement as el, Fragment } from '@wordpress/element';
import { __ } from '@wordpress/i18n';
// Internal dependencies.
import PostPrimaryCategory from './post-primary-category';
/**
* Add new field to category content block
* Also add a limit check for categories
*
* @param {*} OriginalComponent
*/
function wrapPostPrimaryCategory( OriginalComponent ) {
return function( props ) {
// create content block
let originalElement = el( OriginalComponent, props );
let errorMessage = null;
// if the content block is category
if ( 'category' === originalElement.props.slug ) {
// turn on update/publish button
jQuery( ".editor-post-publish-button" ).prop( "disabled", false );
if ( 3 < originalElement.props.terms.length ) {
// if number of categories is more then 3, show error and disable publish/edit button
errorMessage = el( 'p', { class: 'error-message' }, __( 'Too many categories have been selected', 'post-categories-error' ) );
jQuery( ".editor-post-publish-button" ).prop( "disabled", true );
}
}
// compile all elements of the content block together
let elements = 'category' !== originalElement.props.slug ? el(
Fragment, null,
originalElement
) : (
el(
Fragment, null,
el( 'h4', null, __( 'Categories', 'post-categories' ) ),
// show error message if there is one
errorMessage,
originalElement,
// Show a custom heading
el( 'h4', null, __( 'Primary Category', 'post-primary-category' ) ),
// add new field
<PostPrimaryCategory selectedTerms={ originalElement.props.terms } />
)
);
return elements;
};
}
// hook to get access to the category ( and post tags ) content blocks in the editor
wp.hooks.addFilter(
'editor.PostTaxonomyType',
'authentic-child/assets/js/post-primary-category',
wrapPostPrimaryCategory
);
post-primary-category.displays.post
// WordPress dependencies.
import { SelectControl } from '@wordpress/components';
import { compose } from '@wordpress/compose';
import { withSelect, withDispatch } from '@wordpress/data';
// Whenever the post is edited, this would be called. And we use it to pass the
// updated metadata to the above function.
const applyWithSelect = withSelect( ( select ) => {
return {
primaryCategory: select( 'core/editor' ).getEditedPostAttribute( 'meta' ).primary_category,
categories: select( 'core' ).getEntityRecords( 'taxonomy', 'category', { per_page:-1, hide_empty:false } )
};
} );
// Whenever the post is edited, this would also be called. And we use it to update
// the metadata through the above function. But note that the changes would only
// be saved in the database when you click on the submit button, e.g. the "Update"
// button on the post editing screen. :)
const applyWithDispatch = withDispatch( ( dispatch ) => {
const { editPost } = dispatch( 'core/editor' );
return {
onSetPrimaryCategory( primaryCategory ) {
const meta = { primary_category: primaryCategory };
editPost( { meta } );
}
};
} );
// This basically simply renders the select drop down.
function PostPrimaryCategory( {
// passsed in from the wrap function in index.js
selectedTerms,
// These these props are passed by applyWithSelect().
primaryCategory,
categories,
// Whereas this is passed by applyWithDispatch().
onSetPrimaryCategory,
} ) {
return (
<>
<SelectControl
label="This category will be displayed on the post when it is on the home/search pages"
value={ primaryCategory }
onChange={ onSetPrimaryCategory }
options={ null === categories || undefined === categories ? [] :
categories
.filter( ( { id, name } ) => ( "Uncategorized" === name || -1 === selectedTerms.indexOf( id ) ? false : true ) )
.map( ( { id, name } ) => ( { label: name, value: name } ) ) }
/>
</>
);
}
// And finally, 'compose' the above functions.
export default compose( applyWithSelect, applyWithDispatch )( PostPrimaryCategory );
를 사용할 수 있습니다.useSelect
커스텀 리액트 훅이 기능 컴포넌트 내에 있습니다. useSelect
는 변경에 "수정"하여 값이 변경된 경우(즉, 사용자가 다른 카테고리를 선택하는 경우) 컴포넌트를 자동으로 다시 설정합니다.
생성할 컴포넌트<SelectControl>
사용자는 다음과 같은 "프라이머리 카테고리"를 선택할 수 있습니다.
/**
* WordPress dependencies
*/
import { __ } from '@wordpress/i18n';
import { SelectControl } from '@wordpress/components';
import { useSelect } from '@wordpress/data';
import { useEntityProp } from '@wordpress/core-data';
function PostPrimaryCategory() {
const categories = useSelect((select) => {
/**
* Get the currently selected categories for a post. Since we are using
* useSelect, this will get updated any time the user adds or removes a
* category from the post.
*/
const catIds = select('core/editor').getEditedPostAttribute('categories');
/**
* The line of code above just gets us an array of category IDs, so here
* we get the full category details (name, slug, id, etc) that we can
* use to populate the SelectControl.
*/
return !!catIds && catIds.length > 0 ?
select('core').getEntityRecords('taxonomy', 'category', {
include: catIds.join(','),
per_page: -1,
}) : [];
});
// We need the post type for setting post meta
const postType = useSelect((select) => {
return select('core/editor').getCurrentPostType();
});
// Get and set the post meta
const [meta, setMeta] = useEntityProp('postType', postType, 'meta');
return (
<SelectControl
label={ __('Primary Category', 'text-domain') }
value={ meta.primary_category }
options={ categories.map(cat => {
return {
label: cat.name,
value: cat.id,
}
}) }
onChange={ (value) => setMeta({primary_category: value}) }
/>
);
};
언급URL : https://stackoverflow.com/questions/65093102/is-there-a-way-to-refresh-the-category-list-that-is-used-in-a-custom-component-i
'source' 카테고리의 다른 글
PhpStorm 2019에서 Bitbucket을 설정하는 방법 (0) | 2023.03.21 |
---|---|
Spring Boot 어플리케이션은 Tomcat에 도입했을 때 404를 제공하지만 임베디드 서버와 연동됩니다. (0) | 2023.03.21 |
팬더 데이터 프레임에 JSON 읽기 - ValueError: dicts를 비시리즈와 함께 사용하면 순서가 애매해질 수 있습니다. (0) | 2023.03.16 |
반응-원어민 버튼 스타일이 작동하지 않음 (0) | 2023.03.16 |
"-" 대시로 JSON 속성에 액세스할 수 없습니다. (0) | 2023.03.16 |