今回はGameplay Ability System (通称GAS)をUE5に導入する方法について解説します。
もっと簡単な方法が出てくる可能性があるので、暫定とさせてください。
お約束 | |
---|---|
この記事作成にあたって使用した主なUnreal Engine バージョン | UE 5.0.0 |
本日のゴール
Unreal Engine 5.0 にC++を使ってGASを導入する
- Input Bindを成功させる
- Gameplay Abilityを使えるように
- Gameplay Effectを使えて、AttributeがReplicateされるように
GAS 導入 作業前提編
この手順書ではC++を弄ります。
Windowsの方はVisual Studioの導入を完了しておいてください
Macの方はXcodeの導入を完了しておいてください
プロジェクトはC++向けで作成しておいてください。
GAS 導入 準備編1
手順書を作ってきましたので、使ってください。
① GameplayAbiitiesのプラグインをONにして、プロジェクトを再起動
②コンテンツツリーでC++のフォルダ → 「プロジェクト名」のフォルダを選択 ※Windowsではもう少し複雑なフォルダ構造になっていると思いますが、階層は同じです
③右クリックして新規C++クラスを作成
④全てのクラス → "Attribute"と検索 → "AttributeSet"を選択し→「次へ」
⑤適当に名前をつけてクラスを作成してください。特に思い入れがなければ「MyAttributeSet」のままでいいです。(※このファイル名にすれば、以降の作業が楽になります笑)
以降この作成したファイルは「MyAttributeSet」と呼称します。
⑥同じ手順で、次は「GameplayAbility」クラスを新規に作成します。今度は色々候補が多いので間違えないでください。特に思い入れがなければ「MyGameplayAbility」のままでいいです。以降この作成したファイルは「MyGameplayAbility」と呼称します。
⑦これで準備段階は完了
GAS 導入 C++弄る編 準備編
まず、プロジェクトのフォルダに移動します。すると「プロジェクト名.sln」「プロジェクト名.xcworkspace」のどちらかがあるはずなので、開きます。
※もしないですって人がいたら、プロジェクト.uprojectを
Windowsの人 : 右クリックして Generate Visual Studio~ を選択してください。
Macの人 : 選択状態にして、上のステータスバー?の「Finder」→「サービス」→「Generate Xcode~」を選択します
さて、そうすると、Windowsなら右 macなら左のツリーウィンドウから先程のフォルダが見えると思います。
Macの場合 |
GAS 導入 C++弄る編 本編
いよいよ弄ります。まずはもともとあったファイルを弄っていきます。※この講座では何も変更されていない方を前提として進めているので、すでに弄ったプロジェクトを前提にする場合は注意してください。
1「プロジェクト名.Build.cs」
下記を"PublicDependencyModuleNames.AddRange"内に追加します。
※左側の01.は気にしないでください。行の番号なので…。
- "GameplayAbilities", "GameplayTags", "GameplayTasks"
追加すると、多分こんな感じになると思います。
- PublicDependencyModuleNames.AddRange(new string[] { "GameplayAbilities", "GameplayTags", "GameplayTasks", "Core", "CoreUObject", "Engine", "InputCore" });
もうすでにプロジェクトを弄っていた方は上記は変わっていると思うので注意してください。
2「プロジェクト名.h」
下記を#include "CoreMinimal.h"の下に追加します。
- UENUM(BlueprintType)
- enum class AbilityInput : uint8
- {
- // 0 None
- None UMETA(DisplayName = "None"),
- // 1 Confirm
- Confirm UMETA(DisplayName = "Confirm"),
- // 2 Cancel
- Cancel UMETA(DisplayName = "Cancel"),
- // 3 Pass Snow Ball
- Pass UMETA(DisplayName = "Pass"),
- // 4 Throw
- Throw UMETA(DisplayName = "Throw"),
- // 6 Make Snow Ball
- Generate UMETA(DisplayName = "Generate"),
- // 7 Map
- Map UMETA(DisplayName = "Map"),
- // 8 Call
- Call UMETA(DisplayName = "Call"),
- };
これは、Gameplay Abilityとキーのバインドです。つまりなんかのキーを押すと自動的にGameplay Abilityが起動するようになります。
後ほどインプット設定するのですが、それと対応してます。
3-1「プロジェクト名Character.h」
下記の「XXXXXXXXXX」を使っているプロジェクト名にしてください。
「MyAttributeSet」を作成したAttributeSet名にしてください。
「MyGameplayAbility」を作成したGA名にしてください。
まずはヘッダーを編集します。05〜07を追加します。
- #include "CoreMinimal.h"
- #include "GameFramework/Character.h"
- #include "AbilitySystemInterface.h"
- #include "XXXXXXXXXX.h"
- #include "MyGameplayAbility.h"
- #include "MyAttributeSet.h"
- #include "XXXXXXXXXXCharacter.generated.h"
次に、下記画像のようにpublic : の下で };の前に下記を追加します。
- /** ability system */
- UPROPERTY(VisibleAnywhere, BlueprintReadOnly, Category = Abilities, meta = (AllowPrivateAccess = "true"))
- class UAbilitySystemComponent* AbilitySystem;
-
- UAbilitySystemComponent* GetAbilitySystemComponent() const
- {
- return AbilitySystem;
- };
- /** ability list */
- UPROPERTY(EditAnywhere, BlueprintReadWrite, Category = Abilities)
- TArray<TSubclassOf<class UMyGameplayAbility>> AbilityList;
-
- /** BeginPlay, PossessedBy override */
- virtual void PossessedBy(AController* NewController) override;
-
- // Called when the game starts or when spawned
- virtual void BeginPlay() override;
-
- /** AttributeSet */
- UPROPERTY(VisibleAnywhere, BlueprintReadWrite, Category = Abilities)
- UMyAttributeSet* AttributeSet;
-
- UFUNCTION(BlueprintCallable, Category = "PlayerState")
- bool IsAlive() const;
-
- UFUNCTION(BlueprintCallable)
- virtual float GetHealth() const;
- UFUNCTION(BlueprintNativeEvent, Category= "GameplayAbility|My")
- void Die();
- virtual void Die_Implementation();
-
- UFUNCTION(BlueprintCallable, Category = "GameplayAbility|My")
- virtual void CancelCharacterAllAbilities();
-
- virtual void InitializeAbility();
-
- UPROPERTY(BlueprintAssignable, Category = "Delegates")
- FHealthChange OnHealthChange;
-
- protected:
- FGameplayTag DeadTag;
- // Attribute changed callbacks
- virtual void HealthAttributeUpdated(const FOnAttributeChangeData& Data);
-
- virtual void OnRep_PlayerState() override;
-
- void BindASCInput();
- bool bASCInputBound;
-
3-2「プロジェクト名Character.cpp」
変更点を示すのが面倒なのでフルリストを記述します。追加箇所はLine07,55,56,57,60,88,そして142行以下です。
下記の「XXXXXXXXXX」を使っているプロジェクト名にしてください。
「MyAttributeSet」を作成したAttributeSet名にしてください。
- // Copyright Epic Games, Inc. All Rights Reserved.
- #include "XXXXXXXXXXCharacter.h"
- #include "Camera/CameraComponent.h"
- #include "Components/CapsuleComponent.h"
- #include "Components/InputComponent.h"
- #include "AbilitySystemComponent.h" // 追加点
- #include "GameFramework/CharacterMovementComponent.h"
- #include "GameFramework/Controller.h"
- #include "GameFramework/SpringArmComponent.h"
- //////////////////////////////////////////////////////////////////////////
- // AXXXXXXXXXXCharacter
- AXXXXXXXXXXCharacter::AXXXXXXXXXXCharacter()
- {
- // Set size for collision capsule
- GetCapsuleComponent()->InitCapsuleSize(42.f, 96.0f);
- // set our turn rate for input
- TurnRateGamepad = 50.f;
- // Don't rotate when the controller rotates. Let that just affect the camera.
- bUseControllerRotationPitch = false;
- bUseControllerRotationYaw = false;
- bUseControllerRotationRoll = false;
- // Configure character movement
- GetCharacterMovement()->bOrientRotationToMovement = true; // Character moves in the direction of input...
- GetCharacterMovement()->RotationRate = FRotator(0.0f, 500.0f, 0.0f); // ...at this rotation rate
- // Note: For faster iteration times these variables, and many more, can be tweaked in the Character Blueprint
- // instead of recompiling to adjust them
- GetCharacterMovement()->JumpZVelocity = 700.f;
- GetCharacterMovement()->AirControl = 0.35f;
- GetCharacterMovement()->MaxWalkSpeed = 500.f;
- GetCharacterMovement()->MinAnalogWalkSpeed = 20.f;
- GetCharacterMovement()->BrakingDecelerationWalking = 2000.f;
- // Create a camera boom (pulls in towards the player if there is a collision)
- CameraBoom = CreateDefaultSubobject<USpringArmComponent>(TEXT("CameraBoom"));
- CameraBoom->SetupAttachment(RootComponent);
- CameraBoom->TargetArmLength = 400.0f; // The camera follows at this distance behind the character
- CameraBoom->bUsePawnControlRotation = true; // Rotate the arm based on the controller
- // Create a follow camera
- FollowCamera = CreateDefaultSubobject<UCameraComponent>(TEXT("FollowCamera"));
- FollowCamera->SetupAttachment(CameraBoom, USpringArmComponent::SocketName); // Attach the camera to the end of the boom and let the boom adjust to match the controller orientation
- FollowCamera->bUsePawnControlRotation = false; // Camera does not rotate relative to arm
- // Note: The skeletal mesh and anim blueprint references on the Mesh component (inherited from Character)
- // are set in the derived blueprint asset named ThirdPersonCharacter (to avoid direct content references in C++)
-
- // ability system component
- AbilitySystem = CreateDefaultSubobject<UAbilitySystemComponent>(TEXT("AbilitySystem")); // 追加点
- AbilitySystem->SetIsReplicated(true); // 追加点
- AbilitySystem->SetReplicationMode(EGameplayEffectReplicationMode::Mixed); // 追加点
-
- // create the attribute set
- AttributeSet = CreateDefaultSubobject<UMyAttributeSet>(TEXT("AttributeSet")); // 追加点
- }
- //////////////////////////////////////////////////////////////////////////
- // Input
- void AXXXXXXXXXXCharacter::SetupPlayerInputComponent(class UInputComponent* PlayerInputComponent)
- {
- // Set up gameplay key bindings
- check(PlayerInputComponent);
- PlayerInputComponent->BindAction("Jump", IE_Pressed, this, &ACharacter::Jump);
- PlayerInputComponent->BindAction("Jump", IE_Released, this, &ACharacter::StopJumping);
- PlayerInputComponent->BindAxis("Move Forward / Backward", this, &AXXXXXXXXXXCharacter::MoveForward);
- PlayerInputComponent->BindAxis("Move Right / Left", this, &AXXXXXXXXXXCharacter::MoveRight);
- // We have 2 versions of the rotation bindings to handle different kinds of devices differently
- // "turn" handles devices that provide an absolute delta, such as a mouse.
- // "turnrate" is for devices that we choose to treat as a rate of change, such as an analog joystick
- PlayerInputComponent->BindAxis("Turn Right / Left Mouse", this, &APawn::AddControllerYawInput);
- PlayerInputComponent->BindAxis("Turn Right / Left Gamepad", this, &AXXXXXXXXXXCharacter::TurnAtRate);
- PlayerInputComponent->BindAxis("Look Up / Down Mouse", this, &APawn::AddControllerPitchInput);
- PlayerInputComponent->BindAxis("Look Up / Down Gamepad", this, &AXXXXXXXXXXCharacter::LookUpAtRate);
- // handle touch devices
- PlayerInputComponent->BindTouch(IE_Pressed, this, &AXXXXXXXXXXCharacter::TouchStarted);
- PlayerInputComponent->BindTouch(IE_Released, this, &AXXXXXXXXXXCharacter::TouchStopped);
-
- BindASCInput(); // 追加点
- }
- void AXXXXXXXXXXCharacter::TouchStarted(ETouchIndex::Type FingerIndex, FVector Location)
- {
- Jump();
- }
- void AXXXXXXXXXXCharacter::TouchStopped(ETouchIndex::Type FingerIndex, FVector Location)
- {
- StopJumping();
- }
- void AXXXXXXXXXXCharacter::TurnAtRate(float Rate)
- {
- // calculate delta for this frame from the rate information
- AddControllerYawInput(Rate * TurnRateGamepad * GetWorld()->GetDeltaSeconds());
- }
- void AXXXXXXXXXXCharacter::LookUpAtRate(float Rate)
- {
- // calculate delta for this frame from the rate information
- AddControllerPitchInput(Rate * TurnRateGamepad * GetWorld()->GetDeltaSeconds());
- }
- void AXXXXXXXXXXCharacter::MoveForward(float Value)
- {
- if ((Controller != nullptr) && (Value != 0.0f))
- {
- // find out which way is forward
- const FRotator Rotation = Controller->GetControlRotation();
- const FRotator YawRotation(0, Rotation.Yaw, 0);
- // get forward vector
- const FVector Direction = FRotationMatrix(YawRotation).GetUnitAxis(EAxis::X);
- AddMovementInput(Direction, Value);
- }
- }
- void AXXXXXXXXXXCharacter::MoveRight(float Value)
- {
- if ( (Controller != nullptr) && (Value != 0.0f) )
- {
- // find out which way is right
- const FRotator Rotation = Controller->GetControlRotation();
- const FRotator YawRotation(0, Rotation.Yaw, 0);
-
- // get right vector
- const FVector Direction = FRotationMatrix(YawRotation).GetUnitAxis(EAxis::Y);
- // add movement in that direction
- AddMovementInput(Direction, Value);
- }
- }
- void AXXXXXXXXXXCharacter::BeginPlay()
- {
- Super::BeginPlay();
- if (AbilitySystem)
- {
- int32 inputID(0);
- if (HasAuthority() && AbilityList.Num() > 0)
- {
- for (auto Ability : AbilityList)
- {
- if (Ability)
- {
- if (static_cast<int32>(Ability.GetDefaultObject()->AbilityInputID) != 0)
- {
- AbilitySystem->GiveAbility(FGameplayAbilitySpec(Ability.GetDefaultObject(), 1, static_cast<int32>(Ability.GetDefaultObject()->AbilityInputID), this));
- }
- else
- {
- AbilitySystem->GiveAbility(FGameplayAbilitySpec(Ability.GetDefaultObject(), 1, -1, this));
- }
- }
- }
- }
- AbilitySystem->InitAbilityActorInfo(this, this);
-
- AbilitySystem->GetGameplayAttributeValueChangeDelegate(UMyAttributeSet::GetHealthAttribute()).AddUObject(this, &AXXXXXXXXXXCharacter::HealthAttributeUpdated);
-
- }
-
-
- }
- void AXXXXXXXXXXCharacter::InitializeAbility()
- {
-
- if (AbilitySystem)
- {
- int32 inputID(0);
- if (HasAuthority() && AbilityList.Num() > 0)
- {
- for (auto Ability : AbilityList) {
- if (Ability)
- {
- AbilitySystem->GiveAbility(FGameplayAbilitySpec(Ability.GetDefaultObject(), 1, inputID++));
- }
- }
-
-
- }
- AbilitySystem->InitAbilityActorInfo(this, this);
-
-
- }
-
- }
- void AXXXXXXXXXXCharacter::PossessedBy(AController* NewController)
- {
- Super::PossessedBy(NewController);
- if (AbilitySystem)
- {
- AbilitySystem->InitAbilityActorInfo(this, this);
- }
- // ASC MixedMode レプリケーションでは、ASC Owner の所有者に Controller を要求します。
- SetOwner(NewController);
-
- }
- float AXXXXXXXXXXCharacter::GetHealth() const {
- return AttributeSet->GetHealth();
- }
- bool AXXXXXXXXXXCharacter::IsAlive() const
- {
- return GetHealth() > 0.0f;
- }
- void AXXXXXXXXXXCharacter::Die_Implementation()
- {
- }
- void AXXXXXXXXXXCharacter::HealthAttributeUpdated(const FOnAttributeChangeData& Data)
- {
- OnHealthChange.Broadcast(Data.NewValue);
-
- if (!IsAlive() && !AbilitySystem->HasMatchingGameplayTag(DeadTag))
- {
- AbilitySystem->AddLooseGameplayTag(DeadTag);
- Die();
- }
-
- }
- void AXXXXXXXXXXCharacter::CancelCharacterAllAbilities()
- {
- if (GetLocalRole() != ROLE_Authority || !AbilitySystem)
- {
- return;
- }
- AbilitySystem->CancelAllAbilities();
- }
- void AXXXXXXXXXXCharacter::OnRep_PlayerState()
- {
- Super::OnRep_PlayerState();
- AbilitySystem->InitAbilityActorInfo(this, this);
- BindASCInput();
- }
- void AXXXXXXXXXXCharacter::BindASCInput()
- {
- if (!bASCInputBound && IsValid(AbilitySystem) && IsValid(InputComponent))
- {
- AbilitySystem->BindAbilityActivationToInputComponent(InputComponent, FGameplayAbilityInputBinds(FString("ConfirmTarget"),
- FString("CancelTarget"), FString("AbilityInput"), static_cast<int32>(AbilityInput::Confirm), static_cast<int32>(AbilityInput::Cancel)));
- bASCInputBound = true;
- }
- }
4-1「MyAttributeSet.h」
下記の「XXXXXXXXXX」を使っているプロジェクト名にしてください。
「MyAttributeSet」を作成したAttributeSet名にしてください。
- // Fill out your copyright notice in the Description page of Project Settings.
- #pragma once
- #include "CoreMinimal.h"
- #include "AttributeSet.h"
- #include "AbilitySystemComponent.h"
- #include "MyAttributeSet.generated.h"
- // AttributeSetを引っ張ってこれるための準備
- #define ATTRIBUTE_ACCESSORS(ClassName, PropertyName) \
- GAMEPLAYATTRIBUTE_PROPERTY_GETTER(ClassName, PropertyName) \
- GAMEPLAYATTRIBUTE_VALUE_GETTER(PropertyName) \
- GAMEPLAYATTRIBUTE_VALUE_SETTER(PropertyName) \
- GAMEPLAYATTRIBUTE_VALUE_INITTER(PropertyName)
- UCLASS()
- class XXXXXXXXXX_API UMyAttributeSet : public UAttributeSet
- {
- GENERATED_BODY()
-
- public:
- UMyAttributeSet();
-
- virtual void GetLifetimeReplicatedProps(TArray<FLifetimeProperty>& OutLifetimeProps) const override;
-
- //
- UPROPERTY(Category = "MyAttributeSet", EditAnywhere, BlueprintReadWrite, ReplicatedUsing = OnRep_Health)
- FGameplayAttributeData Health;
- ATTRIBUTE_ACCESSORS(UMyAttributeSet, Health);
- FGameplayAttribute HealthAttribute();
-
- // Yukidama
- UPROPERTY(BlueprintReadWrite, Category = "MyAttributeSet", ReplicatedUsing = OnRep_Yukidama)
- FGameplayAttributeData Yukidama;
- ATTRIBUTE_ACCESSORS(UMyAttributeSet, Yukidama);
- FGameplayAttribute YukidamaAttribute();
-
- // YukidamaMax
- UPROPERTY(BlueprintReadWrite, Category = "MyAttributeSet", EditAnywhere)
- FGameplayAttributeData YukidamaMax;
- ATTRIBUTE_ACCESSORS(UMyAttributeSet, YukidamaMax);
- FGameplayAttribute YukidamaMaxAttribute();
-
- //
- virtual void PostGameplayEffectExecute(const FGameplayEffectModCallbackData& Data) override;
-
- protected:
-
- UFUNCTION()
- virtual void OnRep_Yukidama(const FGameplayAttributeData& OldYukidama);
-
- UFUNCTION()
- virtual void OnRep_Health(const FGameplayAttributeData& OldHealth);
-
- };
4-2「MyAttributeSet.cpp」
下記の「XXXXXXXXXX」を使っているプロジェクト名にしてください。
「MyAttributeSet」を作成したAttributeSet名にしてください。
- // Fill out your copyright notice in the Description page of Project Settings.
- #include "MyAttributeSet.h"
- #include "GameplayEffect.h"
- #include "GameplayEffectExtension.h" // ForPostGameplayEffectExecute
- #include "XXXXXXXXXXCharacter.h" // Character
- #include "Net/UnrealNetwork.h"
- UMyAttributeSet::UMyAttributeSet()
- : Health(1.f)
- , Yukidama(5.f)
- , YukidamaMax(5.f)
- {
- }
- // Health
- FGameplayAttribute UMyAttributeSet::HealthAttribute()
- {
- static FProperty* Property = FindFieldChecked<FProperty>(UMyAttributeSet::StaticClass(), GET_MEMBER_NAME_CHECKED(UMyAttributeSet, Health));
- return FGameplayAttribute(Property);
- }
- FGameplayAttribute UMyAttributeSet::YukidamaAttribute()
- {
- static FProperty* Property = FindFieldChecked<FProperty>(UMyAttributeSet::StaticClass(), GET_MEMBER_NAME_CHECKED(UMyAttributeSet, Yukidama));
- return FGameplayAttribute(Property);
- }
- FGameplayAttribute UMyAttributeSet::YukidamaMaxAttribute()
- {
- static FProperty* Property = FindFieldChecked<FProperty>(UMyAttributeSet::StaticClass(), GET_MEMBER_NAME_CHECKED(UMyAttributeSet, YukidamaMax));
- return FGameplayAttribute(Property);
- }
- void UMyAttributeSet::PostGameplayEffectExecute(const FGameplayEffectModCallbackData& Data)
- {
- Super::PostGameplayEffectExecute(Data);
- // éÛÇØéÊÇ¡ÇΩÉfÅ[É^Ç©ÇÁäeéÌèÓïÒÇ?éÊìæ
- FGameplayEffectContextHandle Context = Data.EffectSpec.GetContext();
- UAbilitySystemComponent* Source = Context.GetOriginalInstigatorAbilitySystemComponent();
- const FGameplayTagContainer& SourceTags = *Data.EffectSpec.CapturedSourceTags.GetAggregatedTags();
- // GameplayEffectÇ…ÇÊÇËéwíËÇ?ÇÍÇΩÉAÉgÉäÉrÉÖÅ[ÉgïœâªílÇ?åvéZ
- float DeltaValue = 0;
- if (Data.EvaluatedData.ModifierOp == EGameplayModOp::Type::Additive)
- {
- // If this was additive, store the raw delta value to be passed along later
- DeltaValue = Data.EvaluatedData.Magnitude;
- }
- AActor* TargetActor = nullptr;
- AController* TargetController = nullptr;
- AXXXXXXXXXXCharacter* TargetCharacter = nullptr;
- if (Data.Target.AbilityActorInfo.IsValid() && Data.Target.AbilityActorInfo->AvatarActor.IsValid())
- {
- TargetActor = Data.Target.AbilityActorInfo->AvatarActor.Get();
- TargetController = Data.Target.AbilityActorInfo->PlayerController.Get();
- TargetCharacter = Cast<AXXXXXXXXXXCharacter>(TargetActor);
- }
-
- if (GetYukidamaAttribute() == GetYukidamaMaxAttribute())
- {
- // Syori
- }
-
- }
- void UMyAttributeSet::OnRep_Yukidama(const FGameplayAttributeData& OldYukidama)
- {
- GAMEPLAYATTRIBUTE_REPNOTIFY(UMyAttributeSet, Yukidama, OldYukidama);
- }
- void UMyAttributeSet::OnRep_Health(const FGameplayAttributeData& OldHealth)
- {
- GAMEPLAYATTRIBUTE_REPNOTIFY(UMyAttributeSet, Health, OldHealth);
-
- }
- void UMyAttributeSet::GetLifetimeReplicatedProps(TArray<FLifetimeProperty>& OutLifetimeProps) const
- {
- Super::GetLifetimeReplicatedProps(OutLifetimeProps);
- DOREPLIFETIME_CONDITION_NOTIFY(UMyAttributeSet, Yukidama, COND_None, REPNOTIFY_Always);
-
- DOREPLIFETIME_CONDITION_NOTIFY(UMyAttributeSet, Health, COND_None, REPNOTIFY_Always);
- }
5-1「MyGameAbility.h」
下記の「XXXXXXXXXX」を使っているプロジェクト名にしてください。
「MyGameplayAbility」を作成したGA名にしてください。
- // Fill out your copyright notice in the Description page of Project Settings.
- #pragma once
- #include "CoreMinimal.h"
- #include "XXXXXXXXXX.h"
- #include "Abilities/GameplayAbility.h"
- #include "MyGameplayAbility.generated.h"
- UCLASS()
- class XXXXXXXXXX_API UMyGameplayAbility : public UGameplayAbility
- {
- GENERATED_BODY()
-
- public:
- UMyGameplayAbility();
-
- // Abilities with this set will automatically activate when the input is pressed
- UPROPERTY(BlueprintReadOnly, EditAnywhere, Category = "Ability")
- AbilityInput AbilityInputID = AbilityInput::None;
- // Value to associate an ability with an slot without tying it to an automatically activated input.
- // Passive abilities won't be tied to an input so we need a way to generically associate abilities with slots.
- UPROPERTY(BlueprintReadOnly, EditAnywhere, Category = "Ability")
- AbilityInput AbilityID = AbilityInput::None;
- };
5-2「MyGameAbility.cpp」
「MyGameplayAbility」を作成したGA名にしてください。
- // Fill out your copyright notice in the Description page of Project Settings.
- #include "MyGameplayAbility.h"
- UMyGameplayAbility::UMyGameplayAbility()
- {
- }
C++をコンパイルする
GASを作る
2「プロジェクト名.h」
下記を#include "CoreMinimal.h"の下に追加します。
- UENUM(BlueprintType)
- enum class AbilityInput : uint8
- {
- // 0 None
- None UMETA(DisplayName = "None"),
- // 1 Confirm
- Confirm UMETA(DisplayName = "Confirm"),
- // 2 Cancel
- Cancel UMETA(DisplayName = "Cancel"),
- // 3 Pass Snow Ball
- Pass UMETA(DisplayName = "Pass"),
- // 4 Throw
- Throw UMETA(DisplayName = "Throw"),
- // 6 Make Snow Ball
- Generate UMETA(DisplayName = "Generate"),
- // 7 Map
- Map UMETA(DisplayName = "Map"),
- // 8 Call
- Call UMETA(DisplayName = "Call"),
- };
0 件のコメント:
コメントを投稿