web-dev-qa-db-ja.com

リアクションでスタイル付きコンポーネントのキーフレームに小道具を渡す方法は?

次のコードがあり、yの値をreactコンポーネントからmoveVerticallyキーフレームに渡したいです。そうすることは可能ですか?

import React from 'react';
    import styled, {keyframes} from 'styled-components';


    const moveVertically = keyframes`
        0% {
            transform : translateY(0px) 
        }
        100% {
            transform : translateY(-1000px) //I need y here
        }
    `;

    //I can access y in here via props but can't send it above
    const BallAnimation = styled.g`
        animation : ${moveVertically} ${props => props.time}s linear
    `;


    export default function CannonBall(props) {

        const cannonBallStyle = {
            fill: '#777',
            stroke: '#444',
            strokeWidth: '2px',
        };

        return (
            <BallAnimation time = {4} y = {-1000}>
                <circle cx = {0} cy = {0} r="25" style = {cannonBallStyle}/>
            </BallAnimation>
        );
    }
11
LoneCuriousWolf

MoveVerticallyを関数にすることができます。以下のコードを検討してください:

const moveVertically = (y) => keyframes`
    0% {
        transform : translateY(0px) 
    }
    100% {
        transform : translateY(${y}px)
    }
`;

const BallAnimation = styled.g`
    animation : ${props => moveVertically(props.y)} ${props => props.time}s linear
`;

yBallAnimationの小道具にあります。したがって、それを抽出して、y値をパラメーターとして受け入れるmoveVertically関数に渡すことができます。

18
Hriday Modi

moveVerticallykeyframesスタイルのコンポーネントを返す関数にするのはどうですか?

そうすれば、必要な小道具を渡すことができます。

const moveVertically = (y) =>
  keyframes`
    0% {
      transform: translateY(0px);
    }
    100% {
      transform: translateY(${y}px);
    }
  `

const BallAnimation = styled.g`
  animation: ${props => moveVertically(props.y)} ${props => props.time}s linear;
`
2
Steve Holgado