結果だけでなく過程も見てください

日々の奮闘を綴る日記です。

Githubでアクセストークンを使ってリポジトリをやりとりする方法

個人的な備忘録です。

Githubでアクセストークンを作成する

Githubにログインして、右上のアイコンからSettingsを選ぶ

メニューからDeveloper settingsを選ぶ

Personal access tokensを選ぶ

Generate new tokenを選ぶ

Note, Explarationは好きな値を入力する。
リポジトリとやりとりをするため、repo権限にチェックを入れる

Generate tokenを選択する

赤枠の部分にトークンが生成されるのでコピーして使う。
一度このページから離れると、トークンは表示されなくなるので注意


TortoiseGitで前のトークンが有効になって新しいトークンが入力できない場合

Windowsの資格マネージャーから「git:*」のエントリを削除したあと、TortoiseGitからCloneなどを選択すると、トークンを入力する画面が表示されるので、↑でコピーしたトークンをペーストして使用する

GitのリポジトリURLの取得方法

取得したいリポジトリのページにアクセスして、Codeのプルダウン→HTTPSの項目からURLを取得できる

Unity Tips

Unityを使う上で自分が使用した手法等をまとめていきます。
適宜追加記事です。



フェードアウト/フェードインの実装

Unityエディタでの操作

画像を使わず、Panelを使ったフェードアウト/フェードインの方法をご紹介します。

f:id:taiyakisun:20211015121716p:plain
①Hierarchyツリーで、右クリック→UI→Panelでパネルを追加してください。
②Panelが画面全体に満たない場合は、Scaleを調整して画面全体を覆うように調整してください
③フェードする色を選びます。ここでは白色としています。
④Panelは普段は非表示にするため、ここのチェックは外します。

スクリプトの作成

続いて、フェード処理を行うためのC#スクリプトを作成して、Panelにスクリプトを追加します
ここではクラス名をFadeControllerとしています。
アルファ値(透明度)は0.0f~1.0fの間で指定するので注意してください。0.0fが完全透明、1.0fが完全不透明です。

public class FadeController : MonoBehaviour
{
    private float _fadeSpeed = 0.02f;       // 透明度が変わるスピードを管理
    private float _r, _g, _b, _a;           // パネルの色、不透明度を管理

    private bool _bFadeOut = false;         // フェードアウト処理の開始、完了を管理するフラグ
    private bool _bFadeIn = false;          // フェードイン処理の開始、完了を管理するフラグ

    Image _fadeImage;                       // 透明度を変更するパネルのイメージ(UnityEditorで設定)


    // Start is called before the first frame update
    void Start()
    {
        _fadeImage = GetComponent<Image>();
        _r = _fadeImage.color.r;
        _g = _fadeImage.color.g;
        _b = _fadeImage.color.b;
        _a = _fadeImage.color.a;
    }

    // Update is called once per frame
    void Update()
    {
        if (_bFadeIn)
        {
            _a -= _fadeSpeed;          // 不透明度を徐々に下げる
            _fadeImage.color = new Color(_r, _g, _b, _a);
            if (_a <= 0.0f)
            {
                // フェードイン完了
                _bFadeIn = false;
                _fadeImage.enabled = false;      // パネルもついでに消しておく
            }
        }

        if (_bFadeOut)
        {
            _a += _fadeSpeed;         // 不透明度を徐々に上げる
            _fadeImage.color = new Color(_r, _g, _b, _a);
            if (_a >= 1.0f)
            {
                // フェードインアウト完了
                _bFadeOut = false;
            }
        }
    }

    public void StartFadeIn(float fAlphaSpeed = 0.02f)
    {
        if (_bFadeIn)
        {
            // すでにフェードイン中なら何もしない
            return;
        }

        _fadeImage.enabled = true;
        _fadeSpeed = fAlphaSpeed;
        _bFadeIn = true;
        _a = 1.0f;
    }

    public void StartFadeOut(float fAlphaSpeed = 0.02f)
    {
        if (_bFadeOut)
        {
            // すでにフェードアウト中なら何もしない
            return;
        }

        _fadeImage.enabled = true;
        _fadeSpeed = fAlphaSpeed;
        _bFadeOut = true;
        _a = 0.0f;
    }
}

フェード処理の呼び出し

例えばゲームシーンのクラスから呼び出したいとします。
まず、_fadeWhiteという変数をpublicで定義し、Unityエディタから↑で作成したPanelを割り当ててください。

次にプレイヤーが死亡したときにPlayerDied()という関数が呼ばれるとします。
PlayerDied()の中でStartCoroutineをして、PlayerDiedRoutine()を呼び、PlayerDiedRoutine()の中でフェード処理を書きます。

public class GameScene : MonoBehaviour
{
    //フェード用Panel(白)(UnityEditorで設定する)
    public GameObject _fadeWhite;

    :

    private void PlayerDied()
    {
        StartCoroutine(PlayerDiedRoutine());
    }

    private IEnumerator PlayerDiedRoutine()
    {
        //ここにプレイヤー死亡時のコードを書く

        //フェード処理開始
        _fadeWhite.GetComponent<FadeController>().StartFadeOut(0.016f);  // 60FPSなので1.0fまで約1秒
        yield return new WaitForSeconds(1.0f);  //フェード完了まで一秒ウェイト

        //その他死亡処理をここに書く
    }
    :
}



当たり判定/衝突判定

全当たり判定を取得する

Collider2D[] objAllBoxCollider = obj.GetComponents<Collider2D>();
foreach (var col in objAllBoxCollider)
{
    col.enabled = false;  // 当たり判定を無効にする
}

四角形のタイルを地面に敷き詰めた場合、左右にプレイヤー移動するとたまにひっかかってしまう

プレイヤーの当たり判定をBoxColliderでisTriggerをつけていない当たり判定にしてしまうと、微妙にめり込んだ際に引っかかってしまう模様。地面との衝突判定はBoxColliderではなく、CircleColliderで行うことで解決できる。

2つのオブジェクトがあるとき、互いに動かし合うような衝突判定はしたくないが、当たった場合はダメージを受けるような処理を作りたい

例をいうと、プレイヤー(RigidbodyとColliderで重力に従う)と、弾(RigidbodyとColliderで重力に従う)があった場合、弾のIsTriggerをONにしてしまうと重力によって地面をすり抜けてしまうが、OFFにするとプレイヤーと弾がお互いに押し合ってしまう。お互いすり抜けさせつつ、当たったらダメージを受けるようにするにはどうしたらよいか?

答えはダメージを受けたらプレイヤーのレイヤーを変更して対応します。

PlayerのレイヤーをPlayer、弾のレイヤーをAmmoとする。
ここで新たにレイヤーPlayerDamagedを作成しておく。
次にEdit→Project Settings→Physics 2DにあるマトリクスでPlayerDamagedとAmmoのチェックを外す。
これによりレイヤーPlayerDamangedとAmmoの衝突判定は行われなくなる。

プレイヤーはダメージを受けたときレイヤーを変更する。

void OnTriggerEnter2D(Collider2D collision)
{
    :
    if(ダメージを受けた)
    {
        this.gameObject.layer = LayerMask.NameToLayer("PlayerDamaged");
    }
}

プレイヤーの無敵時間が終了するとき、レイヤーを元に戻す。

if (_bDamaged)
{
    if (無敵時間が終了した)
    {
        this.gameObject.layer = LayerMask.NameToLayer("Player");
    }
}

これにより、無敵時間は衝突判定が行われなくなる。無敵時間が終わればレイヤーが元に戻るので衝突判定が復活する。



カメラ

スプライトがプレビュー画面には表示されるのに、ゲーム画面には表示されない

スプライトのZ座標がカメラよりも手前に来てしまっている可能性がある。
スプライトのZ座標がカメラの目の前に来ているようにすることで解決できる。



アニメーション

アニメーションクリップの編集ができない

ヒエラルキーでオブジェクトを選択した状態でないと、アニメーションクリップは選択できません。

ステートに遷移はするが、アニメーションの進捗が進まずアニメーションの最初しか再生されない

Any Stageからの遷移の場合の話ですが、遷移の矢印のプロパティの中にSetting→Can Transition To Selfというパラメーターがあり、これをOFFにすることで正常にアニメーションさせることができます。
ONになっていると自分自身に遷移し続けるため最初のアニメーションしか表示されない動きになります。



スプライト(SpriteRenderer)の座標やサイズを取得する方法

var sr = GetComponent<SpriteRenderer>();
Debug.Log("center=" + sr.bounds.center);  // 中心ワールド座標。Pivotに関係なく中心座標が返る。
Debug.Log("min=" + sr.bounds.min);  // 左下ワールド座標。Pivotに関係なく中心座標が返る。
Debug.Log("max=" + sr.bounds.max);  // 右上ワールド座標。Pivotに関係なく中心座標が返る。
Debug.Log("size=" + sr.bounds.size);  // サイズ
Debug.Log("extents=" + sr.bounds.extents);  // 半分のサイズ



Time.timeScale=0を使わずにキャラクターの動きを止める

2Dアクションゲームなどで、一部オブジェクトの動きだけを止めたい場合等。
Time.timeScale=0だと意図しないものまで止まってしまうため、自分はこうしています…。
ただしこのやり方が本当に正しいかどうかは謎です。みんなどうやっているのか知りたいです。

gameSceneManager.IsPauseGameSceneTimer()がポーズ中かどうかを返すメソッドとなります。ここは皆さまご自分のコードに置き換えてください。

public static bool timerPauseProc(ref Vector2 velocityBackup, ref float gravityBackup, GameSceneManager gameSceneManager, Rigidbody2D rbody)
{
    if (gameSceneManager.IsPauseGameSceneTimer())
    {
        if (rbody.velocity != Vector2.zero)
        {
            // タイマーが停止された

            // いまから停止するので速度と重力を記憶しておく
            velocityBackup = rbody.velocity;
            gravityBackup = rbody.gravityScale;

            rbody.velocity = Vector2.zero;
            rbody.gravityScale = 0;       // これもやらないと微妙に動く
        }

        return true;
    }
    else
    {
        if (velocityBackup != Vector2.zero)
        {
            // タイマーが再開された                

            // 速度と重力を再開させる
            rbody.velocity = velocityBackup;
            rbody.gravityScale = gravityBackup;       // 重力の影響を元に戻す

            // バックアップは消す
            velocityBackup = Vector2.zero;
            gravityBackup = 0f;
        }

        return false;
    }
}

上記関数をFixedUpdate()の内部で呼び出します。

Vector2 _velocityBackup = Vector2.zero;     // ポーズ時速度記憶用
float _gravityBackup = 0f;  // ポーズ時重力記憶用

private void FixedUpdate()
{
        Rigidbody2D rbody = GetComponent<Rigidbody2D>();

        // タイマー停止中は速度を停止させる
        if (CommonManager.timerPauseProc(ref _velocityBackup, ref _gravityScaleBackup, _gameSceneManager.GetComponent<GameSceneManager>(), _rbody))
        {
            return;     // ポーズ中なので何もせず帰る
        }

        // TODO:ここにポーズ中でないときのコードを記載する
}



コルーチン

コルーチンの中で独自(自作)したタイマーでウェイトを行う

まず、以下のようにスレッドを占有してウェイトするタイマーがあったとします。
このクラスでは、Time.timeではなく独自のデルタ時間_deltaTimeを使っているものとします。
独自のタイマーをPauseしたときは、この_deltaTimeは常に0が返ってくる仕組みのため、Time.timeScale=0にすることなく、タイマーを一時停止させられるというものです。

class MyTimer
{
 :
    public void Wait(float waitTime)
    {
        float total = 0f;

        while(true)
        {
            total += _deltaTime;    // フレームの差分の分時間を加算する
            if (total >= waitTime) return;   // 待ち時間停止したので処理終了

            Thread.Sleep(16);       // 60FPSで1フレーム分ウェイト
        }
    }
 :
}

続いてCoroutineから呼び出す、上記タイマーでウェイト処理を行うメソッドを作成します。

using System.Threading;
using System.Threading.Tasks;
 :
public void threadProc()
{
    // TODO:ここにInstantiateとか重い処理とかいろいろ描きます。

    // 別スレッドで独自タイマーが完了するまでここで待機する
    Task task = Task.Run(() => { _gameSceneTimer.Wait(0.15f); });
    while (!task.IsCompleted)
    {
        yield return null;    //1フレーム分待機
    }    
}

最後に、上記メソッドをコルーチンで呼び出します。

StartCoroutine(threadProc());

最初自分はCoroutineを使わず、完全な子スレッド内で処理を実施しようと思ったのですが、
別スレッド内ではUnityのInstantiateなどの機能が使えないため、やはりコルーチンを使う必要がありました。
また、コルーチンでWaitForSecondなどTime.timeに依存するタイマーを使いたくなかったという背景もあります。

コルーチンで匿名関数を使う

少しウェイトしたあとで特定の処理を行いたい場合等、わざわざ関数を作るのが面倒なときは匿名関数を使うと便利です。

using System.Collections;

public static class CommonFunc
{
    public static IEnumerator WaitAction(float waitTime, Action action)
    {
        if (waitTime > 0)
        {
            yield return new WaitForSeconds(waitTime);
        }

        action();
    }
}

呼び出すときはこのようにします。

// 3秒後に状態を遷移させる
StartCoroutine(CommonFunc.WaitAction(3.0f, () => { _state = EnemyState.NextState; }));

テキスト(UI Text)

ぼやけの防止する

Fix Blurry UI text? - Unity Answers
ここにまさに答えが書いてある。以下引用。

The best way I've found is to:
1) Increase font size massively (size 150 or something).
2) Set both horizontal and vertical overflow to 'overflow' in the inspector for the text box.
3) Scale the textbox down using the scaler tool.
The text should now be sharper.

Tilemap

Tilemapを使うまでの手順

ヒエラルキーで右クリック→2D Object→Tilemap→RectangularでGrid(親)-Tilemap(子)という2つのオブジェクトが生成される
・メニューバーの[Window]→2D→Tile Paletteを選択してTile Paletteを表示する
・Tile Paletteの左上のプルダウンから、新規のパレットを作成する(Create New Paletteを選択)
 パレット名は任意。GridはRectangleにして作る。Cell SizeはAutomaticにする。
 保存すると作成場所を聞かれるので、自分はAssets/Tilemapフォルダを選択する。(Tilemapフォルダはなければ作成しておく)
・UnityのAssetのイメージから、追加したいタイルの画像を、タイルパレットにドラッグアンドドロップする。保存場所を聞かれるので、自分はAssets/TilePaletteフォルダを選択している。(TilePaletteフォルダがない場合は作成する)
・「Grid」を選択して、Cell Sizeを調整する。デフォルト1になっている。自分は64x64のタイルを作りたいからここを0.64にしている。ただしこれはPixel per Unitが影響すると思うので自分の環境に合わせて調整する。自分の場合はPixel per Unitが100なので、100で1→64なら0.64という具合。
・タイルマップ上部のボタンから筆アイコンを選び、タイルマップからは配置したいタイルを選択する、その状態でSceneビューに左クリックしていくとタイルを配置できる。ちなみにShiftを押しながら左クリックすると削除できる。
・Gridの下のTilemapを選びながら、筆ボタンを選び、Sceneビューに対して配置していく
・Gridの下のTilemapはOrder in Layerを設定する。自分は3くらいにしている。
・衝突判定を追加する。Gridの下のTimemapを選び、Add Component→Tilemap→Tile Map Collider 2Dを選ぶ
・衝突判定のため、必要に応じてGridの下のTilemapにはBlockやGroundレイヤーを設定する。

タイルマップを編集したい場合は画面の中上部にある「Edit」を押す。で、画面上部のボタンから消しゴムを選んでタイルを選択するとそのタイルを削除したりできます。

TilemapがSceneに描画(ブラシ使用)できない

Tilemapでタイルを選択しているのに、Sceneウィンドウではそのタイルの画像が出てこず、左クリックしても無反応。↓が対処方法だった。引用。

I had the same issue, and it was a rather easy fix if nothing above has fixed it for you.

In your palette, you may have selected "Edit" at some point, this will be indicated by an * - after the word "Edit"
just click "Edit" again, press b to select brush tool, select the tile you want to paint and go at it.

Editに更新マーク(*)がついているとき、Editを一度クリックして(*)がなくなった後、タイルを選ぶと、シーンウィンドウに配置できるようになった。はっきりいってわかりづらいよ!!!

入力

InputSystemを使って、ゲーム内でキーのリバインドを実施する

PCでプレイする場合など、ユーザーがどのようなゲームパッドを利用するかわからないため、ゲーム内のコンフィグシーン等でキーのリバインドをできるようにしなければなりません。

自分も理解できていない部分があるので、コードを中心に部分的に簡単な手順だけ・・・。
ここでは上下のキーのリバインド方法をご紹介します。

Action MapとActions

これが正しいやり方なのかサッパリわかっていませんが、まずInput Action1つ作成し、ゲーム全体で使用するAction Mapを1つだけ作ります。これ以外は作業用のActionMap、Empty以外なにも作りません。
WASDで上下左右を分けているのは、WASDを一緒にしてしまうと右を押した後に追加で上を押したときに正しく検知しない問題があったからです。上下と左右でわけることでそれぞれのキーを個別に入手できます(ただしナナメ入力時に大きさを少し減らすなどの処理は自分で行わなければならなくなります)。EmptyはActionsが1つもないAction Mapsでとある作業のときにEmptyに切り替えて、すぐにGameInputに戻すという動作で使用します。
f:id:taiyakisun:20220119004813p:plain

続いて、任意のシーン(どのシーンよりも先に初期化されるシーンが望ましい)に、GameObjectを追加し、InspectorにPlayer Inputと、Input System Managerというスクリプトを追加します。スクリプトは以下に示します。Player Inputに↑で作成したInput Actionを指定し、それぞれの入力を受け付ける関数を指定します。
f:id:taiyakisun:20220119005345p:plain

以下のスクリプトでコールバックされる関数を作成します。
OnMoveVerticalが、上下を押下したときにコールされる関数です。
if文で意味もなく分けちゃってますが、一緒にしてしまってよいです(デバッグのため分けていてそのままにしちゃった)

    Vector2 _verticalVector = Vector2.zero;
    public Vector2 VerticalVector { get { return _verticalVector; } }
    public void OnMoveVertical(InputAction.CallbackContext context)
    {
        if (context.phase == InputActionPhase.Started ||
            context.phase == InputActionPhase.Performed)
        {
            _verticalVector = context.ReadValue<Vector2>();
        }
        else if (context.phase == InputActionPhase.Canceled)
        {
            _verticalVector = context.ReadValue<Vector2>();
        }
    }

まず上下のキーリバインドですが、Vector2で値を受け取る設定にしています。で、どのBinding(末端のUp:D-Pad/Up [GamePad]のような項目)を変更するのか、ここではゲームパッドの項目を取得するため、以下のような関数を作成して、ゲームパッドの設定の場所(インデックス)を取得できるようにします。

int getGamePadCompositeBindingIndex(InputActionReference inputAction, string actionName, string bindingName)
    {
        var tmpBindingSyntax = inputAction.action.ChangeCompositeBinding(actionName); 

        while (tmpBindingSyntax.bindingIndex != -1)
        {
            tmpBindingSyntax = tmpBindingSyntax.NextPartBinding(bindingName);
            if (tmpBindingSyntax.binding.groups.Equals("Gamepad")) break;    // Gamepadの設定が見つかった
        }

        return tmpBindingSyntax.bindingIndex;
    }

上記関数は以下のようにして使います。_arrowAxisVerticalはInspectorから設定されたInputActionReference型の変数です。要は「AxisVertical」アクションの部分になります。

_arrowAxisVertical.Disable();  // キーのリバインドをするときはそのActionを無効化しておく必要がある。

// アクション_arrowAxisVerticalの下の"WS"の下の"Up"から、"GamePad"に該当するインデックスを取得する
int nBindingIndex = getGamePadCompositeBindingIndex(_arrowAxisVertical, "WS", "Up");
if (nBindingIndex == -1) return;    // GamePadの設定が見つからなかったので、ここで打ち切り(バグもしくはGamePadが1つもない?)

続いて、キーリバインドを開始するためのオブジェクトを作成します。
_playerInputはGameObjectにAddComponentした、PlayerInputオブジェクトです。

  // キーリバインド中の誤操作を防ぐため、一時的に何もしないAction Mapに切り替えておく
  _playerInput.SwitchCurrentActionMap("Empty");

   // キーリバインドのための操作オブジェクト(こいつにStart()するとキーバインドが開始される)
    InputActionRebindingExtensions.RebindingOperation _rebindingOperation;

 _rebindingOperation = _arrowAxisVerticalAction.action.PerformInteractiveRebinding()
                                                    .WithTargetBinding(nBindingIndex)
                                                    .WithControlsExcluding("Mouse")     // マウスを対象外
                                                    .WithControlsExcluding("Keyboard")  // キーボードを対象外
                                                    .WithBindingGroup("GamePad")        // ゲームパッドを対象とする
                                                    .WithCancelingThrough("<Keyboard>/escape")  // キャンセルはescape
                                                    .OnMatchWaitForAnother(0.1f)        // ゲームパッドでのキー入力を受け付けるまでのディレイ時間 
                                                    .OnComplete(operation => RebindComplete())      // 完了関数を登録
                                                    .Start();

いろいろと関数を重ねてコールしていますが、それぞれキーリバインドの動作を指定するようなものです。完了したらRebindComplete()という関数をコールするようにします。Start()が呼ばれるとキーリバインドのモードになり、ゲームパッドの任意のキーを押すことでキーリバインドが完了し、関数RebindComplete()がコールバックされます。

RebindComplete()は主に後始末を行います。

public void RebindComplete()
{
    _arrowAxisVerticalAction.action.Enable();
    _rebindingOperation.Dispose();

    // ボタンの誤作動を防ぐために切り替えていたアクションマップを戻す
    _playerInput.SwitchCurrentActionMap("GameInput");
}

これで、例えばアーケードのジョイスティックなどに上のキーを割り当てたいときは、上記Start()を呼んだあと、ジョイスティックの上を入力することにより、以降はジョイスティックの上を押すとUpのキーを押したことになります。Downの処理は省略していますが、やり方はUpと同じです。"Up"の部分を"Down"に変えるだけで動作するでしょう。

スクリプトで値を設定しているはずなのに、なぜかnullが設定されてしまう場合

ほとんどありえないケースとは思いますが、同じScriptを2つ以上設定してしまっている場合に発生します。
2つ以上設定されている場合、どちらかのスクリプトにしか値が設定されないように見えます。

検索ワード

日本語で検索しても情報が出てこないことが多いので英語で検索する際の表現をまとめる。
経験上英語で検索する方が、答えにたどり着くのが圧倒的に早い。

表現 表現を使う場面 英語
ひっかかる BoxColliderでひっかかって動けないときなどに使う snag/get caught
動けない ↑のひっかかると似ているが動けなくなるときに使う get stuck
ちゃんと動かない おおざっぱに、なんか思った通りに処理されない…というときに使う does not work
ぼやける・ぼける スプライトやテキストがぼやける場合に使う Blurry
延々と・連続して 例外が出続ける場合など continuously
区別する・見分ける 複数の当たり判定のうちどれに当たったのかを区別する等 Distinguish
重なる 当たり判定(Collider)が重なっているか等 overlap

マインクラフト(Minecraft) Java版と統合版(BE版)のアイテム名比較一覧

Java版と統合版(BE版)で名称の違うアイテムが多々あるので表にしました。
名称が異なるアイテムは背景色を変更しています。

1.17には対応しきれていません。(マツ→トウヒの名称変更には対応しています)

マインクラフト(Minecraft) Java版と統合版(BE版)のアイテム名比較一覧
Java版名称Java版ID統合版(BE版)名称統合版(BE版)IDJava版と統合版(BE版で名称が同じか
空気minecraft:air空気airyes
洞窟の空気minecraft:cave_air洞窟の空気yes
奈落の空気minecraft:void_air奈落の空気yes
minecraft:waterwateryes
水流minecraft:flowing_water水流flowing_wateryes
溶岩minecraft:lava溶岩lavayes
溶岩流minecraft:flowing_lava溶岩流flowing_lavayes
minecraft:stonestoneyes
花崗岩minecraft:granite花崗岩stone 1yes
磨かれた花崗岩minecraft:polished_granite磨かれた花崗岩stone 2yes
閃緑岩minecraft:diorite閃緑岩stone 3yes
磨かれた閃緑岩minecraft:polished_diorite磨かれた閃緑岩stone 4yes
安山岩minecraft:andesite安山岩stone 5yes
磨かれた安山岩minecraft:polished_andesite磨かれた安山岩stone 6yes
草ブロックminecraft:grass_block草ブロックgrassyes
minecraft:dirtdirtyes
粗い土minecraft:coarse_dirt荒れた土dirt 1no
ポドゾルminecraft:podzolポドゾルpodzolyes
真紅のナイリウムminecraft:crimson_nyliumニリウム(クリムゾン)crimson_nyliumno
歪んだナイリウムminecraft:warped_nyliumゆがんだニリウムwarped_nyliumno
丸石minecraft:cobblestone丸石cobblestoneyes
オークの木材minecraft:oak_planks樫の木材planksno
トウヒの木材minecraft:spruce_planksトウヒの木材planks 1yes
シラカバの木材minecraft:birch_planks樺の木材planks 2no
ジャングルの木材minecraft:jungle_planksジャングルの木の木材planks 3no
アカシアの木材minecraft:acacia_planksアカシアの木材planks 4yes
ダークオークの木材minecraft:dark_oak_planks黒樫の木材planks 5no
真紅の木材minecraft:crimson_planks木材(クリムゾン)crimson_planksno
歪んだ木材minecraft:warped_planks歪んだ木材warped_planksyes
岩盤minecraft:bedrock岩盤bedrockyes
minecraft:sandsandyes
赤い砂minecraft:red_sand赤い砂sand 1yes
砂利minecraft:gravel砂利gravelyes
金鉱石minecraft:gold_ore金鉱石gold_oreyes
鉄鉱石minecraft:iron_ore鉄鉱石iron_oreyes
石炭鉱石minecraft:coal_ore石炭鉱石coal_oreyes
ネザー金鉱石minecraft:nether_gold_oreネザーゴールド鉱石nether_gold_oreno
オークの原木minecraft:oak_log樫の丸太logno
トウヒの原木minecraft:spruce_logトウヒの丸太log 1no
シラカバの原木minecraft:birch_log樺の丸太log 2no
ジャングルの原木minecraft:jungle_logジャングルの木の丸太log 3no
アカシアの原木minecraft:acacia_logアカシアの丸太log2no
ダークオークの原木minecraft:dark_oak_log黒樫の丸太log2 1no
真紅の幹minecraft:crimson_stem幹(クリムゾン)crimson_stemno
歪んだ幹minecraft:warped_stem歪んだ幹warped_stemyes
樹皮を剥いだオークの原木minecraft:stripped_oak_log皮のはがれた樫の丸太stripped_oak_logno
樹皮を剥いだトウヒの原木minecraft:stripped_spruce_log皮のはがれたトウヒの丸太stripped_spruce_logno
樹皮を剥いだシラカバの原木minecraft:stripped_birch_log皮のはがれた樺の丸太stripped_birch_logno
樹皮を剥いだジャングルの原木minecraft:stripped_jungle_log皮のはがれたジャングルの丸太stripped_jungle_logno
樹皮を剥いだアカシアの原木minecraft:stripped_acacia_log皮のはがれたアカシアの丸太stripped_acacia_logno
樹皮を剥いだダークオークの原木minecraft:stripped_dark_oak_log皮のはがれた黒樫の丸太stripped_dark_oak_logno
表皮を剥いだ真紅の幹minecraft:stripped_crimson_stem皮のはがれた幹(クリムゾン)stripped_crimson_stemno
表皮を剥いだ歪んだ幹minecraft:stripped_warped_stem皮のはがれたゆがんだ幹stripped_warped_stemno
樹皮を剥いだオークの木minecraft:stripped_oak_wood皮のはがれた樫の木stripped_oak_log 1no
樹皮を剥いだトウヒの木minecraft:stripped_spruce_wood皮のはがれたトウヒの木stripped_spruce_log 1no
樹皮を剥いだシラカバの木minecraft:stripped_birch_wood皮のはがれた樺の木stripped_birch_log 1no
樹皮を剥いだジャングルの木minecraft:stripped_jungle_wood皮のはがれたジャングルの木stripped_jungle_log 1no
樹皮を剥いだアカシアの木minecraft:stripped_acacia_wood皮のはがれたアカシアの木stripped_acacia_log 1no
樹皮を剥いだダークオークの木minecraft:stripped_dark_oak_wood皮のはがれた黒樫の木stripped_dark_oak_log 1no
表皮を剥いだ真紅の菌糸minecraft:stripped_crimson_hyphae皮のはがれた菌糸(クリムゾン)stripped_crimson_hyphaeno
表皮を剥いだ歪んだ菌糸minecraft:stripped_warped_hyphae皮のはがれたゆがんだ菌糸stripped_warped_hyphaeno
オークの木minecraft:oak_wood樫の木woodno
トウヒの木minecraft:spruce_woodトウヒの木wood 1yes
シラカバの木minecraft:birch_wood樺の木wood 2no
ジャングルの木minecraft:jungle_woodジャングルの木wood 3yes
アカシアの木minecraft:acacia_woodアカシアの原木wood 4no
ダークオークの木minecraft:dark_oak_wood黒樫の木wood 5no
真紅の菌糸minecraft:crimson_hyphae菌糸(クリムゾン)crimson_hyphaeno
歪んだ菌糸minecraft:warped_hyphae歪んだ菌糸warped_hyphaeyes
スポンジminecraft:spongeスポンジspongeyes
濡れたスポンジminecraft:wet_sponge濡れたスポンジsponge 1yes
ガラスminecraft:glassガラスglassyes
ラピスラズリ鉱石minecraft:lapis_oreラピスラズリ鉱石lapis_oreyes
ラピスラズリブロックminecraft:lapis_blockラピスラズリブロックlapis_blockyes
砂岩minecraft:sandstone砂岩sandstoneyes
模様入りの砂岩minecraft:chiseled_sandstone模様入りの砂岩sandstone 1yes
研がれた砂岩minecraft:cut_sandstoneカットされた砂岩sandstone 2no
白色の羊毛minecraft:white_wool白のウールwoolno
橙色の羊毛minecraft:orange_woolオレンジのウールwool 1no
赤紫色の羊毛minecraft:magenta_wool赤紫のウールwool 2no
空色の羊毛minecraft:light_blue_wool空色のウールwool 3no
黄色の羊毛minecraft:yellow_wool黄色のウールwool 4no
黄緑色の羊毛minecraft:lime_wool黄緑のウールwool 5no
桃色の羊毛minecraft:pink_woolピンクのウールwool 6no
灰色の羊毛minecraft:gray_wool灰色のウールwool 7no
薄灰色の羊毛minecraft:light_gray_wool薄灰色のウールwool 8no
青緑色の羊毛minecraft:cyan_wool水色のウールwool 9no
紫色の羊毛minecraft:purple_wool紫のウールwool 10no
青色の羊毛minecraft:blue_wool青のウールwool 11no
茶色の羊毛minecraft:brown_wool茶色のウールwool 12no
緑色の羊毛minecraft:green_wool緑のウールwool 13no
赤色の羊毛minecraft:red_wool赤のウールwool 14no
黒色の羊毛minecraft:black_wool黒のウールwool 15no
金ブロックminecraft:gold_block金のブロックgold_blockno
鉄ブロックminecraft:iron_block鉄のブロックiron_blockno
オークのハーフブロックminecraft:oak_slab樫のハーフブロックwooden_slabno
トウヒのハーフブロックminecraft:spruce_slabトウヒのハーフブロックwooden_slab 1yes
シラカバのハーフブロックminecraft:birch_slab樺のハーフブロックwooden_slab 2no
ジャングルのハーフブロックminecraft:jungle_slabジャングルの木のハーフブロックwooden_slab 3no
アカシアのハーフブロックminecraft:acacia_slabアカシアの木のハーフブロックwooden_slab 4no
ダークオークのハーフブロックminecraft:dark_oak_slab黒樫の木のハーフブロックwooden_slab 5no
真紅のハーフブロックminecraft:crimson_slabハーフブロック(クリムゾン)crimson_slabno
歪んだハーフブロックminecraft:warped_slab歪んだハーフブロックwarped_slabyes
石のハーフブロックminecraft:stone_slab石のハーフブロックstone_slab4 2yes
滑らかな石のハーフブロックminecraft:smooth_stone_slab滑らかな石のハーフブロックstone_slabyes
砂岩のハーフブロックminecraft:sandstone_slab砂岩のハーフブロックstone_slab 1yes
研がれた砂岩のハーフブロックminecraft:cut_sandstone_slabカットされた砂岩ハーフブロックstone_slab4 3no
石化したオークのハーフブロックminecraft:petrified_oak_slab木材ハーフブロックstone_slab 2no
丸石のハーフブロックminecraft:cobblestone_slab丸石のハーフブロックstone_slab 3yes
レンガのハーフブロックminecraft:brick_slabレンガのハーフブロックstone_slab 4yes
石レンガのハーフブロックminecraft:stone_brick_slab石レンガのハーフブロックstone_slab 5yes
ネザーレンガのハーフブロックminecraft:nether_brick_slabネザーレンガのハーフブロックstone_slab 7yes
クォーツのハーフブロックminecraft:quartz_slabクォーツのハーフブロックstone_slab 6yes
赤い砂岩のハーフブロックminecraft:red_sandstone_slab赤い砂岩のハーフブロックstone_slab2yes
研がれた赤い砂岩のハーフブロックminecraft:cut_red_sandstone_slabカットされた赤砂岩ハーフブロックstone_slab4 4no
プルプァのハーフブロックminecraft:purpur_slabプルプァのハーフブロックstone_slab2 1yes
プリズマリンのハーフブロックminecraft:prismarine_slab海晶ブロックのハーフブロックstone_slab2 2no
プリズマリンレンガのハーフブロックminecraft:prismarine_brick_slab海晶レンガのハーフブロックstone_slab2 4no
ダークプリズマリンのハーフブロックminecraft:dark_prismarine_slab暗海晶ブロックのハーフブロックstone_slab2 3no
滑らかなクォーツminecraft:smooth_quartz滑らかなクォーツquartz_block 3yes
滑らかな赤い砂岩minecraft:smooth_red_sandstone滑らかな赤い砂岩red_sandstone 3yes
滑らかな砂岩minecraft:smooth_sandstone滑らかな砂岩sandstone 3yes
滑らかな石minecraft:smooth_stone滑らかな石smooth_stoneyes
レンガ(ブロック)minecraft:bricksレンガ(ブロック)brick_blockyes
本棚minecraft:bookshelf本棚bookshelfyes
苔むした丸石minecraft:mossy_cobblestone苔むした丸石mossy_cobblestoneyes
黒曜石minecraft:obsidian黒曜石obsidianyes
プルプァブロックminecraft:purpur_blockプルプァブロックpurpur_blockyes
プルプァの柱minecraft:purpur_pillarプルプァの柱purpur_block 2yes
プルプァの階段minecraft:purpur_stairsプルプァの階段purpur_stairsyes
オークの階段minecraft:oak_stairs樫の階段oak_stairsno
ダイヤモンド鉱石minecraft:diamond_oreダイヤモンド鉱石diamond_oreyes
ダイヤモンドブロックminecraft:diamond_blockダイヤモンドブロックdiamond_blockyes
丸石の階段minecraft:cobblestone_stairs丸石の階段stone_stairs 1yes
レッドストーン鉱石minecraft:redstone_oreレッドストーン鉱石redstone_oreyes
光るレッドストーン鉱石minecraft:redstone_ore[lit=true]光るレッドストーン鉱石lit_redstone_oreyes
minecraft:iceiceyes
雪ブロックminecraft:snow_block雪ブロックsnowyes
粘土minecraft:clay粘土clayyes
カボチャminecraft:pumpkinカボチャpumpkinyes
くり抜かれたカボチャminecraft:carved_pumpkin飾りカボチャcarved_pumpkinno
ネザーラックminecraft:netherrackネザーラックnetherrackyes
ソウルサンドminecraft:soul_sandソウルサンドsoul_sandyes
ソウルソイルminecraft:soul_soilソウル土壌soul_soilno
玄武岩minecraft:basalt玄武岩basaltyes
磨かれた玄武岩minecraft:polished_basalt磨かれた玄武岩polished_basaltyes
グロウストーンminecraft:glowstoneグロウストーンglowstoneyes
ジャック・オ・ランタンminecraft:jack_o_lanternジャック・オ・ランタンlit_pumpkinyes
石レンガminecraft:stone_bricks石レンガstonebrickyes
苔むした石レンガminecraft:mossy_stone_bricks苔むした石レンガstonebrick 1yes
ひび割れた石レンガminecraft:cracked_stone_bricksひび割れた石レンガstonebrick 2yes
模様入りの石レンガminecraft:chiseled_stone_bricks模様入りの石レンガstonebrick 3yes
イカminecraft:melonイカmelon_blockyes
レンガの階段minecraft:brick_stairsレンガの階段brick_stairsyes
石レンガの階段minecraft:stone_brick_stairs石レンガの階段stone_brick_stairsyes
菌糸minecraft:mycelium菌糸myceliumyes
ネザーレンガ(ブロック)minecraft:nether_bricksネザーレンガ(ブロック)nether_brickyes
ひび割れたネザーレンガminecraft:cracked_nether_bricksひび割れたネザーレンガcracked_nether_bricksyes
模様入りのネザーレンガminecraft:chiseled_nether_bricks模様入りのネザーレンガchiseled_nether_bricksyes
ネザーレンガの階段minecraft:nether_brick_stairsネザーレンガの階段nether_brick_stairsyes
エンドストーンminecraft:end_stoneエンドストーンend_stoneyes
エンドストーンレンガminecraft:end_stone_bricksエンドストーンレンガend_bricksyes
砂岩の階段minecraft:sandstone_stairs砂岩の階段sandstone_stairsyes
エメラルド鉱石minecraft:emerald_oreエメラルド鉱石emerald_oreyes
エメラルドブロックminecraft:emerald_blockエメラルドブロックemerald_blockyes
トウヒの階段minecraft:spruce_stairsトウヒの階段spruce_stairsyes
シラカバの階段minecraft:birch_stairs樺の階段birch_stairsno
ジャングルの階段minecraft:jungle_stairsジャングルの木の階段jungle_stairsno
真紅の階段minecraft:crimson_stairs階段(クリムゾン)crimson_stairsno
歪んだ階段minecraft:warped_stairs歪んだ階段warped_stairsyes
ネザークォーツ鉱石minecraft:nether_quartz_oreネザークォーツ鉱石quartz_oreyes
模様入りのクォーツブロックminecraft:chiseled_quartz_block模様入りのクォーツブロックquartz_block 1yes
クォーツブロックminecraft:quartz_blockクォーツブロックquartz_blockyes
クォーツレンガminecraft:quartz_bricksクォーツレンガquartz_bricksyes
クォーツの柱minecraft:quartz_pillar柱状のクォーツのブロックquartz_block 2no
クォーツの階段minecraft:quartz_stairsクォーツの階段quartz_stairsyes
白色のテラコッタminecraft:white_terracotta白色のテラコッタstained_hardened_clayyes
橙色のテラコッタminecraft:orange_terracotta橙色のテラコッタstained_hardened_clay 1yes
赤紫色のテラコッタminecraft:magenta_terracotta赤紫色のテラコッタstained_hardened_clay 2yes
空色のテラコッタminecraft:light_blue_terracotta空色のテラコッタstained_hardened_clay 3yes
黄色のテラコッタminecraft:yellow_terracotta黄色のテラコッタstained_hardened_clay 4yes
黄緑色のテラコッタminecraft:lime_terracotta黄緑色のテラコッタstained_hardened_clay 5yes
桃色のテラコッタminecraft:pink_terracotta桃色のテラコッタstained_hardened_clay 6yes
灰色のテラコッタminecraft:gray_terracotta灰色のテラコッタstained_hardened_clay 7yes
薄灰色のテラコッタminecraft:light_gray_terracotta薄灰色のテラコッタstained_hardened_clay 8yes
青緑色のテラコッタminecraft:cyan_terracotta青緑色のテラコッタstained_hardened_clay 9yes
紫色のテラコッタminecraft:purple_terracotta紫色のテラコッタstained_hardened_clay 10yes
青色のテラコッタminecraft:blue_terracotta青色のテラコッタstained_hardened_clay 11yes
茶色のテラコッタminecraft:brown_terracotta茶色のテラコッタstained_hardened_clay 12yes
緑色のテラコッタminecraft:green_terracotta緑色のテラコッタstained_hardened_clay 13yes
赤色のテラコッタminecraft:red_terracotta赤色のテラコッタstained_hardened_clay 14yes
黒色のテラコッタminecraft:black_terracotta黒色のテラコッタstained_hardened_clay 15yes
干草の俵minecraft:hay_block干草の俵hay_blockyes
テラコッタminecraft:terracottaテラコッタhardened_clayyes
石炭ブロックminecraft:coal_block石炭ブロックcoal_blockyes
氷塊minecraft:packed_ice氷塊packed_iceyes
アカシアの階段minecraft:acacia_stairsアカシアの階段acacia_stairsyes
ダークオークの階段minecraft:dark_oak_stairs黒樫の木の階段dark_oak_stairsno
白色の色付きガラスminecraft:white_stained_glass白のステンドグラスstained_glassno
橙色の色付きガラスminecraft:orange_stained_glassオレンジのステンドグラスstained_glass 1no
赤紫色の色付きガラスminecraft:magenta_stained_glass赤紫のステンドグラスstained_glass 2no
空色の色付きガラスminecraft:light_blue_stained_glass空色の色付きガラスstained_glass 3yes
黄色の色付きガラスminecraft:yellow_stained_glass黄色のステンドグラスstained_glass 4no
黄緑色の色付きガラスminecraft:lime_stained_glass黄緑のステンドグラスstained_glass 5no
桃色の色付きガラスminecraft:pink_stained_glassピンクのステンドグラスstained_glass 6no
灰色の色付きガラスminecraft:gray_stained_glass灰色のステンドグラスstained_glass 7no
薄灰色の色付きガラスminecraft:light_gray_stained_glass薄灰色のステンドグラスstained_glass 8no
青緑色の色付きガラスminecraft:cyan_stained_glass水色の色付きガラスstained_glass 9no
紫色の色付きガラスminecraft:purple_stained_glass紫のステンドグラスstained_glass 10no
青色の色付きガラスminecraft:blue_stained_glass青のステンドグラスstained_glass 11no
茶色の色付きガラスminecraft:brown_stained_glass茶色のステンドグラスstained_glass 12no
緑色の色付きガラスminecraft:green_stained_glass緑のステンドグラスstained_glass 13no
赤色の色付きガラスminecraft:red_stained_glass赤のステンドグラスstained_glass 14no
黒色の色付きガラスminecraft:black_stained_glass黒のステンドグラスstained_glass 15no
プリズマリンminecraft:prismarine海晶ブロックprismarineno
プリズマリンレンガminecraft:prismarine_bricks海晶レンガprismarine 2no
ダークプリズマリンminecraft:dark_prismarine暗海晶ブロックprismarine 1no
プリズマリンの階段minecraft:prismarine_stairs海晶ブロックの階段prismarine_stairsno
プリズマリンレンガの階段minecraft:prismarine_brick_stairs海晶レンガの階段prismarine_brick_stairsno
ダークプリズマリンの階段minecraft:dark_prismarine_stairs暗海晶ブロックの階段dark_prismarine_stairsno
シーランタンminecraft:sea_lantern海のランタンsealanternno
赤い砂岩minecraft:red_sandstone赤い砂岩red_sandstoneyes
模様入りの赤い砂岩minecraft:chiseled_red_sandstone模様入りの赤い砂岩red_sandstone 1yes
研がれた赤い砂岩minecraft:cut_red_sandstoneカットされた赤砂岩red_sandstone 2no
赤い砂岩の階段minecraft:red_sandstone_stairs赤い砂岩の階段red_sandstone_stairsyes
マグマブロックminecraft:magma_blockマグマブロックmagmayes
ネザーウォートブロックminecraft:nether_wart_blockネザーウォートブロックnether_wart_blockyes
歪んだウォートブロックminecraft:warped_wart_block歪んだウォートブロックwarped_wart_blockyes
赤いネザーレンガminecraft:red_nether_bricks赤いネザーレンガred_nether_brickyes
骨ブロックminecraft:bone_block骨ブロックbone_blockyes
白色のコンクリートminecraft:white_concrete白色のコンクリートconcreteyes
橙色のコンクリートminecraft:orange_concrete橙色のコンクリートconcrete 1yes
赤紫色のコンクリートminecraft:magenta_concrete赤紫色のコンクリートconcrete 2yes
空色のコンクリートminecraft:light_blue_concrete空色のコンクリートconcrete 3yes
黄色のコンクリートminecraft:yellow_concrete黄色のコンクリートconcrete 4yes
黄緑色のコンクリートminecraft:lime_concrete黄緑色のコンクリートconcrete 5yes
桃色のコンクリートminecraft:pink_concrete桃色のコンクリートconcrete 6yes
灰色のコンクリートminecraft:gray_concrete灰色のコンクリートconcrete 7yes
薄灰色のコンクリートminecraft:light_gray_concrete薄灰色のコンクリートconcrete 8yes
青緑色のコンクリートminecraft:cyan_concrete青緑色のコンクリートconcrete 9yes
紫色のコンクリートminecraft:purple_concrete紫色のコンクリートconcrete 10yes
青色のコンクリートminecraft:blue_concrete青色のコンクリートconcrete 11yes
茶色のコンクリートminecraft:brown_concrete茶色のコンクリートconcrete 12yes
緑色のコンクリートminecraft:green_concrete緑色のコンクリートconcrete 13yes
赤色のコンクリートminecraft:red_concrete赤色のコンクリートconcrete 14yes
黒色のコンクリートminecraft:black_concrete黒色のコンクリートconcrete 15yes
白色のコンクリートパウダーminecraft:white_concrete_powder白色のコンクリートパウダーconcretepowderyes
橙色のコンクリートパウダーminecraft:orange_concrete_powder橙色のコンクリートパウダーconcretepowder 1yes
赤紫色のコンクリートパウダーminecraft:magenta_concrete_powder赤紫色のコンクリートパウダーconcretepowder 2yes
空色のコンクリートパウダーminecraft:light_blue_concrete_powder空色のコンクリートパウダーconcretepowder 3yes
黄色のコンクリートパウダーminecraft:yellow_concrete_powder黄色のコンクリートパウダーconcretepowder 4yes
黄緑色のコンクリートパウダーminecraft:lime_concrete_powder黄緑色のコンクリートパウダーconcretepowder 5yes
桃色のコンクリートパウダーminecraft:pink_concrete_powder桃色のコンクリートパウダーconcretepowder 6yes
灰色のコンクリートパウダーminecraft:gray_concrete_powder灰色のコンクリートパウダーconcretepowder 7yes
薄灰色のコンクリートパウダーminecraft:light_gray_concrete_powder薄灰色のコンクリートパウダーconcretepowder 8yes
青緑色のコンクリートパウダーminecraft:cyan_concrete_powder青緑色のコンクリートパウダーconcretepowder 9yes
紫色のコンクリートパウダーminecraft:purple_concrete_powder紫色のコンクリートパウダーconcretepowder 10yes
青色のコンクリートパウダーminecraft:blue_concrete_powder青色のコンクリートパウダーconcretepowder 11yes
茶色のコンクリートパウダーminecraft:brown_concrete_powder茶色のコンクリートパウダーconcretepowder 12yes
緑色のコンクリートパウダーminecraft:green_concrete_powder緑色のコンクリートパウダーconcretepowder 13yes
赤色のコンクリートパウダーminecraft:red_concrete_powder赤色のコンクリートパウダーconcretepowder 14yes
黒色のコンクリートパウダーminecraft:black_concrete_powder黒色のコンクリートパウダーconcretepowder 15yes
死んだクダサンゴブロックminecraft:dead_tube_coral_block枯れたクダサンゴのブロックcoral_block 8no
死んだノウサンゴブロックminecraft:dead_brain_coral_block枯れた脳サンゴのブロックcoral_block 9no
死んだミズタマサンゴブロックminecraft:dead_bubble_coral_block枯れたミズタマサンゴのブロックcoral_block 10no
死んだミレポラサンゴブロックminecraft:dead_fire_coral_block枯れたアナサンゴモドキのブロックcoral_block 11no
死んだシカツノサンゴブロックminecraft:dead_horn_coral_block枯れた四放サンゴのブロックcoral_block 12no
クダサンゴブロックminecraft:tube_coral_blockクダサンゴブロックcoral_blockyes
ノウサンゴブロックminecraft:brain_coral_block脳サンゴのブロックcoral_block 1no
ミズタマサンゴブロックminecraft:bubble_coral_blockミズタマサンゴブロックcoral_block 2yes
ミレポラサンゴブロックminecraft:fire_coral_blockアナサンゴモドキのブロックcoral_block 3no
シカツノサンゴブロックminecraft:horn_coral_block四放サンゴのブロックcoral_block 4no
青氷minecraft:blue_ice青い氷blue_iceno
磨かれた花崗岩の階段minecraft:polished_granite_stairs磨かれた花崗岩の階段polished_granite_stairsyes
滑らかな赤い砂岩の階段minecraft:smooth_red_sandstone_stairs滑らかな赤い砂岩の階段smooth_red_sandstone_stairsyes
苔むした石レンガの階段minecraft:mossy_stone_brick_stairs苔むした石レンガの階段mossy_stone_brick_stairsyes
磨かれた閃緑岩の階段minecraft:polished_diorite_stairs磨かれた閃緑岩の階段polished_diorite_stairsyes
苔むした丸石の階段minecraft:mossy_cobblestone_stairs苔むした丸石の階段mossy_cobblestone_stairsyes
エンドストーンレンガの階段minecraft:end_stone_brick_stairsエンドストーンレンガの階段end_brick_stairsyes
石の階段minecraft:stone_stairs石の階段normal_stone_stairsyes
滑らかな砂岩の階段minecraft:smooth_sandstone_stairs滑らかな砂岩の階段smooth_sandstone_stairsyes
滑らかなクォーツの階段minecraft:smooth_quartz_stairs滑らかなクォーツの階段smooth_quartz_stairsyes
花崗岩の階段minecraft:granite_stairs花崗岩の階段granite_stairsyes
安山岩の階段minecraft:andesite_stairs安山岩の階段andesite_stairsyes
赤いネザーレンガの階段minecraft:red_nether_brick_stairs赤いネザーレンガの階段red_nether_brick_stairsyes
磨かれた安山岩の階段minecraft:polished_andesite_stairs磨かれた安山岩の階段polished_andesite_stairsyes
閃緑岩の階段minecraft:diorite_stairs閃緑岩の階段diorite_stairsyes
磨かれた花崗岩のハーフブロックminecraft:polished_granite_slab磨かれた花崗岩のハーフブロックstone_slab3 7yes
滑らかな赤い砂岩のハーフブロックminecraft:smooth_red_sandstone_slab滑らかな赤い砂岩のハーフブロックstone_slab3 1yes
苔むした石レンガのハーフブロックminecraft:mossy_stone_brick_slab苔むした石レンガのハーフブロックstone_slab4yes
磨かれた閃緑岩のハーフブロックminecraft:polished_diorite_slab磨かれた閃緑岩のハーフブロックstone_slab3 5yes
苔むした丸石のハーフブロックminecraft:mossy_cobblestone_slab苔むした丸石のハーフブロックstone_slab2 5yes
エンドストーンレンガのハーフブロックminecraft:end_stone_brick_slabエンドストーンレンガのハーフブロックstone_slab3yes
滑らかな砂岩のハーフブロックminecraft:smooth_sandstone_slab滑らかな砂岩のハーフブロックstone_slab2 6yes
滑らかなクォーツのハーフブロックminecraft:smooth_quartz_slab滑らかなクォーツのハーフブロックstone_slab4 1yes
花崗岩のハーフブロックminecraft:granite_slab花崗岩のハーフブロックstone_slab3 6yes
安山岩のハーフブロックminecraft:andesite_slab安山岩のハーフブロックstone_slab3 3yes
赤いネザーレンガのハーフブロックminecraft:red_nether_brick_slab赤いネザーレンガのハーフブロックstone_slab2 7yes
磨かれた安山岩のハーフブロックminecraft:polished_andesite_slab磨かれた安山岩のハーフブロックstone_slab3 2yes
閃緑岩のハーフブロックminecraft:diorite_slab閃緑岩のハーフブロックstone_slab3 4yes
乾燥した昆布ブロックminecraft:dried_kelp_block乾燥した昆布ブロックdried_kelp_blockyes
ネザライトブロックminecraft:netherite_blockネザライトブロックnetherite_blockyes
古代の残骸minecraft:ancient_debris古代のがれきancient_debrisno
泣く黒曜石minecraft:crying_obsidian泣く黒曜石crying_obsidianyes
ブラックストーンminecraft:blackstoneブラックストーンblackstoneyes
ブラックストーンのハーフブロックminecraft:blackstone_slabブラックストーンのハーフブロックblackstone_slabyes
ブラックストーンの階段minecraft:blackstone_stairsブラックストーンの階段blackstone_stairsyes
きらめくブラックストーンminecraft:gilded_blackstone金色のブラックストーンgilded_blackstoneno
磨かれたブラックストーンminecraft:polished_blackstone磨かれたブラックストーンpolished_blackstoneyes
磨かれたブラックストーンのハーフブロックminecraft:polished_blackstone_slab磨かれたブラックストーンのハーフブロックpolished_blackstone_slabyes
磨かれたブラックストーンの階段minecraft:polished_blackstone_stairs磨かれたブラックストーンの階段polished_blackstone_stairsyes
模様入りの磨かれたブラックストーンminecraft:chiseled_polished_blackstone模様入りの磨かれたブラックストーンchiseled_polished_blackstoneyes
磨かれたブラックストーンレンガminecraft:polished_blackstone_bricks磨かれたブラックストーンレンガpolished_blackstone_bricksyes
磨かれたブラックストーンレンガのハーフブロックminecraft:polished_blackstone_brick_slab磨かれたブラックストーンレンガのハーフブロックpolished_blackstone_brick_slabyes
磨かれたブラックストーンレンガの階段minecraft:polished_blackstone_brick_stairs磨かれたブラックストーンレンガの階段polished_blackstone_brick_stairsyes
ひび割れたブラックストーンレンガminecraft:cracked_polished_blackstone_bricksひび割れたブラックストーンレンガcracked_polished_blackstone_bricksyes
薄氷minecraft:frosted_ice薄氷yes
重なったなめらかな石のハーフブロックminecraft:smooth_stone_slab[type=double]重なったなめらかな石のハーフブロックdouble_stone_slabyes
重なった砂岩ハーフブロックminecraft:sandstone_slab[type=double]重なった砂岩ハーフブロックdouble_stone_slab 1yes
重なった木材ハーフブロックminecraft:petrified_oak_slab[type=double]重なった木材ハーフブロックdouble_stone_slab 2yes
重なった丸石ハーフブロックminecraft:cobblestone_slab[type=double]重なった丸石ハーフブロックdouble_stone_slab 3yes
重なったレンガハーフブロックminecraft:brick_slab[type=double]重なったレンガハーフブロックdouble_stone_slab 4yes
重なった石レンガハーフブロックminecraft:stone_brick_slab[type=double]重なった石レンガハーフブロックdouble_stone_slab 5yes
重なったクォーツのハーフブロックminecraft:quartz_slab[type=double]重なったクォーツのハーフブロックdouble_stone_slab 6yes
重なったネザーレンガのハーフブロックminecraft:nether_brick_slab[type=double]重なったネザーレンガのハーフブロックdouble_stone_slab 7yes
重なった赤砂岩のハーフブロックminecraft:red_sandstone_slab[type=double]重なった赤砂岩のハーフブロックdouble_stone_slab2yes
重なったプルプァのハーフブロックminecraft:purpur_slab[type=double]重なったプルプァのハーフブロックdouble_stone_slab2 1yes
重なった海晶ブロックのハーフブロックminecraft:prismarine_slab[type=double]重なった海晶ブロックのハーフブロックdouble_stone_slab2 2yes
重なった暗海晶ブロックのハーフブロックminecraft:dark_prismarine_slab[type=double]重なった暗海晶ブロックのハーフブロックdouble_stone_slab2 3yes
重なった海晶レンガのハーフブロックminecraft:prismarine_brick_slab[type=double]重なった海晶レンガのハーフブロックdouble_stone_slab2 4yes
重なった苔の生えた丸石ハーフブロックminecraft:mossy_cobblestone_slab[type=double]重なった苔の生えた丸石ハーフブロックdouble_stone_slab2 5yes
重なったなめらかな砂岩ハーフブロックminecraft:smooth_sandstone_slab[type=double]重なったなめらかな砂岩ハーフブロックdouble_stone_slab2 6yes
重なった赤いネザーレンガハーフブロックminecraft:red_nether_brick_slab[type=double]重なった赤いネザーレンガハーフブロックdouble_stone_slab2 7yes
重なったエンドストーンレンガハーフブロックminecraft:end_stone_brick_slab[type=double]重なったエンドストーンレンガハーフブロックdouble_stone_slab3yes
重なったなめらかな赤砂岩ハーフブロックminecraft:smooth_red_sandstone_slab[type=double]重なったなめらかな赤砂岩ハーフブロックdouble_stone_slab3 1yes
重なった安山岩ハーフブロックminecraft:polished_andesite_slab[type=double]重なった安山岩ハーフブロックdouble_stone_slab3 2yes
重なった磨かれた安山岩ハーフブロックminecraft:andesite_slab[type=double]重なった磨かれた安山岩ハーフブロックdouble_stone_slab3 3yes
重なった閃緑岩ハーフブロックminecraft:diorite_slab[type=double]重なった閃緑岩ハーフブロックdouble_stone_slab3 4yes
重なった磨かれた閃緑岩ハーフブロックminecraft:polished_diorite_slab[type=double]重なった磨かれた閃緑岩ハーフブロックdouble_stone_slab3 5yes
重なった花崗岩ハーフブロックminecraft:granite_slab[type=double]重なった花崗岩ハーフブロックdouble_stone_slab3 6yes
重なった磨かれた花崗岩ハーフブロックminecraft:polished_granite_slab[type=double]重なった磨かれた花崗岩ハーフブロックdouble_stone_slab3 7yes
重なった苔の生えた石レンガハーフブロックminecraft:mossy_stone_brick_slab[type=double]重なった苔の生えた石レンガハーフブロックdouble_stone_slab4yes
重なったなめらかなクォーツハーフブロックminecraft:smooth_quartz_slab[type=double]重なったなめらかなクォーツハーフブロックdouble_stone_slab4 1yes
重なった石ハーフブロックminecraft:stone_slab[type=double]重なった石ハーフブロックdouble_stone_slab4 2yes
重なったカットされた砂岩ハーフブロックminecraft:cut_sandstone_slab[type=double]重なったカットされた砂岩ハーフブロックdouble_stone_slab4 3yes
重なったカットされた赤砂岩ハーフブロックminecraft:cut_red_sandstone_slab[type=double]重なったカットされた赤砂岩ハーフブロックdouble_stone_slab4 4yes
重なった樫のハーフブロックminecraft:oak_slab[type=double]重なった樫のハーフブロックdouble_wooden_slabyes
重なったトウヒのハーフブロックminecraft:spruce_slab[type=double]重なったトウヒのハーフブロックdouble_wooden_slab 1yes
重なった樺のハーフブロックminecraft:birch_slab[type=double]重なった樺のハーフブロックdouble_wooden_slab 2yes
重なったジャングルの木のハーフブロックminecraft:jungle_slab[type=double]重なったジャングルの木のハーフブロックdouble_wooden_slab 3yes
重なったアカシアのハーフブロックminecraft:acacia_slab[type=double]重なったアカシアのハーフブロックdouble_wooden_slab 4yes
重なった黒樫のハーフブロックminecraft:dark_oak_slab[type=double]重なった黒樫のハーフブロックdouble_wooden_slab 5yes
重なった真紅のハーフブロックminecraft:crimson_slab[type=double]重なった真紅のハーフブロックcrimson_double_slabyes
重なった歪んだハーフブロックminecraft:warped_slab[type=double]重なった歪んだハーフブロックwarped_double_slabyes
重なったブラックストーンのハーフブロックminecraft:blackstone_slab[type=double]重なったブラックストーンのハーフブロックblackstone_double_slabyes
重なった磨かれたブラックストーンのハーフブロックminecraft:polished_blackstone_slab[type=double]重なった磨かれたブラックストーンのハーフブロックpolished_blackstone_double_slabyes
重なった磨かれたブラックストーンレンガのハーフブロックminecraft:polished_blackstone_brick_slab[type=double]重なった磨かれたブラックストーンレンガのハーフブロックpolished_blackstone_brick_double_slabyes
オークの苗木minecraft:oak_sapling樫の苗木saplingno
トウヒの苗木minecraft:spruce_saplingトウヒの苗木sapling 1yes
シラカバの苗木minecraft:birch_sapling樺の苗木sapling 2no
ジャングルの苗木minecraft:jungle_saplingジャングルの苗木sapling 3yes
アカシアの苗木minecraft:acacia_saplingアカシアの苗木sapling 4yes
ダークオークの苗木minecraft:dark_oak_sapling黒樫の苗木sapling 5no
オークの葉minecraft:oak_leaves樫の葉leavesno
トウヒの葉minecraft:spruce_leavesトウヒの葉leaves 1yes
シラカバの葉minecraft:birch_leaves樺の葉leaves 2no
ジャングルの葉minecraft:jungle_leavesジャングルの葉leaves 3yes
アカシアの葉minecraft:acacia_leavesアカシアの葉leaves2yes
ダークオークの葉minecraft:dark_oak_leaves黒樫の木の葉leaves2 1no
クモの巣minecraft:cobwebクモの巣webyes
minecraft:grasstallgrass 1yes
シダminecraft:fernシダtallgrass 2yes
枯れ木minecraft:dead_bush枯れ木deadbushyes
海草minecraft:seagrass海草seagrassyes
背の高い海草minecraft:tall_seagrass背の高い海草yes
シーピクルスminecraft:sea_pickleナマコsea_pickleno
タンポポminecraft:dandelionタンポポyellow_floweryes
ポピーminecraft:poppyポピーred_floweryes
ヒスイランminecraft:blue_orchidヒスイランred_flower 1yes
アリウムminecraft:alliumアリウムred_flower 2yes
ヒナソウminecraft:azure_bluetヒナソウred_flower 3yes
赤色のチューリップminecraft:red_tulip赤色のチューリップred_flower 4yes
橙色のチューリップminecraft:orange_tulipオレンジのチューリップred_flower 5no
白色のチューリップminecraft:white_tulip白色のチューリップred_flower 6yes
桃色のチューリップminecraft:pink_tulipピンクのチューリップred_flower 7no
フランスギクminecraft:oxeye_daisyフランスギクred_flower 8yes
ヤグルマギクminecraft:cornflowerヤグルマギクred_flower 9yes
スズランminecraft:lily_of_the_valleyスズランred_flower 10yes
ウィザーローズminecraft:wither_roseウィザーのバラwither_roseno
茶色のキノコminecraft:brown_mushroom茶色のキノコbrown_mushroomyes
赤色のキノコminecraft:red_mushroom赤色のキノコred_mushroomyes
真紅のキノコminecraft:crimson_fungusきのこ(クリムゾン)crimson_fungusno
歪んだキノコminecraft:warped_fungus歪んだキノコwarped_fungusyes
真紅の根minecraft:crimson_roots根(クリムゾン)crimson_rootsno
歪んだ根minecraft:warped_roots歪んだ根warped_rootsyes
ネザースプラウトminecraft:nether_sproutsネザースプラウトnether_sproutsyes
しだれツタminecraft:weeping_vinesウィーピングつたweeping_vinesno
しだれツタminecraft:weeping_vines_plantしだれツタyes
ねじれツタminecraft:twisting_vinesねじれたつたtwisting_vinesno
ねじれツタminecraft:twisting_vines_plantねじれツタyes
サトウキビminecraft:sugar_caneサトウキビreedsyes
コンブminecraft:kelpコンブkelpyes
背の高いコンブminecraft:kelp_plant背の高いコンブyes
minecraft:bamboobambooyes
タケノコminecraft:bamboo_saplingタケノコbamboo_saplingyes
植えられたビートルートminecraft:beetroots植えられたビートルートbeetrootyes
植えられたニンジンminecraft:carrots植えられたニンジンcarrotyes
植えられたジャガイモminecraft:potatoes植えられたジャガイモpotatoyes
カボチャの茎minecraft:pumpkin_stemカボチャの茎pumpkin_stemyes
つながったカボチャの茎minecraft:attached_pumpkin_stemつながったカボチャの茎yes
イカの茎minecraft:melon_stemイカの茎melon_stemyes
つながったスイカの茎minecraft:attached_melon_stemつながったスイカの茎yes
カカオminecraft:cocoaカカオcocoayes
松明minecraft:torchたいまつtorchno
壁付の松明minecraft:wall_torch壁付の松明torch 1yes
エンドロッドminecraft:end_rod果てのロッドend_rodno
コーラスプラントminecraft:chorus_plantコーラスプラントchorus_plantyes
コーラスフラワーminecraft:chorus_flowerコーラスの花chorus_flowerno
チェストminecraft:chestチェストchestyes
作業台minecraft:crafting_table作業台crafting_tableyes
耕地minecraft:farmland耕地farmlandyes
かまどminecraft:furnaceかまどfurnaceyes
燃えているかまどminecraft:furnace[lit=true]燃えているかまどlit_furnaceyes
はしごminecraft:ladderはしごladderyes
minecraft:snowsnow_layeryes
サボテンminecraft:cactusサボテンcactusyes
ジュークボックスminecraft:jukeboxジュークボックスjukeboxyes
オークのフェンスminecraft:oak_fence樫の木の柵fenceno
トウヒのフェンスminecraft:spruce_fenceトウヒの木の柵fence 1no
シラカバのフェンスminecraft:birch_fence樺の木の柵fence 2no
ジャングルのフェンスminecraft:jungle_fenceジャングルの木の柵fence 3no
アカシアのフェンスminecraft:acacia_fenceアカシアの木の柵fence 4no
ダークオークのフェンスminecraft:dark_oak_fence黒樫の木の柵fence 5no
真紅のフェンスminecraft:crimson_fence柵(クリムゾン)crimson_fenceno
歪んだフェンスminecraft:warped_fenceゆがんだ柵warped_fenceno
ソウルトーチminecraft:soul_torchソウルたいまつsoul_torchno
壁付のソウルトーチminecraft:soul_wall_torch壁付のソウルトーチsoul_torch 1yes
虫食い石minecraft:infested_stone虫食い石spawn_eggyes
虫食い丸石minecraft:infested_cobblestone虫食い丸石spawn_egg 1yes
虫食い石レンガminecraft:infested_stone_bricks虫食い石レンガspawn_egg 2yes
苔むした虫食い石レンガminecraft:infested_mossy_stone_bricks苔むした虫食い石レンガspawn_egg 3yes
ヒビの入った虫食い石レンガminecraft:infested_cracked_stone_bricksヒビの入った虫食い石レンガspawn_egg 4yes
模様入り虫食い石レンガminecraft:infested_chiseled_stone_bricks模様入り虫食い石レンガspawn_egg 5yes
茶色のキノコブロックminecraft:brown_mushroom_block茶色のキノコブロックbrown_mushroom_block 14yes
赤色のキノコブロックminecraft:red_mushroom_block赤色のキノコブロックred_mushroom_blockyes
キノコの柄minecraft:mushroom_stemキノコの柄brown_mushroom_block 10yes
きのこブロックきのこブロックbrown_mushroom_blockyes
鉄格子minecraft:iron_bars鉄格子iron_barsyes
minecraft:chainチェーンchainno
板ガラスminecraft:glass_pane板ガラスglass_paneyes
ツタminecraft:vineツタvineyes
スイレンの葉minecraft:lily_padスイレンの葉waterlilyyes
ネザーレンガのフェンスminecraft:nether_brick_fenceネザーレンガの柵nether_brick_fenceno
エンチャントテーブルminecraft:enchanting_tableエンチャントテーブルenchanting_tableyes
エンドポータルフレームminecraft:end_portal_frameエンドポータルフレームend_portal_frameyes
エンダーチェストminecraft:ender_chestエンダーチェストender_chestyes
丸石の塀minecraft:cobblestone_wall丸石の壁cobblestone_wallno
苔むした丸石の塀minecraft:mossy_cobblestone_wall苔の生えた丸石の壁cobblestone_wall 1no
レンガの塀minecraft:brick_wallレンガの壁cobblestone_wall 6no
プリズマリンの塀minecraft:prismarine_wall海晶ブロックの壁cobblestone_wall 11no
赤い砂岩の塀minecraft:red_sandstone_wall赤砂岩の壁cobblestone_wall 12no
苔むした石レンガの塀minecraft:mossy_stone_brick_wall苔の生えた石レンガの壁cobblestone_wall 8no
花崗岩の塀minecraft:granite_wall花崗岩の壁cobblestone_wall 2no
石レンガの塀minecraft:stone_brick_wall石レンガの壁cobblestone_wall 7no
ネザーレンガの塀minecraft:nether_brick_wallネザーレンガの壁cobblestone_wall 9no
安山岩の塀minecraft:andesite_wall安山岩の壁cobblestone_wall 4no
赤いネザーレンガの塀minecraft:red_nether_brick_wall赤いネザーレンガの壁cobblestone_wall 13no
砂岩の塀minecraft:sandstone_wall砂岩の壁cobblestone_wall 5no
エンドストーンレンガの塀minecraft:end_stone_brick_wallエンドストーンレンガの壁cobblestone_wall 10no
閃緑岩の塀minecraft:diorite_wall閃緑岩の壁cobblestone_wall 3no
ブラックストーンの塀minecraft:blackstone_wallブラックストーンの壁blackstone_wallno
磨かれたブラックストーンの塀minecraft:polished_blackstone_wall磨かれたブラックストーンの壁polished_blackstone_wallno
磨かれたブラックストーンレンガの塀minecraft:polished_blackstone_brick_wall磨かれたブラックストーンレンガの壁polished_blackstone_brick_wallno
金床minecraft:anvil金床anvilyes
欠けた金床minecraft:chipped_anvil少し壊れた金床anvil 4no
壊れかけの金床minecraft:damaged_anvilかなり壊れた金床anvil 8no
白色のカーペットminecraft:white_carpet白色のカーペットcarpetyes
橙色のカーペットminecraft:orange_carpet橙色のカーペットcarpet 1yes
赤紫色のカーペットminecraft:magenta_carpet赤紫色のカーペットcarpet 2yes
空色のカーペットminecraft:light_blue_carpet空色のカーペットcarpet 3yes
黄色のカーペットminecraft:yellow_carpet黄色のカーペットcarpet 4yes
黄緑色のカーペットminecraft:lime_carpet黄緑色のカーペットcarpet 5yes
桃色のカーペットminecraft:pink_carpet桃色のカーペットcarpet 6yes
灰色のカーペットminecraft:gray_carpet灰色のカーペットcarpet 7yes
薄灰色のカーペットminecraft:light_gray_carpet薄灰色のカーペットcarpet 8yes
青緑色のカーペットminecraft:cyan_carpet青緑色のカーペットcarpet 9yes
紫色のカーペットminecraft:purple_carpet紫色のカーペットcarpet 10yes
青色のカーペットminecraft:blue_carpet青色のカーペットcarpet 11yes
茶色のカーペットminecraft:brown_carpet茶色のカーペットcarpet 12yes
緑色のカーペットminecraft:green_carpet緑色のカーペットcarpet 13yes
赤色のカーペットminecraft:red_carpet赤色のカーペットcarpet 14yes
黒色のカーペットminecraft:black_carpet黒色のカーペットcarpet 15yes
スライムブロックminecraft:slime_blockスライムブロックslimeyes
草の道minecraft:grass_path草の道grass_pathyes
ヒマワリminecraft:sunflowerヒマワリdouble_plantyes
ライラックminecraft:lilacライラックdouble_plant 1yes
バラの低木minecraft:rose_bushバラの低木double_plant 4yes
ボタンminecraft:peonyボタンdouble_plant 5yes
スイートベリーの木minecraft:sweet_berry_bushスイートベリーの木sweet_berry_bushyes
背の高い草minecraft:tall_grass背の高い草double_plant 2yes
大きなシダminecraft:large_fern大きなシダdouble_plant 3yes
白色の色付きガラス板minecraft:white_stained_glass_pane白のステンドグラス窓stained_glass_paneno
橙色の色付きガラス板minecraft:orange_stained_glass_paneオレンジのステンドグラス窓stained_glass_pane 1no
赤紫色の色付きガラス板minecraft:magenta_stained_glass_pane赤紫のステンドグラス窓stained_glass_pane 2no
空色の色付きガラス板minecraft:light_blue_stained_glass_pane空色の色付きガラス板stained_glass_pane 3yes
黄色の色付きガラス板minecraft:yellow_stained_glass_pane黄色のステンドグラス窓stained_glass_pane 4no
黄緑色の色付きガラス板minecraft:lime_stained_glass_pane黄緑のステンドグラス窓stained_glass_pane 5no
桃色の色付きガラス板minecraft:pink_stained_glass_paneピンクのステンドグラス窓stained_glass_pane 6no
灰色の色付きガラス板minecraft:gray_stained_glass_pane灰色のステンドグラス窓stained_glass_pane 7no
薄灰色の色付きガラス板minecraft:light_gray_stained_glass_pane薄灰色のステンドグラス窓stained_glass_pane 8no
青緑色の色付きガラス板minecraft:cyan_stained_glass_pane水色のステンドグラス窓stained_glass_pane 9no
紫色の色付きガラス板minecraft:purple_stained_glass_pane紫のステンドグラス窓stained_glass_pane 10no
青色の色付きガラス板minecraft:blue_stained_glass_pane青のステンドグラス窓stained_glass_pane 11no
茶色の色付きガラス板minecraft:brown_stained_glass_pane茶色のステンドグラス窓stained_glass_pane 12no
緑色の色付きガラス板minecraft:green_stained_glass_pane緑のステンドグラス窓stained_glass_pane 13no
赤色の色付きガラス板minecraft:red_stained_glass_pane赤のステンドグラス窓stained_glass_pane 14no
黒色の色付きガラス板minecraft:black_stained_glass_pane黒のステンドグラス窓stained_glass_pane 15no
シュルカーボックスminecraft:shulker_boxシュルカーボックスundyed_shulker_boxyes
白色のシュルカーボックスminecraft:white_shulker_box白色のシュルカーボックスshulker_boxyes
橙色のシュルカーボックスminecraft:orange_shulker_box橙色のシュルカーボックスshulker_box 1yes
赤紫色のシュルカーボックスminecraft:magenta_shulker_box赤紫色のシュルカーボックスshulker_box 2yes
空色のシュルカーボックスminecraft:light_blue_shulker_box空色のシュルカーボックスshulker_box 3yes
黄色のシュルカーボックスminecraft:yellow_shulker_box黄色のシュルカーボックスshulker_box 4yes
黄緑色のシュルカーボックスminecraft:lime_shulker_box黄緑色のシュルカーボックスshulker_box 5yes
桃色のシュルカーボックスminecraft:pink_shulker_box桃色のシュルカーボックスshulker_box 6yes
灰色のシュルカーボックスminecraft:gray_shulker_box灰色のシュルカーボックスshulker_box 7yes
薄灰色のシュルカーボックスminecraft:light_gray_shulker_box薄灰色のシュルカーボックスshulker_box 8yes
青緑色のシュルカーボックスminecraft:cyan_shulker_box青緑色のシュルカーボックスshulker_box 9yes
紫色のシュルカーボックスminecraft:purple_shulker_box紫色のシュルカーボックスshulker_box 10yes
青色のシュルカーボックスminecraft:blue_shulker_box青色のシュルカーボックスshulker_box 11yes
茶色のシュルカーボックスminecraft:brown_shulker_box茶色のシュルカーボックスshulker_box 12yes
緑色のシュルカーボックスminecraft:green_shulker_box緑色のシュルカーボックスshulker_box 13yes
赤色のシュルカーボックスminecraft:red_shulker_box赤色のシュルカーボックスshulker_box 14yes
黒色のシュルカーボックスminecraft:black_shulker_box黒色のシュルカーボックスshulker_box 15yes
白色の彩釉テラコッタminecraft:white_glazed_terracotta白色の彩釉テラコッタwhite_glazed_terracottayes
橙色の彩釉テラコッタminecraft:orange_glazed_terracotta橙色の彩釉テラコッタorange_glazed_terracottayes
赤紫色の彩釉テラコッタminecraft:magenta_glazed_terracotta赤紫色の彩釉テラコッタmagenta_glazed_terracottayes
空色の彩釉テラコッタminecraft:light_blue_glazed_terracotta空色の彩釉テラコッタlight_blue_glazed_terracottayes
黄色の彩釉テラコッタminecraft:yellow_glazed_terracotta黄色の彩釉テラコッタyellow_glazed_terracottayes
黄緑色の彩釉テラコッタminecraft:lime_glazed_terracotta黄緑色の彩釉テラコッタlime_glazed_terracottayes
桃色の彩釉テラコッタminecraft:pink_glazed_terracotta桃色の彩釉テラコッタpink_glazed_terracottayes
灰色の彩釉テラコッタminecraft:gray_glazed_terracotta灰色の彩釉テラコッタgray_glazed_terracottayes
薄灰色の彩釉テラコッタminecraft:light_gray_glazed_terracotta薄灰色の彩釉テラコッタsilver_glazed_terracottayes
青緑色の彩釉テラコッタminecraft:cyan_glazed_terracotta青緑色の彩釉テラコッタcyan_glazed_terracottayes
紫色の彩釉テラコッタminecraft:purple_glazed_terracotta紫色の彩釉テラコッタpurple_glazed_terracottayes
青色の彩釉テラコッタminecraft:blue_glazed_terracotta青色の彩釉テラコッタblue_glazed_terracottayes
茶色の彩釉テラコッタminecraft:brown_glazed_terracotta茶色の彩釉テラコッタbrown_glazed_terracottayes
緑色の彩釉テラコッタminecraft:green_glazed_terracotta緑色の彩釉テラコッタgreen_glazed_terracottayes
赤色の彩釉テラコッタminecraft:red_glazed_terracotta赤色の彩釉テラコッタred_glazed_terracottayes
黒色の彩釉テラコッタminecraft:black_glazed_terracotta黒色の彩釉テラコッタblack_glazed_terracottayes
クダサンゴminecraft:tube_coralクダサンゴcoralyes
ノウサンゴminecraft:brain_coral脳サンゴcoral 1no
ミズタマサンゴminecraft:bubble_coralミズタマサンゴcoral 2yes
ミレポラサンゴminecraft:fire_coralアナサンゴモドキcoral 3no
シカツノサンゴminecraft:horn_coral四放サンゴcoral 4no
死んだノウサンゴminecraft:dead_tube_coral枯れた脳サンゴcoral 9no
死んだミズタマサンゴminecraft:dead_brain_coral枯れたミズタマサンゴcoral 10no
死んだミレポラサンゴminecraft:dead_bubble_coral枯れたアナサンゴモドキcoral 11no
死んだシカツノサンゴminecraft:dead_fire_coral枯れた四放サンゴcoral 12no
死んだクダサンゴminecraft:dead_horn_coral枯れたクダサンゴcoral 8no
クダウチワサンゴminecraft:tube_coral_fan軟質クダサンゴcoral_fanno
ノウウチワサンゴminecraft:brain_coral_fan軟質脳サンゴcoral_fan 1no
ミズタマウチワサンゴminecraft:bubble_coral_fan軟質ミズタマサンゴcoral_fan 2no
ミレポラウチワサンゴminecraft:fire_coral_fan軟質アナサンゴモドキcoral_fan 3no
シカツノウチワサンゴminecraft:horn_coral_fan軟質四放サンゴcoral_fan 4no
死んだクダウチワサンゴminecraft:dead_tube_coral_fan枯れた軟質クダサンゴcoral_fan_deadno
死んだノウウチワサンゴminecraft:dead_brain_coral_fan枯れた軟質脳サンゴcoral_fan_dead 1no
死んだミズタマウチワサンゴminecraft:dead_bubble_coral_fan枯れた軟質ミズタマサンゴcoral_fan_dead 2no
死んだミレポラウチワサンゴminecraft:dead_fire_coral_fan枯れた軟質アナサンゴモドキcoral_fan_dead 3no
死んだシカツノウチワサンゴminecraft:dead_horn_coral_fan枯れた軟質四放サンゴcoral_fan_dead 4no
壁付のクダウチワサンゴminecraft:tube_coral_wall_fan壁付のクダウチワサンゴcoral_fan_hangyes
壁付のノウウチワサンゴminecraft:brain_coral_wall_fan壁付のノウウチワサンゴcoral_fan_hang 1yes
壁付のミズタマウチワサンゴminecraft:bubble_coral_wall_fan壁付のミズタマウチワサンゴcoral_fan_hang 2yes
壁付のミレポラウチワサンゴminecraft:fire_coral_wall_fan壁付のミレポラウチワサンゴcoral_fan_hang2 1yes
壁付のシカツノウチワサンゴminecraft:horn_coral_wall_fan壁付のシカツノウチワサンゴcoral_fan_hang3yes
壁付の死んだクダウチワサンゴminecraft:dead_tube_coral_wall_fan壁付の死んだクダウチワサンゴcoral_fan_hang 2yes
壁付の死んだノウウチワサンゴminecraft:dead_brain_coral_wall_fan壁付の死んだノウウチワサンゴcoral_fan_hang 3yes
壁付の死んだミズタマウチワサンゴminecraft:dead_bubble_coral_wall_fan壁付の死んだミズタマウチワサンゴcoral_fan_hang2 2yes
壁付の死んだミレポラウチワサンゴminecraft:dead_fire_coral_wall_fan壁付の死んだミレポラウチワサンゴcoral_fan_hang2 3yes
壁付の死んだシカツノウチワサンゴminecraft:dead_horn_coral_wall_fan壁付の死んだシカツノウチワサンゴcoral_fan_hang3 2yes
足場minecraft:scaffolding足場scaffoldingyes
絵画minecraft:painting絵画paintingyes
オークの看板minecraft:oak_sign樫の看板signno
トウヒの看板minecraft:spruce_signトウヒの看板spruce_signyes
シラカバの看板minecraft:birch_sign樺の看板birch_signno
ジャングルの看板minecraft:jungle_signジャングルの木の看板jungle_signno
アカシアの看板minecraft:acacia_signアカシアの看板acacia_signyes
ダークオークの看板minecraft:dark_oak_sign黒樫の看板darkoak_signno
真紅の看板minecraft:crimson_sign看板(クリムゾン)crimson_signno
歪んだ看板minecraft:warped_sign歪んだ看板warped_signyes
壁付のオークの看板minecraft:oak_wall_sign壁付のオークの看板oak_wall_signyes
壁付のトウヒの看板minecraft:spruce_wall_sign壁付のトウヒの看板spruce_wall_signyes
壁付のシラカバの看板minecraft:birch_wall_sign壁付のシラカバの看板birch_wall_signyes
壁付のジャングルの看板minecraft:jungle_wall_sign壁付のジャングルの看板acacia_wall_signyes
壁付のアカシアの看板minecraft:acacia_wall_sign壁付のアカシアの看板jungle_wall_signyes
壁付のダークオークの看板minecraft:dark_oak_wall_sign壁付のダークオークの看板dark_oak_wall_signyes
壁付の真紅の看板minecraft:crimson_wall_sign壁付の真紅の看板crimson_wall_signyes
壁付の歪んだ看板minecraft:warped_wall_sign壁付の歪んだ看板warped_wall_signyes
オークの立て看板minecraft:oak_signオークの立て看板oak_standing_signyes
トウヒの立て看板minecraft:spruce_signトウヒの立て看板spruce_standing_signyes
シラカバの立て看板minecraft:birch_signシラカバの立て看板birch_standing_signyes
ジャングルの立て看板minecraft:jungle_signジャングルの立て看板jungle_standing_signyes
アカシアの立て看板minecraft:acacia_signアカシアの立て看板acacia_standing_signyes
ダークオークの立て看板minecraft:dark_oak_signダークオークの立て看板dark_oak_standing_signyes
真紅の立て看板minecraft:crimson_sign真紅の立て看板crimson_standing_signyes
歪んだ立て看板minecraft:warped_sign歪んだ立て看板warped_standing_signyes
白色のベッドminecraft:white_bed白色のベッドbedyes
橙色のベッドminecraft:orange_bed橙色のベッドbed 1yes
赤紫色のベッドminecraft:magenta_bed赤紫色のベッドbed 2yes
空色のベッドminecraft:light_blue_bed空色のベッドbed 3yes
黄色のベッドminecraft:yellow_bed黄色のベッドbed 4yes
黄緑色のベッドminecraft:lime_bed黄緑色のベッドbed 5yes
桃色のベッドminecraft:pink_bed桃色のベッドbed 6yes
灰色のベッドminecraft:gray_bed灰色のベッドbed 7yes
薄灰色のベッドminecraft:light_gray_bed薄灰色のベッドbed 8yes
青緑色のベッドminecraft:cyan_bed青緑色のベッドbed 9yes
紫色のベッドminecraft:purple_bed紫色のベッドbed 10yes
青色のベッドminecraft:blue_bed青色のベッドbed 11yes
茶色のベッドminecraft:brown_bed茶色のベッドbed 12yes
緑色のベッドminecraft:green_bed緑色のベッドbed 13yes
赤色のベッドminecraft:red_bed赤色のベッドbed 14yes
黒色のベッドminecraft:black_bed黒色のベッドbed 15yes
額縁minecraft:item_frame額縁frameyes
植木鉢minecraft:flower_pot植木鉢flower_potyes
オークの苗木の鉢植えminecraft:potted_oak_saplingオークの苗木の鉢植えyes
トウヒの苗木の鉢植えminecraft:potted_spruce_saplingトウヒの苗木の鉢植えyes
シラカバの苗木の鉢植えminecraft:potted_birch_saplingシラカバの苗木の鉢植えyes
アカシアの苗木の鉢植えminecraft:potted_acacia_saplingアカシアの苗木の鉢植えyes
ジャングルの苗木の鉢植えminecraft:potted_jungle_saplingジャングルの苗木の鉢植えyes
ダークオークの苗木の鉢植えminecraft:potted_dark_oak_saplingダークオークの苗木の鉢植えyes
茶色のキノコの鉢植えminecraft:potted_brown_mushroom茶色のキノコの鉢植えyes
赤色のキノコの鉢植えminecraft:potted_red_mushroom赤色のキノコの鉢植えyes
真紅のキノコの鉢植えminecraft:potted_crimson_fungus真紅のキノコの鉢植えyes
歪んだキノコの鉢植えminecraft:potted_warped_fungus歪んだキノコの鉢植えyes
竹の鉢植えminecraft:potted_bamboo竹の鉢植えyes
サボテンの鉢植えminecraft:potted_cactusサボテンの鉢植えyes
枯れ木の鉢植えminecraft:potted_dead_bush枯れ木の鉢植えyes
シダの鉢植えminecraft:potted_fernシダの鉢植えyes
アリウムの鉢植えminecraft:potted_alliumアリウムの鉢植えyes
ヒナソウの鉢植えminecraft:potted_azure_bluetヒナソウの鉢植えyes
ヒスイランの鉢植えminecraft:potted_blue_orchidヒスイランの鉢植えyes
ヤグルマギクの鉢植えminecraft:potted_cornflowerヤグルマギクの鉢植えyes
タンポポの鉢植えminecraft:potted_dandelionタンポポの鉢植えyes
スズランの鉢植えminecraft:potted_lily_of_the_valleyスズランの鉢植えyes
フランスギクの鉢植えminecraft:potted_oxeye_daisyフランスギクの鉢植えyes
ポピーの鉢植えminecraft:potted_poppyポピーの鉢植えyes
ウィザーローズの鉢植えminecraft:potted_wither_roseウィザーローズの鉢植えyes
橙色のチューリップの鉢植えminecraft:potted_orange_tulip橙色のチューリップの鉢植えyes
桃色のチューリップの鉢植えminecraft:potted_pink_tulip桃色のチューリップの鉢植えyes
赤色のチューリップの鉢植えminecraft:potted_red_tulip赤色のチューリップの鉢植えyes
白色のチューリップの鉢植えminecraft:potted_white_tulip白色のチューリップの鉢植えyes
真紅の根の鉢植えminecraft:potted_crimson_roots真紅の根の鉢植えyes
歪んだ根の鉢植えminecraft:potted_warped_roots歪んだ根の鉢植えyes
ケルトンの頭蓋骨minecraft:skeleton_skullケルトンの頭蓋骨skullyes
ウィザースケルトンの頭蓋骨minecraft:wither_skeleton_skullウィザースケルトンの頭蓋骨skull 1yes
プレイヤーの頭minecraft:player_headヘッドskull 3no
ゾンビの頭minecraft:zombie_headゾンビの頭skull 2yes
クリーパーの頭minecraft:creeper_headクリーパーヘッドskull 4no
ドラゴンの頭minecraft:dragon_headドラゴンの頭skull 5yes
壁付のスケルトンの頭蓋骨minecraft:skeleton_wall_skull壁付のスケルトンの頭蓋骨yes
壁付のウィザースケルトンの頭蓋骨minecraft:wither_skeleton_wall_skull壁付のウィザースケルトンの頭蓋骨yes
壁付のプレイヤーの頭minecraft:player_wall_head壁付のプレイヤーの頭yes
壁付のゾンビの頭minecraft:zombie_wall_head壁付のゾンビの頭yes
壁付のクリーパーの頭minecraft:creeper_wall_head壁付のクリーパーの頭yes
壁付のドラゴンの頭minecraft:dragon_wall_head壁付のドラゴンの頭yes
防具立てminecraft:armor_stand防具立てarmor_standyes
白色の旗minecraft:white_banner白色の旗banner 15yes
橙色の旗minecraft:orange_banner橙色の旗banner 14yes
赤紫色の旗minecraft:magenta_banner赤紫色の旗banner 13yes
空色の旗minecraft:light_blue_banner空色の旗banner 12yes
黄色の旗minecraft:yellow_banner黄色の旗banner 11yes
黄緑色の旗minecraft:lime_banner黄緑色の旗banner 10yes
桃色の旗minecraft:pink_banner桃色の旗banner 9yes
灰色の旗minecraft:gray_banner灰色の旗banner 8yes
薄灰色の旗minecraft:light_gray_banner薄灰色の旗banner 7yes
青緑色の旗minecraft:cyan_banner青緑色の旗banner 6yes
紫色の旗minecraft:purple_banner紫色の旗banner 5yes
青色の旗minecraft:blue_banner青色の旗banner 4yes
茶色の旗minecraft:brown_banner茶色の旗banner 3yes
緑色の旗minecraft:green_banner緑色の旗banner 2yes
赤色の旗minecraft:red_banner赤色の旗banner 1yes
黒色の旗minecraft:black_banner黒色の旗banneryes
壁付の白色の旗minecraft:white_wall_banner壁付の白色の旗wall_banner 15yes
壁付の橙色の旗minecraft:orange_wall_banner壁付の橙色の旗wall_banner 14yes
壁付の赤紫色の旗minecraft:magenta_wall_banner壁付の赤紫色の旗wall_banner 13yes
壁付の空色の旗minecraft:light_blue_wall_banner壁付の空色の旗wall_banner 12yes
壁付の黄色の旗minecraft:yellow_wall_banner壁付の黄色の旗wall_banner 11yes
壁付の黄緑色の旗minecraft:lime_wall_banner壁付の黄緑色の旗wall_banner 10yes
壁付の桃色の旗minecraft:pink_wall_banner壁付の桃色の旗wall_banner 9yes
壁付の灰色の旗minecraft:gray_wall_banner壁付の灰色の旗wall_banner 8yes
壁付の薄灰色の旗minecraft:light_gray_wall_banner壁付の薄灰色の旗wall_banner 7yes
壁付の青緑色の旗minecraft:cyan_wall_banner壁付の青緑色の旗wall_banner 6yes
壁付の紫色の旗minecraft:purple_wall_banner壁付の紫色の旗wall_banner 5yes
壁付の青色の旗minecraft:blue_wall_banner壁付の青色の旗wall_banner 4yes
壁付の茶色の旗minecraft:brown_wall_banner壁付の茶色の旗wall_banner 3yes
壁付の緑色の旗minecraft:green_wall_banner壁付の緑色の旗wall_banner 2yes
壁付の赤色の旗minecraft:red_wall_banner壁付の赤色の旗wall_banner 1yes
壁付の黒色の旗minecraft:black_wall_banner壁付の黒色の旗wall_banneryes
エンドクリスタルminecraft:end_crystal果てのクリスタルender_crystalno
機織り機minecraft:loom織機loomno
コンポスターminecraft:composterコンポスターcomposteryes
minecraft:barrelタルbarrelno
燻製器minecraft:smoker燻製器smokeryes
燃えているの燻製器minecraft:smoker[lit=true]燃えているの燻製器lit_smokeryes
溶鉱炉minecraft:blast_furnace溶鉱炉blast_furnaceyes
燃えているの溶鉱炉minecraft:blast_furnace[lit=true]燃えているの溶鉱炉lit_blast_furnaceyes
製図台minecraft:cartography_table製図台cartography_tableyes
矢細工台minecraft:fletching_table矢細工台fletching_tableyes
砥石minecraft:grindstone石臼grindstoneno
鍛冶台minecraft:smithing_table鍛冶台smithing_tableyes
石切台minecraft:stonecutterストーンカッターstonecutter_blockno
minecraft:bellベルbellno
ランタンminecraft:lanternランタンlanternyes
ソウルランタンminecraft:soul_lanternソウルランタンsoul_lanternyes
焚き火minecraft:campfire焚き火campfireyes
ソウルキャンプファイヤminecraft:soul_campfireソウルたき火soul_campfireno
シュルームライトminecraft:shroomlightきのこライトshroomlightno
ミツバチの巣minecraft:bee_nestハチの巣bee_nestno
養蜂箱minecraft:beehiveハチの巣箱beehiveno
ハチミツブロックminecraft:honey_blockハチのブロックhoney_blockno
ハニカムブロックminecraft:honeycomb_blockハニカムブロックhoneycomb_blockyes
ロードストーンminecraft:lodestoneロデストーンlodestoneno
リスポーンアンカーminecraft:respawn_anchorリスポーンアンカーrespawn_anchoryes
ドラゴンの卵minecraft:dragon_eggドラゴンの卵dragon_eggyes
立ち上る泡minecraft:bubble_column立ち上る泡bubble_columnyes
minecraft:firefireyes
ソウルファイヤminecraft:soul_fireソウルファイヤsoul_fireyes
モンスタースポナーminecraft:spawnerモンスタースポナーmob_spawneryes
ネザーポータルminecraft:nether_portalネザーポータルportalyes
エンドポータルminecraft:end_portalエンドポータルend_portalyes
エンドゲートウェイminecraft:end_gatewayエンドゲートウェイyes
ジグソーブロックminecraft:jigsawジグソーブロックjigsawyes
バリアブロックminecraft:barrierバリアブロックbarrieryes
ストラクチャーブロックminecraft:structure_blockストラクチャーブロックstructure_blockyes
ストラクチャーヴォイドminecraft:structure_voidストラクチャーヴォイドstructure_voidyes
許可ブロック許可ブロックallowyes
拒否ブロック拒否ブロックdenyyes
ボーダーブロックボーダーブロックborder_blockyes
ディスペンサーminecraft:dispenser発射装置dispenserno
音符ブロックminecraft:note_block音ブロックnoteblockno
粘着ピストンminecraft:sticky_piston吸着ピストンsticky_pistonno
ピストンminecraft:pistonピストンpistonyes
ピストンヘッドminecraft:piston_headピストンヘッドyes
ムービングピストンminecraft:moving_pistonムービングピストンyes
Piston arm collisionPiston arm collisionpistonarmcollisionyes
Sticy Piston arm collisionSticy Piston arm collisionstickypistonarmcollisionyes
TNTminecraft:tntTNT火薬tntno
レバーminecraft:leverレバーleveryes
石の感圧板minecraft:stone_pressure_plate石の感圧板stone_pressure_plateyes
オークの感圧板minecraft:oak_pressure_plate樫の木の重量感知板wooden_pressure_plateno
トウヒの感圧板minecraft:spruce_pressure_plateトウヒの木の重量感知板spruce_pressure_plateno
シラカバの感圧板minecraft:birch_pressure_plate樺の木の重量感知板birch_pressure_plateno
ジャングルの感圧板minecraft:jungle_pressure_plateジャングルの木の重量感知板jungle_pressure_plateno
アカシアの感圧板minecraft:acacia_pressure_plateアカシアの重量感知板acacia_pressure_plateno
ダークオークの感圧板minecraft:dark_oak_pressure_plate黒樫の木の重量感知板dark_oak_pressure_plateno
真紅の感圧板minecraft:crimson_pressure_plate重量感知板(クリムゾン)crimson_pressure_plateno
歪んだ感圧板minecraft:warped_pressure_plate歪んだ感圧板warped_pressure_plateyes
磨かれたブラックストーンの感圧板minecraft:polished_blackstone_pressure_plate磨かれたブラックストーンの感圧板polished_blackstone_pressure_plateyes
レッドストーントーチminecraft:redstone_torchレッドストーンのたいまつredstone_torchno
壁付のレッドストーントーチminecraft:redstone_wall_torch壁付のレッドストーントーチredstone_torch 1yes
点灯していないレッドストーントーチminecraft:redstone_torch[lit=false]点灯していないレッドストーントーチunlit_redstone_torchyes
オークのトラップドアminecraft:oak_trapdoor樫の木のトラップドアtrapdoorno
トウヒのトラップドアminecraft:spruce_trapdoorトウヒの木のトラップドアspruce_trapdoorno
シラカバのトラップドアminecraft:birch_trapdoor樺の木のトラップドアbirch_trapdoorno
ジャングルのトラップドアminecraft:jungle_trapdoorジャングルの木のトラップドアjungle_trapdoorno
アカシアのトラップドアminecraft:acacia_trapdoorアカシアのトラップドアacacia_trapdooryes
ダークオークのトラップドアminecraft:dark_oak_trapdoor黒樫の木のトラップドアdark_oak_trapdoorno
真紅のトラップドアminecraft:crimson_trapdoorトラップドア(クリムゾン)crimson_trapdoorno
歪んだトラップドアminecraft:warped_trapdoor歪んだトラップドアwarped_trapdooryes
オークのフェンスゲートminecraft:oak_fence_gate樫の木の柵のゲートfence_gateno
トウヒのフェンスゲートminecraft:spruce_fence_gateトウヒの木の柵のゲートspruce_fence_gateno
シラカバのフェンスゲートminecraft:birch_fence_gate樺の木の柵のゲートbirch_fence_gateno
ジャングルのフェンスゲートminecraft:jungle_fence_gateジャングルの木の柵のゲートjungle_fence_gateno
アカシアのフェンスゲートminecraft:acacia_fence_gateアカシアの木の柵のゲートacacia_fence_gateno
ダークオークのフェンスゲートminecraft:dark_oak_fence_gate黒樫の木の柵のゲートdark_oak_fence_gateno
真紅のフェンスゲートminecraft:crimson_fence_gate柵のゲート(クリムゾン)crimson_fence_gateno
歪んだフェンスゲートminecraft:warped_fence_gateゆがんだ柵のゲートwarped_fence_gateno
レッドストーンランプminecraft:redstone_lampレッドストーンランプredstone_lampyes
点灯したレッドストーンランプminecraft:redstone_lamp[lit=true]点灯したレッドストーンランプlit_redstone_lampyes
トリップワイヤーフックminecraft:tripwire_hookトリップワイヤーフックtripwire_hookyes
トリップワイヤーminecraft:tripwireトリップワイヤーtripwireyes
石のボタンminecraft:stone_button石のボタンstone_buttonyes
オークのボタンminecraft:oak_button樫の木のボタンwooden_buttonno
トウヒのボタンminecraft:spruce_buttonトウヒの木のボタンspruce_buttonno
シラカバのボタンminecraft:birch_button樺の木のボタンbirch_buttonno
ジャングルのボタンminecraft:jungle_buttonジャングルの木のボタンjungle_buttonno
アカシアのボタンminecraft:acacia_buttonアカシアのボタンacacia_buttonyes
ダークオークのボタンminecraft:dark_oak_button黒樫の木のボタンdark_oak_buttonno
真紅のボタンminecraft:crimson_buttonボタン(クリムゾン)crimson_buttonno
歪んだボタンminecraft:warped_button歪んだボタンwarped_buttonyes
磨かれたブラックストーンのボタンminecraft:polished_blackstone_button磨かれたブラックストーンのボタンpolished_blackstone_buttonyes
トラップチェストminecraft:trapped_chestトラップチェストtrapped_chestyes
軽量用感圧板minecraft:light_weighted_pressure_plate重量感知板(軽)light_weighted_pressure_plateno
重量用感圧板minecraft:heavy_weighted_pressure_plate重量感知板(重)heavy_weighted_pressure_plateno
日照センサーminecraft:daylight_detector日照センサーdaylight_detectoryes
月照センサーminecraft:daylight_detector[inverted=true]月照センサーdaylight_detector_invertedyes
レッドストーンブロックminecraft:redstone_blockレッドストーンブロックredstone_blockyes
ホッパーminecraft:hopperホッパーhopperyes
ドロッパーminecraft:dropperドロッパーdropperyes
鉄のトラップドアminecraft:iron_trapdoor鉄のトラップドアiron_trapdooryes
オブザーバーminecraft:observer観察者observerno
鉄のドアminecraft:iron_door鉄のドアiron_dooryes
オークのドアminecraft:oak_door樫の木のドアwooden_doorno
トウヒのドアminecraft:spruce_doorトウヒの木のドアspruce_doorno
シラカバのドアminecraft:birch_door樺の木のドアbirch_doorno
ジャングルのドアminecraft:jungle_doorジャングルの木のドアjungle_doorno
アカシアのドアminecraft:acacia_doorアカシアのドアacacia_dooryes
ダークオークのドアminecraft:dark_oak_door黒樫の木のドアdark_oak_doorno
真紅のドアminecraft:crimson_doorドア(クリムゾン)crimson_doorno
歪んだドアminecraft:warped_door歪んだドアwarped_dooryes
レッドストーンリピーターminecraft:repeaterレッドストーン反復装置repeaterno
点灯したリピーターminecraft:repeater[powered=true]点灯したリピーターpowered_repeateryes
消灯したレッドストーンリピーターminecraft:repeater消灯したレッドストーンリピーターunpowered_repeateryes
レッドストーンコンパレーターminecraft:comparatorレッドストーンコンパレーターcomparatoryes
点灯したコンパレーターminecraft:comparator[powered=true]点灯したコンパレーターpowered_comparatoryes
消灯したレッドストーンコンパレーターminecraft:comparator消灯したレッドストーンコンパレーターunpowered_comparatoryes
レッドストーンダストminecraft:redstoneレッドストーンダストredstoneyes
レッドストーンワイヤーminecraft:redstone_wireレッドストーンワイヤーredstone_wireyes
書見台minecraft:lectern書見台lecternyes
ターゲットブロックminecraft:targetターゲットブロックtargetyes
コマンドブロックminecraft:command_blockコマンドブロックcommand_blockyes
チェーンコマンドブロックminecraft:chain_command_blockチェーンコマンドブロックchain_command_blockyes
リピートコマンドブロックminecraft:repeating_command_blockリピートコマンドブロックrepeating_command_blockyes
パワードレールminecraft:powered_rail加速レールgolden_railno
ディテクターレールminecraft:detector_rail感知レールdetector_railno
レールminecraft:railレールrailyes
アクティベーターレールminecraft:activator_railアクティベーターレールactivator_railyes
ロッコminecraft:minecartロッコminecartyes
minecraft:saddlesaddleyes
オークのボートminecraft:oak_boat樫の木のボートboatno
チェスト付きトロッコminecraft:chest_minecartチェスト付きトロッコchest_minecartyes
かまど付きトロッコminecraft:furnace_minecartかまど付きトロッコyes
ニンジン付きの棒minecraft:carrot_on_a_stickニンジン付きの棒carrotonastickyes
歪んだキノコ付きの棒minecraft:warped_fungus_on_a_stick歪んだキノコ付きの棒warped_fungus_on_a_stickyes
TNT付きトロッコminecraft:tnt_minecartTNT付きトロッコtnt_minecartyes
ホッパー付きトロッコminecraft:hopper_minecartホッパー付きトロッコhopper_minecartyes
コマンドブロック付きトロッコminecraft:command_block_minecartコマンドブロック付きトロッコcommand_block_minecartyes
エリトラminecraft:elytraエリトラelytrayes
トウヒのボートminecraft:spruce_boatトウヒのボートboat 1yes
シラカバのボートminecraft:birch_boat樺のボートboat 2no
ジャングルのボートminecraft:jungle_boatジャングルのボートboat 3yes
アカシアのボートminecraft:acacia_boatアカシアのボートboat 4yes
ダークオークのボートminecraft:dark_oak_boat黒樫の木のボートboat 5no
ビーコンminecraft:beaconビーコンbeaconyes
カメの卵minecraft:turtle_eggウミガメのタマゴturtle_eggno
コンジットminecraft:conduitコンジットconduityes
カメのウロコminecraft:scute甲羅のかけらturtle_shell_pieceno
石炭minecraft:coal石炭coalyes
木炭minecraft:charcoal木炭coal 1yes
ダイヤモンドminecraft:diamondダイヤモンドdiamondyes
鉄インゴットminecraft:iron_ingot鉄インゴットiron_ingotyes
金インゴットminecraft:gold_ingot金の延べ棒gold_ingotno
ネザライトインゴットminecraft:netherite_ingotネザライトインゴットnetherite_ingotyes
ネザライトの欠片minecraft:netherite_scrapネザライトスクラップnetherite_scrapno
minecraft:stickstickyes
ボウルminecraft:bowlおわんbowlno
minecraft:stringstringyes
羽根minecraft:feather羽根featheryes
火薬minecraft:gunpowder火薬gunpowderyes
小麦の種minecraft:wheat_seedswheat_seedsno
小麦minecraft:wheat小麦wheatyes
火打石minecraft:flint火打石flintyes
バケツminecraft:bucketバケツbucketyes
水入りバケツminecraft:water_bucket水入りバケツbucket 8yes
溶岩入りバケツminecraft:lava_bucket溶岩入りバケツbucket 10yes
雪玉minecraft:snowball雪玉snowballyes
minecraft:leatherleatheryes
牛乳入りバケツminecraft:milk_bucketミルクbucket 1no
フグ入りバケツminecraft:pufferfish_bucketバケツ1杯のフグbucket 5no
サケ入りバケツminecraft:salmon_bucketバケツ1杯の鮭bucket 3no
タラ入りバケツminecraft:cod_bucketバケツ1杯のタラbucket 2no
熱帯魚入りバケツminecraft:tropical_fish_bucketバケツ1杯の熱帯魚bucket 4no
レンガminecraft:brickレンガbrickyes
粘土玉minecraft:clay_ball粘土玉clay_ballyes
minecraft:paperpaperyes
minecraft:bookbookyes
スライムボールminecraft:slime_ballスライムボールslime_ballyes
minecraft:eggタマゴeggno
グロウストーンダストminecraft:glowstone_dustグロウストーンダストglowstone_dustyes
イカスミminecraft:ink_sac墨袋dyeno
赤色の染料minecraft:red_dye赤色の染料dye 1yes
緑色の染料minecraft:green_dye緑色の染料dye 2yes
カカオ豆minecraft:cocoa_beansココアビーンdye 3no
ラピスラズリminecraft:lapis_lazuliラピスラズリdye 4yes
紫色の染料minecraft:purple_dye紫色の染料dye 5yes
青緑色の染料minecraft:cyan_dye青緑色の染料dye 6yes
薄灰色の染料minecraft:light_gray_dye薄灰色の染料dye 7yes
灰色の染料minecraft:gray_dye灰色の染料dye 8yes
桃色の染料minecraft:pink_dye桃色の染料dye 9yes
黄緑色の染料minecraft:lime_dye黄緑色の染料dye 10yes
黄色の染料minecraft:yellow_dye黄色の染料dye 11yes
空色の染料minecraft:light_blue_dye空色の染料dye 12yes
赤紫色の染料minecraft:magenta_dye赤紫色の染料dye 13yes
橙色の染料minecraft:orange_dye橙色の染料dye 14yes
骨粉minecraft:bone_meal骨粉dye 15yes
青色の染料minecraft:blue_dye青色の染料dye 18yes
茶色の染料minecraft:brown_dye茶色の染料dye 17yes
黒色の染料minecraft:black_dye黒色の染料dye 16yes
白色の染料minecraft:white_dye白色の染料dye 19yes
minecraft:boneboneyes
砂糖minecraft:sugar砂糖sugaryes
カボチャの種minecraft:pumpkin_seedsカボチャの種pumpkin_seedsyes
イカの種minecraft:melon_seedsイカの種melon_seedsyes
エンダーパールminecraft:ender_pearlエンダーパールender_pearlyes
ブレイズロッドminecraft:blaze_rodブレイズロッドblaze_rodyes
金塊minecraft:gold_nugget金の塊gold_nuggetno
ネザーウォートminecraft:nether_wartネザーウォートnether_wartyes
エンダーアイminecraft:ender_eyeエンダーアイender_eyeyes
コウモリのスポーンエッグminecraft:bat_spawn_eggコウモリのスポーンエッグspawn_egg 19yes
ミツバチのスポーンエッグminecraft:bee_spawn_eggミツバチのスポーンエッグspawn_egg 122yes
ブレイズのスポーンエッグminecraft:blaze_spawn_eggブレイズのスポーンエッグspawn_egg 43yes
ネコのスポーンエッグminecraft:cat_spawn_eggネコのスポーンエッグspawn_egg 75yes
洞窟グモのスポーンエッグminecraft:cave_spider_spawn_egg洞窟グモのスポーンエッグspawn_egg 40yes
ニワトリのスポーンエッグminecraft:chicken_spawn_eggニワトリのスポーンエッグspawn_egg 10yes
タラのスポーンエッグminecraft:cod_spawn_eggタラのスポーンエッグspawn_egg 112yes
ウシのスポーンエッグminecraft:cow_spawn_eggウシのスポーンエッグspawn_egg 11yes
クリーパーのスポーンエッグminecraft:creeper_spawn_eggクリーパーのスポーンエッグspawn_egg 33yes
イルカのスポーンエッグminecraft:dolphin_spawn_eggイルカのスポーンエッグspawn_egg 31yes
ロバのスポーンエッグminecraft:donkey_spawn_eggロバのスポーンエッグspawn_egg 24yes
ドラウンドのスポーンエッグminecraft:drowned_spawn_egg溺死ゾンビのスポーンエッグspawn_egg 110no
エルダーガーディアンのスポーンエッグminecraft:elder_guardian_spawn_eggエルダーガーディアンのスポーンエッグspawn_egg 50yes
エンダーマンのスポーンエッグminecraft:enderman_spawn_eggエンダーマンのスポーンエッグspawn_egg 38yes
エンダーマイトのスポーンエッグminecraft:endermite_spawn_eggエンダーマイトのスポーンエッグspawn_egg 55yes
エヴォーカーのスポーンエッグminecraft:evoker_spawn_eggエヴォーカーのスポーンエッグspawn_egg 104yes
キツネのスポーンエッグminecraft:fox_spawn_eggキツネのスポーンエッグspawn_egg 121yes
ガストのスポーンエッグminecraft:ghast_spawn_eggガストのスポーンエッグspawn_egg 41yes
ガーディアンのスポーンエッグminecraft:guardian_spawn_eggガーディアンのスポーンエッグspawn_egg 49yes
ホグリンのスポーンエッグminecraft:hoglin_spawn_eggホグリンのスポーンエッグspawn_egg 124yes
ウマのスポーンエッグminecraft:horse_spawn_eggウマのスポーンエッグspawn_egg 23yes
ハスクのスポーンエッグminecraft:husk_spawn_eggハスクのスポーンエッグspawn_egg 47yes
ラマのスポーンエッグminecraft:llama_spawn_eggラマのスポーンエッグspawn_egg 29yes
マグマキューブのスポーンエッグminecraft:magma_cube_spawn_eggマグマキューブのスポーンエッグspawn_egg 42yes
ムーシュルームのスポーンエッグminecraft:mooshroom_spawn_eggムーシュルームのスポーンエッグspawn_egg 16yes
ラバのスポーンエッグminecraft:mule_spawn_eggラバのスポーンエッグspawn_egg 25yes
ヤマネコのスポーンエッグminecraft:ocelot_spawn_eggヤマネコのスポーンエッグspawn_egg 22yes
パンダのスポーンエッグminecraft:panda_spawn_eggパンダのスポーンエッグspawn_egg 113yes
オウムのスポーンエッグminecraft:parrot_spawn_eggオウムのスポーンエッグspawn_egg 30yes
ファントムのスポーンエッグminecraft:phantom_spawn_eggファントムのスポーンエッグspawn_egg 58yes
ブタのスポーンエッグminecraft:pig_spawn_eggブタのスポーンエッグspawn_egg 12yes
ピグリンのスポーンエッグminecraft:piglin_spawn_eggピグリンのスポーンエッグspawn_egg 123yes
ピグリンブルートのスポーンエッグminecraft:piglin_brute_spawn_eggピグリンブルートのスポーンエッグspawn_egg 127yes
ピリジャーのスポーンエッグminecraft:pillager_spawn_egg略奪者のスポーンエッグspawn_egg 114no
シロクマのスポーンエッグminecraft:polar_bear_spawn_eggシロクマのスポーンエッグspawn_egg 28yes
フグのスポーンエッグminecraft:pufferfish_spawn_eggフグのスポーンエッグspawn_egg 108yes
ウサギのスポーンエッグminecraft:rabbit_spawn_eggウサギのスポーンエッグspawn_egg 18yes
ラヴェジャーのスポーンエッグminecraft:ravager_spawn_eggラヴェジャーのスポーンエッグspawn_egg 59yes
サケのスポーンエッグminecraft:salmon_spawn_eggサケのスポーンエッグspawn_egg 109yes
ヒツジのスポーンエッグminecraft:sheep_spawn_eggヒツジのスポーンエッグspawn_egg 13yes
シュルカーのスポーンエッグminecraft:shulker_spawn_eggシュルカーのスポーンエッグspawn_egg 54yes
シルバーフィッシュのスポーンエッグminecraft:silverfish_spawn_eggシルバーフィッシュのスポーンエッグspawn_egg 39yes
ケルトンのスポーンエッグminecraft:skeleton_spawn_eggケルトンのスポーンエッグspawn_egg 34yes
ケルトンホースのスポーンエッグminecraft:skeleton_horse_spawn_eggケルトンホースのスポーンエッグspawn_egg 26yes
スライムのスポーンエッグminecraft:slime_spawn_eggスライムのスポーンエッグspawn_egg 37yes
クモのスポーンエッグminecraft:spider_spawn_eggクモのスポーンエッグspawn_egg 35yes
イカのスポーンエッグminecraft:squid_spawn_eggイカのスポーンエッグspawn_egg 17yes
ストレイのスポーンエッグminecraft:stray_spawn_eggストレイのスポーンエッグspawn_egg 46yes
ストライダーのスポーンエッグminecraft:strider_spawn_eggストライダーのスポーンエッグspawn_egg 125yes
行商人のラマのスポーンエッグminecraft:trader_llama_spawn_egg行商人のラマのスポーンエッグyes
熱帯魚のスポーンエッグminecraft:tropical_fish_spawn_egg熱帯魚のスポーンエッグspawn_egg 111yes
カメのスポーンエッグminecraft:turtle_spawn_eggカメのスポーンエッグspawn_egg 74yes
ヴェックスのスポーンエッグminecraft:vex_spawn_eggヴェックスのスポーンエッグspawn_egg 105yes
村人のスポーンエッグminecraft:villager_spawn_egg村人のスポーンエッグspawn_egg 115yes
ヴィンディケーターのスポーンエッグminecraft:vindicator_spawn_eggヴィンディケーターのスポーンエッグspawn_egg 57yes
行商人のスポーンエッグminecraft:wandering_trader_spawn_egg行商人のスポーンエッグspawn_egg 118yes
ウィッチのスポーンエッグminecraft:witch_spawn_eggウィッチのスポーンエッグspawn_egg 45yes
ウィザースケルトンのスポーンエッグminecraft:wither_skeleton_spawn_eggウィザースケルトンのスポーンエッグspawn_egg 48yes
オオカミのスポーンエッグminecraft:wolf_spawn_eggオオカミのスポーンエッグspawn_egg 14yes
ゾグリンのスポーンエッグminecraft:zoglin_spawn_eggゾグリンのスポーンエッグspawn_egg 126yes
ゾンビのスポーンエッグminecraft:zombie_spawn_eggゾンビのスポーンエッグspawn_egg 32yes
ゾンビホースのスポーンエッグminecraft:zombie_horse_spawn_eggゾンビホースのスポーンエッグspawn_egg 27yes
村人ゾンビのスポーンエッグminecraft:zombie_villager_spawn_egg村人ゾンビのスポーンエッグspawn_egg 36yes
ゾンビピグリンのスポーンエッグminecraft:zombified_piglin_spawn_eggゾンビピグリンのスポーンエッグspawn_egg 116yes
エンチャントの瓶minecraft:experience_bottleエンチャントの瓶experience_bottleyes
ファイヤーチャージminecraft:fire_charge発火剤fireballno
本と羽根ペンminecraft:writable_book本と羽根ペンwritable_bookyes
記入済みの本minecraft:written_book記入済みの本yes
知恵の本minecraft:knowledge_book知恵の本yes
エメラルドminecraft:emeraldエメラルドemeraldyes
白紙の地図minecraft:map白紙の地図mapyes
地図minecraft:filled_map地図mapyes
まっさらな地図まっさらな地図emptymapyes
海洋探検家の地図海洋探検家の地図map 3yes
森林探検家の地図森林探検家の地図map 4yes
宝の地図宝の地図map 5yes
ネザースターminecraft:nether_starネザースターnetherstaryes
ロケット花火minecraft:firework_rocketロケット花火fireworksyes
花火の星minecraft:firework_star花火の星fireworkschargeyes
ネザーレンガminecraft:nether_brickネザーレンガnether_brickyes
ネザークォーツminecraft:quartzネザークォーツquartzyes
プリズマリンの欠片minecraft:prismarine_shard暗海晶の破片prismarine_shardno
プリズマリンクリスタルminecraft:prismarine_crystals海結晶prismarine_crystalsno
ウサギの皮minecraft:rabbit_hideウサギの皮rabbit_hideyes
鉄の馬鎧minecraft:iron_horse_armor鉄の馬鎧horsearmorironyes
金の馬鎧minecraft:golden_horse_armor金の馬鎧horsearmorgoldyes
ダイヤの馬鎧minecraft:diamond_horse_armorダイヤの馬鎧horsearmordiamondyes
革の馬鎧minecraft:leather_horse_armor革の馬鎧horsearmorleatheryes
コーラスフルーツminecraft:chorus_fruitコーラスフルーツchorus_fruityes
焼いたコーラスフルーツminecraft:popped_chorus_fruit焼いたコーラスフルーツchorus_fruit_poppedyes
ビートルートの種minecraft:beetroot_seedsビートルートの種beetroot_seedsyes
シュルカーの殻minecraft:shulker_shellシュルカーの殻shulker_shellyes
鉄塊minecraft:iron_nugget鉄塊iron_nuggetyes
レコード 13minecraft:music_disc_13音楽ディスク13record_13no
レコード catminecraft:music_disc_cat音楽ディスクキャットrecord_catno
レコード blocksminecraft:music_disc_blocks音楽ディスクブロックrecord_blocksno
レコード chirpminecraft:music_disc_chirp音楽ディスクチャープrecord_chirpno
レコード farminecraft:music_disc_far音楽ディスクファーrecord_farno
レコード mallminecraft:music_disc_mall音楽ディスク散歩record_mallno
レコード mellohiminecraft:music_disc_mellohi音楽ディスクメロヒーrecord_mellohino
レコード stalminecraft:music_disc_stal音楽ディスクスタルrecord_stalno
レコード stradminecraft:music_disc_strad音楽ディスクストラドrecord_stradno
レコード wardminecraft:music_disc_ward音楽ディスクワードrecord_wardno
レコード 11minecraft:music_disc_11音楽ディスク11record_11no
レコード waitminecraft:music_disc_wait音楽ディスクウェイトrecord_waitno
レコード Pigstepminecraft:music_disc_pigstep音楽ディスクPigsteprecord_pigstepno
オウムガイの殻minecraft:nautilus_shellオウムガイの殻nautilus_shellyes
海洋の心minecraft:heart_of_the_sea海の中心heart_of_the_seano
旗の模様(花模様)minecraft:flower_banner_pattern旗の模様(花模様)banner_pattern 2yes
旗の模様(クリーパー模様)minecraft:creeper_banner_pattern旗の模様(クリーパー模様)banner_patternyes
旗の模様(骸骨模様)minecraft:skull_banner_pattern旗の模様(骸骨模様)banner_pattern 1yes
旗の模様(何かの模様)minecraft:mojang_banner_pattern旗の模様(何かの模様)banner_pattern 3yes
旗の模様(地球の模様)minecraft:globe_banner_pattern旗の模様(地球の模様)yes
旗の模様(ブタの鼻の模様)minecraft:piglin_banner_pattern旗の模様(スナウト)banner_pattern 6no
旗の模様(レンガ模様)旗の模様(レンガ模様)banner_pattern 4yes
旗の模様(ギザギザな緑)旗の模様(ギザギザな緑)banner_pattern 5yes
ハニカムminecraft:honeycombハニカムhoneycombyes
デバッグminecraft:debug_stickデバッグyes
光ブロック光ブロックlight_blockyes
リンゴminecraft:appleリンゴappleyes
キノコシチューminecraft:mushroom_stewキノコシチューmushroom_stewyes
パンminecraft:breadパンbreadyes
生の豚肉minecraft:porkchop生の豚肉porkchopyes
焼き豚minecraft:cooked_porkchop調理した豚肉cooked_porkchopno
金のリンゴminecraft:golden_apple金のリンゴgolden_appleyes
エンチャントされた金のリンゴminecraft:enchanted_golden_appleエンチャントされた金のリンゴappleenchantedyes
生鱈minecraft:cod生のタラfishno
生鮭minecraft:salmon生鮭salmonyes
熱帯魚minecraft:tropical_fish熱帯魚clownfishyes
フグminecraft:pufferfishフグpufferfishyes
焼き鱈minecraft:cooked_cod焼いたタラcooked_fishno
焼き鮭minecraft:cooked_salmon調理した鮭cooked_salmonno
ケーキminecraft:cakeケーキcakeyes
クッキーminecraft:cookieクッキーcookieyes
イカの薄切りminecraft:melon_sliceイカの薄切りmelonyes
乾燥した昆布minecraft:dried_kelp乾燥した昆布dried_kelpyes
生の牛肉minecraft:beef生の牛肉beefyes
ステーキminecraft:cooked_beef調理した牛肉cooked_beefno
生の鶏肉minecraft:chicken生の鶏肉chickenyes
焼き鳥minecraft:cooked_chicken焼き鳥cooked_chickenyes
腐った肉minecraft:rotten_flesh腐肉rotten_fleshno
クモの目minecraft:spider_eyeクモの目spider_eyeyes
ニンジンminecraft:carrotニンジンcarrotyes
ジャガイモminecraft:potatoジャガイモpotatoyes
ベイクドポテトminecraft:baked_potatoベイクドポテトbaked_potatoyes
青くなったジャガイモminecraft:poisonous_potato青くなったジャガイモpoisonous_potatoyes
パンプキンパイminecraft:pumpkin_pieパンプキンパイpumpkin_pieyes
生の兎肉minecraft:rabbit生の兎肉rabbityes
焼き兎肉minecraft:cooked_rabbit調理した兎肉cooked_rabbitno
ウサギシチューminecraft:rabbit_stewウサギシチューrabbit_stewyes
生の羊肉minecraft:mutton生の羊肉muttonrawyes
焼き羊肉minecraft:cooked_mutton調理した羊肉muttoncookedno
ビートルートminecraft:beetrootビートルートbeetrootyes
ビートルートスープminecraft:beetroot_soupビートルートスープbeetroot_soupyes
スイートベリーminecraft:sweet_berriesスイートベリーsweet_berriesyes
ハチミツ入りの瓶minecraft:honey_bottleハニーボトルhoney_bottleno
怪しげなシチューminecraft:suspicious_stew怪しげなシチューyes
火打石と打ち金minecraft:flint_and_steel火打石と打ち金flint_and_steelyes
木のシャベルminecraft:wooden_shovel木のシャベルwooden_shovelyes
木のツルハシminecraft:wooden_pickaxe木のツルハシwooden_pickaxeyes
木の斧minecraft:wooden_axe木の斧wooden_axeyes
木のクワminecraft:wooden_hoe木のクワwooden_hoeyes
石のシャベルminecraft:stone_shovel石のシャベルstone_shovelyes
石のツルハシminecraft:stone_pickaxe石のツルハシstone_pickaxeyes
石の斧minecraft:stone_axe石の斧stone_axeyes
石のクワminecraft:stone_hoe石のクワstone_hoeyes
金のシャベルminecraft:golden_shovel金のシャベルgolden_shovelyes
金のツルハシminecraft:golden_pickaxe金のツルハシgolden_pickaxeyes
金の斧minecraft:golden_axe金の斧golden_axeyes
金のクワminecraft:golden_hoe金のクワgolden_hoeyes
鉄のシャベルminecraft:iron_shovel鉄のシャベルiron_shovelyes
鉄のツルハシminecraft:iron_pickaxe鉄のツルハシiron_pickaxeyes
鉄の斧minecraft:iron_axe鉄の斧iron_axeyes
鉄のクワminecraft:iron_hoe鉄のクワiron_hoeyes
ダイヤモンドのシャベルminecraft:diamond_shovelダイヤモンドのシャベルdiamond_shovelyes
ダイヤモンドのツルハシminecraft:diamond_pickaxeダイヤモンドのツルハシdiamond_pickaxeyes
ダイヤモンドの斧minecraft:diamond_axeダイヤモンドの斧diamond_axeyes
ダイヤモンドのクワminecraft:diamond_hoeダイヤモンドのクワdiamond_hoeyes
ネザライトのシャベルminecraft:netherite_shovelネザライトのシャベルnetherite_shovelyes
ネザライトのツルハシminecraft:netherite_pickaxeネザライトのツルハシnetherite_pickaxeyes
ネザライトの斧minecraft:netherite_axeネザライトの斧netherite_axeyes
ネザライトのクワminecraft:netherite_hoeネザライトのクワnetherite_hoeyes
コンパスminecraft:compassコンパスcompassyes
ロードストーンコンパスロードストーンコンパスlodestonecompassyes
釣竿minecraft:fishing_rod釣竿fishing_rodyes
時計minecraft:clock時計clockyes
ハサミminecraft:shearsハサミshearsyes
エンチャントの本minecraft:enchanted_bookエンチャントの本enchanted_bookyes
エンチャントの本(効率強化Ⅴ)minecraft:enchanted_book{Enchantments:[{id:efficiency,lvl:5}]}エンチャントの本(効率強化Ⅴ)yes
エンチャントの本(シルクタッチ)minecraft:enchanted_book{Enchantments:[{id:silk_touch,lvl:1}]}エンチャントの本(シルクタッチ)yes
エンチャントの本(耐久力Ⅲ)minecraft:enchanted_book{Enchantments:[{id:unbreaking,lvl:3}]}エンチャントの本(耐久力Ⅲ)yes
エンチャントの本(幸運Ⅲ)minecraft:enchanted_book{Enchantments:[{id:fortune,lvl:3}]}エンチャントの本(幸運Ⅲ)yes
エンチャントの本(宝釣りⅢ)minecraft:enchanted_book{Enchantments:[{id:luck_of_the_sea,lvl:3}]}エンチャントの本(宝釣りⅢ)yes
エンチャントの本(入れ食いⅢ)minecraft:enchanted_book{Enchantments:[{id:lure,lvl:3}]}エンチャントの本(入れ食いⅢ)yes
エンチャントの本(修繕)minecraft:enchanted_book{Enchantments:[{id:mending,lvl:1}]}エンチャントの本(修繕)yes
エンチャントの本(消滅の呪い)minecraft:enchanted_book{Enchantments:[{id:vanishing_curse,lvl:1}]}エンチャントの本(消滅の呪い)yes
リードminecraft:lead首ひもleadno
名札minecraft:name_tag名札name_tagyes
カメの甲羅minecraft:turtle_helmetカメの甲羅turtle_helmetyes
minecraft:bowbowyes
minecraft:arrowarrowyes
鉄の剣minecraft:iron_sword鉄の剣iron_swordyes
木の剣minecraft:wooden_sword木の剣wooden_swordyes
石の剣minecraft:stone_sword石の剣stone_swordyes
ダイヤの剣minecraft:diamond_swordダイヤの剣diamond_swordyes
金の剣minecraft:golden_sword金の剣golden_swordyes
ネザライトの剣minecraft:netherite_swordネザライトの剣netherite_swordyes
革の帽子minecraft:leather_helmet革の帽子leather_helmetyes
革の上着minecraft:leather_chestplate革の服leather_chestplateno
革のズボンminecraft:leather_leggings革のパンツleather_leggingsno
革のブーツminecraft:leather_boots革のブーツleather_bootsyes
チェーンヘルメットminecraft:chainmail_helmetチェーンヘルメットchainmail_helmetyes
チェーンチェストプレートminecraft:chainmail_chestplateチェーンチェストプレートchainmail_chestplateyes
チェーンレギンスminecraft:chainmail_leggingsチェーンレギンスchainmail_leggingsyes
チェーンブーツminecraft:chainmail_bootsチェーンブーツchainmail_bootsyes
鉄のヘルメットminecraft:iron_helmet鉄のヘルメットiron_helmetyes
鉄のチェストプレートminecraft:iron_chestplate鉄のチェストプレートiron_chestplateyes
鉄のレギンスminecraft:iron_leggings鉄のレギンスiron_leggingsyes
鉄のブーツminecraft:iron_boots鉄のブーツiron_bootsyes
ダイヤのヘルメットminecraft:diamond_helmetダイヤのヘルメットdiamond_helmetyes
ダイヤのチェストプレートminecraft:diamond_chestplateダイヤのチェストプレートdiamond_chestplateyes
ダイヤのレギンスminecraft:diamond_leggingsダイヤのレギンスdiamond_leggingsyes
ダイヤのブーツminecraft:diamond_bootsダイヤのブーツdiamond_bootsyes
金のヘルメットminecraft:golden_helmet金のヘルメットgolden_helmetyes
金のチェストプレートminecraft:golden_chestplate金のチェストプレートgolden_chestplateyes
金のレギンスminecraft:golden_leggings金のレギンスgolden_leggingsyes
金のブーツminecraft:golden_boots金のブーツgolden_bootsyes
ネザライトのヘルメットminecraft:netherite_helmetネザライトのヘルメットnetherite_helmetyes
ネザライトのチェストプレートminecraft:netherite_chestplateネザライトのチェストプレートnetherite_chestplateyes
ネザライトのレギンスminecraft:netherite_leggingsネザライトのレギンスnetherite_leggingsyes
ネザライトのブーツminecraft:netherite_bootsネザライトのブーツnetherite_bootsyes
エンチャントの本(ダメージ軽減Ⅳ)minecraft:enchanted_book{Enchantments:[{id:protection,lvl:4}]}エンチャントの本(ダメージ軽減Ⅳ)yes
エンチャントの本(火炎耐性Ⅳ)minecraft:enchanted_book{Enchantments:[{id:fire_protection,lvl:4}]}エンチャントの本(火炎耐性Ⅳ)yes
エンチャントの本(落下耐性Ⅳ)minecraft:enchanted_book{Enchantments:[{id:feather_falling,lvl:4}]}エンチャントの本(落下耐性Ⅳ)yes
エンチャントの本(爆発耐性Ⅳ)minecraft:enchanted_book{Enchantments:[{id:blast_protection,lvl:4}]}エンチャントの本(爆発耐性Ⅳ)yes
エンチャントの本(飛び道具耐性Ⅳ)minecraft:enchanted_book{Enchantments:[{id:projectile_protection,lvl:4}]}エンチャントの本(飛び道具耐性Ⅳ)yes
エンチャントの本(水中呼吸Ⅲ)minecraft:enchanted_book{Enchantments:[{id:respiration,lvl:3}]}エンチャントの本(水中呼吸Ⅲ)yes
エンチャントの本(水中採掘)minecraft:enchanted_book{Enchantments:[{id:aqua_affinity,lvl:1}]}エンチャントの本(水中採掘)yes
エンチャントの本(棘の鎧Ⅲ)minecraft:enchanted_book{Enchantments:[{id:thorns,lvl:3}]}エンチャントの本(棘の鎧Ⅲ)yes
エンチャントの本(水中歩行Ⅲ)minecraft:enchanted_book{Enchantments:[{id:depth_strider,lvl:3}]}エンチャントの本(水中歩行Ⅲ)yes
エンチャントの本(氷渡りⅡ)minecraft:enchanted_book{Enchantments:[{id:frost_walker,lvl:2}]}エンチャントの本(氷渡りⅡ)yes
エンチャントの本(束縛の呪い)minecraft:enchanted_book{Enchantments:[{id:binding_curse,lvl:1}]}エンチャントの本(束縛の呪い)yes
エンチャントの本(ソウルスピードⅢ)minecraft:enchanted_book{Enchantments:[{id:soul_speed,lvl:3}]}エンチャントの本(ソウルスピードⅢ)yes
エンチャントの本(ダメージ増加Ⅴ)minecraft:enchanted_book{Enchantments:[{id:sharpness,lvl:5}]}エンチャントの本(ダメージ増加Ⅴ)yes
エンチャントの本(アンデッド特攻Ⅴ)minecraft:enchanted_book{Enchantments:[{id:smite,lvl:5}]}エンチャントの本(アンデッド特攻Ⅴ)yes
エンチャントの本(虫特攻Ⅴ)minecraft:enchanted_book{Enchantments:[{id:bane_of_arthropods,lvl:5}]}エンチャントの本(虫特攻Ⅴ)yes
エンチャントの本(ノックバックⅡ)minecraft:enchanted_book{Enchantments:[{id:knockback,lvl:2}]}エンチャントの本(ノックバックⅡ)yes
エンチャントの本(火属性Ⅱ)minecraft:enchanted_book{Enchantments:[{id:fire_aspect,lvl:2}]}エンチャントの本(火属性Ⅱ)yes
エンチャントの本(ドロップ増加Ⅲ)minecraft:enchanted_book{Enchantments:[{id:looting,lvl:3}]}エンチャントの本(ドロップ増加Ⅲ)yes
エンチャントの本(範囲ダメージ増加Ⅲ)minecraft:enchanted_book{Enchantments:[{id:sweeping_edge,lvl:3}]}エンチャントの本(範囲ダメージ増加Ⅲ)yes
エンチャントの本(射撃ダメージ増加Ⅴ)minecraft:enchanted_book{Enchantments:[{id:power,lvl:5}]}エンチャントの本(射撃ダメージ増加Ⅴ)yes
エンチャントの本(パンチⅡ)minecraft:enchanted_book{Enchantments:[{id:punch,lvl:2}]}エンチャントの本(パンチⅡ)yes
エンチャントの本(フレイム)minecraft:enchanted_book{Enchantments:[{id:flame,lvl:1}]}エンチャントの本(フレイム)yes
エンチャントの本(無限)minecraft:enchanted_book{Enchantments:[{id:infinity,lvl:1}]}エンチャントの本(無限)yes
エンチャントの本(忠誠Ⅲ)minecraft:enchanted_book{Enchantments:[{id:loyalty,lvl:3}]}エンチャントの本(忠誠Ⅲ)yes
エンチャントの本(水生特攻Ⅴ)minecraft:enchanted_book{Enchantments:[{id:impaling,lvl:5}]}エンチャントの本(水生特攻Ⅴ)yes
エンチャントの本(激流Ⅲ)minecraft:enchanted_book{Enchantments:[{id:riptide,lvl:3}]}エンチャントの本(激流Ⅲ)yes
エンチャントの本(召雷)minecraft:enchanted_book{Enchantments:[{id:channeling,lvl:1}]}エンチャントの本(召雷)yes
エンチャントの本(拡散)minecraft:enchanted_book{Enchantments:[{id:multishot,lvl:1}]}エンチャントの本(拡散)yes
エンチャントの本(高速充填Ⅲ)minecraft:enchanted_book{Enchantments:[{id:quick_charge,lvl:3}]}エンチャントの本(高速充填Ⅲ)yes
エンチャントの本(貫通Ⅳ)minecraft:enchanted_book{Enchantments:[{id:piercing,lvl:4}]}エンチャントの本(貫通Ⅳ)yes
光の矢minecraft:spectral_arrow光の矢yes
クラフト不可能な効能付きの矢minecraft:tipped_arrowクラフト不可能な効能付きの矢yes
暗視の矢(0:22)minecraft:tipped_arrow{Potion:night_vision}暗視の矢(0:22)arrow 6yes
暗視の矢(1:00)minecraft:tipped_arrow{Potion:long_night_vision}暗視の矢(1:00)arrow 7yes
透明化の矢(0:22)minecraft:tipped_arrow{Potion:invisibility}透明化の矢(0:22)arrow 8yes
透明化の矢(1:00)minecraft:tipped_arrow{Potion:long_invisibility}透明化の矢(1:00)arrow 9yes
跳躍の矢(0:22)跳躍力上昇minecraft:tipped_arrow{Potion:leaping}跳躍の矢(0:22)跳躍力上昇arrow 10yes
跳躍の矢(1:00)跳躍力上昇minecraft:tipped_arrow{Potion:long_leaping}跳躍の矢(1:00)跳躍力上昇arrow 11yes
跳躍の矢(0:11)跳躍力上昇Ⅱminecraft:tipped_arrow{Potion:strong_leaping}跳躍の矢(0:11)跳躍力上昇Ⅱarrow 12yes
耐火の矢(0:22)minecraft:tipped_arrow{Potion:fire_resistance}耐火の矢(0:22)arrow 13yes
耐火の矢(1:00)minecraft:tipped_arrow{Potion:long_fire_resistance}耐火の矢(1:00)arrow 14yes
俊敏の矢(0:22)移動速度minecraft:tipped_arrow{Potion:swiftness}俊敏の矢(0:22)移動速度arrow 15yes
俊敏の矢(1:00)移動速度minecraft:tipped_arrow{Potion:long_swiftness}俊敏の矢(1:00)移動速度arrow 16yes
俊敏の矢(0:11)移動速度Ⅱminecraft:tipped_arrow{Potion:strong_swiftness}俊敏の矢(0:11)移動速度Ⅱarrow 17yes
鈍化の矢(0:11)移動速度低下minecraft:tipped_arrow{Potion:slowness}鈍化の矢(0:11)移動速度低下arrow 18yes
鈍化の矢(0:30)移動速度低下minecraft:tipped_arrow{Potion:long_slowness}鈍化の矢(0:30)移動速度低下arrow 19yes
鈍化の矢(0:02)移動速度低下Ⅳminecraft:tipped_arrow{Potion:strong_slowness}鈍化の矢(0:02)移動速度低下Ⅳ arrow 43yes
タートルマスターの矢(0:02)移動速度低下Ⅳ、耐性Ⅲminecraft:tipped_arrow{Potion:turtle_master}タートルマスターの矢(0:02)移動速度低下Ⅳ、耐性Ⅲarrow 38yes
タートルマスターの矢(0:05)移動速度低下Ⅳ、耐性Ⅲminecraft:tipped_arrow{Potion:long_turtle_master}タートルマスターの矢(0:05)移動速度低下Ⅳ、耐性Ⅲarrow 39yes
タートルマスターの矢(0:02)移動速度低下Ⅵ、耐性Ⅳminecraft:tipped_arrow{Potion:strong_turtle_master}タートルマスターの矢(0:02)移動速度低下Ⅵ、耐性Ⅳarrow 40yes
水中呼吸の矢(0:22)minecraft:tipped_arrow{Potion:water_breathing}水中呼吸の矢(0:22)arrow 20yes
水中呼吸の矢(1:00)minecraft:tipped_arrow{Potion:long_water_breathing}水中呼吸の矢(1:00)arrow 21yes
治癒の矢 即時回復minecraft:tipped_arrow{Potion:healing}治癒の矢 即時回復arrow 22yes
治癒の矢 即時回復Ⅱminecraft:tipped_arrow{Potion:strong_healing}治癒の矢 即時回復Ⅱarrow 23yes
負傷の矢 即時ダメージminecraft:tipped_arrow{Potion:harming}負傷の矢 即時ダメージarrow 24yes
負傷の矢 即時ダメージⅡminecraft:tipped_arrow{Potion:strong_harming}負傷の矢 即時ダメージⅡarrow 25yes
毒の矢(0:05)毒minecraft:tipped_arrow{Potion:poison}毒の矢(0:05)毒arrow 26yes
毒の矢(0:11)毒minecraft:tipped_arrow{Potion:long_poison}毒の矢(0:11)毒arrow 27yes
毒の矢(0:02)毒Ⅱminecraft:tipped_arrow{Potion:strong_poison}毒の矢(0:02)毒Ⅱarrow 28yes
再生の矢(0:05)再生能力minecraft:tipped_arrow{Potion:regeneration}再生の矢(0:05)再生能力arrow 29yes
再生の矢(0:11)再生能力minecraft:tipped_arrow{Potion:long_regeneration}再生の矢(0:11)再生能力arrow 30yes
再生の矢(0:02)再生能力Ⅱminecraft:tipped_arrow{Potion:strong_regeneration}再生の矢(0:02)再生能力Ⅱarrow 31yes
力の矢(0:22)攻撃力上昇minecraft:tipped_arrow{Potion:strength}力の矢(0:22)攻撃力上昇arrow 32yes
力の矢(1:00)攻撃力上昇minecraft:tipped_arrow{Potion:long_strength}力の矢(1:00)攻撃力上昇arrow 33yes
力の矢(0:11)攻撃力上昇Ⅱminecraft:tipped_arrow{Potion:strong_strength}力の矢(0:11)攻撃力上昇Ⅱarrow 34yes
弱化の矢(0:11)minecraft:tipped_arrow{Potion:weakness}弱化の矢(0:11)arrow 35yes
弱化の矢(0:30)minecraft:tipped_arrow{Potion:long_weakness}弱化の矢(0:30)arrow 36yes
幸運の矢(0:37)minecraft:tipped_arrow{Potion:luck}幸運の矢(0:37)yes
低速落下の矢(0:11)minecraft:tipped_arrow{Potion:slow_falling}低速落下の矢(0:11)arrow 41yes
低速落下の矢(0:30)minecraft:tipped_arrow{Potion:long_slow_falling}低速落下の矢(0:30)arrow 42yes
衰弱の矢(0:05)ウィザーⅡ衰弱の矢(0:05)ウィザーⅡarrow 37yes
minecraft:shieldshieldyes
不死のトーテムminecraft:totem_of_undying不死のトーテムtotemyes
トライデントminecraft:tridentトライデントtridentyes
クロスボウminecraft:crossbowクロスボウcrossbowyes
ガストの涙minecraft:ghast_tearガストの涙ghast_tearyes
クラフト不可能なポーションminecraft:potionクラフト不可能なポーションyes
水入り瓶minecraft:potion{Potion:water}水のビンpotionno
ありふれたポーションminecraft:potion{Potion:mundane}陳腐なポーションpotion 1no
長い陳腐なポーション長い陳腐なポーションpotion 2yes
濃厚なポーションminecraft:potion{Potion:thick}濃厚なポーションpotion 3yes
奇妙なポーションminecraft:potion{Potion:awkward}不完全なポーションpotion 4no
暗視のポーション(3:00)minecraft:potion{Potion:night_vision}暗視のポーション(3:00)potion 5yes
暗視のポーション(8:00)minecraft:potion{Potion:long_night_vision}暗視のポーション(8:00)potion 6yes
透明化のポーション(3:00)minecraft:potion{Potion:invisibility}透明化のポーション(3:00)potion 7yes
透明化のポーション(8:00)minecraft:potion{Potion:long_invisibility}透明化のポーション(8:00)potion 8yes
跳躍のポーション(3:00)跳躍力上昇minecraft:potion{Potion:leaping}跳躍のポーション(3:00)跳躍力上昇potion 9yes
跳躍のポーション(8:00)跳躍力上昇minecraft:potion{Potion:long_leaping}跳躍のポーション(8:00)跳躍力上昇potion 10yes
跳躍のポーション(1:30)跳躍力上昇Ⅱminecraft:potion{Potion:strong_leaping}跳躍のポーション(1:30)跳躍力上昇Ⅱpotion 11yes
耐火のポーション(3:00)minecraft:potion{Potion:fire_resistance}耐火のポーション(3:00)potion 12yes
耐火のポーション(8:00)minecraft:potion{Potion:long_fire_resistance}耐火のポーション(8:00)potion 13yes
俊敏のポーション(3:00)移動速度minecraft:potion{Potion:swiftness}俊敏のポーション(3:00)移動速度potion 14yes
俊敏のポーション(8:00)移動速度minecraft:potion{Potion:long_swiftness}俊敏のポーション(8:00)移動速度potion 15yes
俊敏のポーション(1:30)移動速度Ⅱminecraft:potion{Potion:strong_swiftness}俊敏のポーション(1:30)移動速度Ⅱpotion 16yes
鈍化のポーション(1:30)移動速度低下minecraft:potion{Potion:slowness}鈍化のポーション(1:30)移動速度低下potion 17yes
鈍化のポーション(4:00)移動速度低下minecraft:potion{Potion:long_slowness}鈍化のポーション(4:00)移動速度低下potion 18yes
鈍化のポーション(0:20)移動速度低下Ⅳminecraft:potion{Potion:strong_slowness}鈍化のポーション(0:20)移動速度低下Ⅳpotion 42yes
タートルマスターのポーション(0:20)移動速度低下Ⅳ、耐性Ⅲminecraft:potion{Potion:turtle_master}タートルマスターのポーション(0:20)移動速度低下Ⅳ、耐性Ⅲpotion 37yes
タートルマスターのポーション(0:40)移動速度低下Ⅳ、耐性Ⅲminecraft:potion{Potion:long_turtle_master}タートルマスターのポーション(0:40)移動速度低下Ⅳ、耐性Ⅲpotion 38yes
タートルマスターのポーション(0:20)移動速度低下Ⅵ、耐性Ⅳminecraft:potion{Potion:strong_turtle_master}タートルマスターのポーション(0:20)移動速度低下Ⅵ、耐性Ⅳpotion 39yes
水中呼吸のポーション(3:00)minecraft:potion{Potion:water_breathing}水中呼吸のポーション(3:00)potion 19yes
水中呼吸のポーション(8:00)minecraft:potion{Potion:long_water_breathing}水中呼吸のポーション(8:00)potion 20yes
治癒のポーション 即時回復minecraft:potion{Potion:healing}治癒のポーション 即時回復potion 21yes
治癒のポーション 即時回復Ⅱminecraft:potion{Potion:strong_healing}治癒のポーション 即時回復Ⅱpotion 22yes
負傷のポーション 即時ダメージminecraft:potion{Potion:harming}負傷のポーション 即時ダメージpotion 23yes
負傷のポーション 即時ダメージⅡminecraft:potion{Potion:strong_harming}負傷のポーション 即時ダメージⅡpotion 24yes
毒のポーション(0:45)毒minecraft:potion{Potion:poison}毒のポーション(0:45)毒potion 25yes
毒のポーション(1:30)毒minecraft:potion{Potion:long_poison}毒のポーション(1:30)毒potion 26yes
毒のポーション(0:21)毒Ⅱminecraft:potion{Potion:strong_poison}毒のポーション(0:21)毒Ⅱpotion 27yes
再生のポーション(0:45)再生能力minecraft:potion{Potion:regeneration}再生のポーション(0:45)再生能力potion 28yes
再生のポーション(1:30)再生能力minecraft:potion{Potion:long_regeneration}再生のポーション(1:30)再生能力potion 29yes
再生のポーション(0:22)再生能力Ⅱminecraft:potion{Potion:strong_regeneration}再生のポーション(0:22)再生能力Ⅱpotion 30yes
力のポーション(3:00)攻撃力上昇minecraft:potion{Potion:strength}力のポーション(3:00)攻撃力上昇potion 31yes
力のポーション(8:00)攻撃力上昇minecraft:potion{Potion:long_strength}力のポーション(8:00)攻撃力上昇potion 32yes
力のポーション(1:30)攻撃力上昇Ⅱminecraft:potion{Potion:strong_strength}力のポーション(1:30)攻撃力上昇Ⅱpotion 33yes
弱化のポーション(1:30)minecraft:potion{Potion:weakness}弱化のポーション(1:30)potion 34yes
弱化のポーション(4:00)minecraft:potion{Potion:long_weakness}弱化のポーション(4:00)potion 35yes
幸運のポーション(5:00)minecraft:potion{Potion:luck}幸運のポーション(5:00)yes
低速落下のポーション(1:30)minecraft:potion{Potion:slow_falling}低速落下のポーション(1:30)potion 40yes
低速落下のポーション(4:00)minecraft:potion{Potion:long_slow_falling}低速落下のポーション(4:00)potion 41yes
衰弱のポーション(0:40)minecraft:potion{CustomPotionEffects:[{Id:20,Amplifier:1,Duration:800}]}衰弱のポーション(0:40)potion 36yes
ガラス瓶minecraft:glass_bottleガラスビンglass_bottleno
発酵したクモの目minecraft:fermented_spider_eye発酵したクモの目fermented_spider_eyeyes
ブレイズパウダーminecraft:blaze_powderブレイズパウダーblaze_powderyes
マグマクリームminecraft:magma_creamマグマクリームmagma_creamyes
醸造minecraft:brewing_stand調合台brewing_standno
大釜minecraft:cauldron大釜cauldronyes
何かが入った大釜何かが入った大釜lava_cauldronyes
きらめくスイカの薄切りminecraft:glistering_melon_slice輝くスイカspeckled_melonno
金のニンジンminecraft:golden_carrot金のニンジンgolden_carrotyes
ウサギの足minecraft:rabbit_footウサギの足rabbit_footyes
ドラゴンブレスminecraft:dragon_breathドラゴンブレスdragon_breathyes
クラフト不可能なスプラッシュポーションminecraft:splash_potionクラフト不可能なスプラッシュポーションyes
水入りスプラッシュ瓶minecraft:splash_potion{Potion:water}スプラッシュ水のビンsplash_potionno
ありふれたスプラッシュポーションminecraft:splash_potion{Potion:mundane}スプラッシュ陳腐なポーションsplash_potion 1no
長い陳腐なスプラッシュポーション長い陳腐なスプラッシュポーションsplash_potion 2yes
濃厚なスプラッシュポーションminecraft:splash_potion{Potion:thick}濃厚なスプラッシュポーションsplash_potion 3yes
奇妙なスプラッシュポーションminecraft:splash_potion{Potion:awkward}スプラッシュ不完全なポーションsplash_potion 4no
暗視のスプラッシュポーション(3:00)minecraft:splash_potion{Potion:night_vision}暗視のスプラッシュポーション(3:00)splash_potion 5yes
暗視のスプラッシュポーション(8:00)minecraft:splash_potion{Potion:long_night_vision}暗視のスプラッシュポーション(8:00)splash_potion 6yes
透明化のスプラッシュポーション(3:00)minecraft:splash_potion{Potion:invisibility}透明化のスプラッシュポーション(3:00)splash_potion 7yes
透明化のスプラッシュポーション(8:00)minecraft:splash_potion{Potion:long_invisibility}透明化のスプラッシュポーション(8:00)splash_potion 8yes
跳躍のスプラッシュポーション(3:00)跳躍力上昇minecraft:splash_potion{Potion:leaping}跳躍のスプラッシュポーション(3:00)跳躍力上昇splash_potion 9yes
跳躍のスプラッシュポーション(8:00)跳躍力上昇minecraft:splash_potion{Potion:long_leaping}跳躍のスプラッシュポーション(8:00)跳躍力上昇splash_potion 10yes
跳躍のスプラッシュポーション(1:30)跳躍力上昇Ⅱminecraft:splash_potion{Potion:strong_leaping}跳躍のスプラッシュポーション(1:30)跳躍力上昇Ⅱsplash_potion 11yes
耐火のスプラッシュポーション(3:00)minecraft:splash_potion{Potion:fire_resistance}耐火のスプラッシュポーション(3:00)splash_potion 12yes
耐火のスプラッシュポーション(8:00)minecraft:splash_potion{Potion:long_fire_resistance}耐火のスプラッシュポーション(8:00)splash_potion 13yes
俊敏のスプラッシュポーション(3:00)移動速度minecraft:splash_potion{Potion:swiftness}俊敏のスプラッシュポーション(3:00)移動速度splash_potion 14yes
俊敏のスプラッシュポーション(8:00)移動速度minecraft:splash_potion{Potion:long_swiftness}俊敏のスプラッシュポーション(8:00)移動速度splash_potion 15yes
俊敏のスプラッシュポーション(1:30)移動速度Ⅱminecraft:splash_potion{Potion:strong_swiftness}俊敏のスプラッシュポーション(1:30)移動速度Ⅱsplash_potion 16yes
鈍化のスプラッシュポーション(1:30)移動速度低下minecraft:splash_potion{Potion:slowness}鈍化のスプラッシュポーション(1:30)移動速度低下splash_potion 17yes
鈍化のスプラッシュポーション(4:00)移動速度低下minecraft:splash_potion{Potion:long_slowness}鈍化のスプラッシュポーション(4:00)移動速度低下splash_potion 18yes
鈍化のスプラッシュポーション(0:20)移動速度低下Ⅳminecraft:splash_potion{Potion:strong_slowness}鈍化のスプラッシュポーション(0:20)移動速度低下Ⅳsplash_potion 42yes
タートルマスターのスプラッシュポーション(0:20)移動速度低下Ⅳ、耐性Ⅲminecraft:splash_potion{Potion:turtle_master}タートルマスターのスプラッシュポーション(0:20)移動速度低下Ⅳ、耐性Ⅲsplash_potion 37yes
タートルマスターのスプラッシュポーション(0:40)移動速度低下Ⅳ、耐性Ⅲminecraft:splash_potion{Potion:long_turtle_master}タートルマスターのスプラッシュポーション(0:40)移動速度低下Ⅳ、耐性Ⅲsplash_potion 38yes
タートルマスターのスプラッシュポーション(0:20)移動速度低下Ⅵ、耐性Ⅳminecraft:splash_potion{Potion:strong_turtle_master}タートルマスターのスプラッシュポーション(0:20)移動速度低下Ⅵ、耐性Ⅳsplash_potion 39yes
水中呼吸のスプラッシュポーション(3:00)minecraft:splash_potion{Potion:water_breathing}水中呼吸のスプラッシュポーション(3:00)splash_potion 19yes
水中呼吸のスプラッシュポーション(8:00)minecraft:splash_potion{Potion:long_water_breathing}水中呼吸のスプラッシュポーション(8:00)splash_potion 20yes
治癒のスプラッシュポーション 即時回復minecraft:splash_potion{Potion:healing}治癒のスプラッシュポーション 即時回復splash_potion 21yes
治癒のスプラッシュポーション 即時回復Ⅱminecraft:splash_potion{Potion:strong_healing}治癒のスプラッシュポーション 即時回復Ⅱsplash_potion 22yes
負傷のスプラッシュポーション 即時ダメージminecraft:splash_potion{Potion:harming}負傷のスプラッシュポーション 即時ダメージsplash_potion 23yes
負傷のスプラッシュポーション 即時ダメージⅡminecraft:splash_potion{Potion:strong_harming}負傷のスプラッシュポーション 即時ダメージⅡsplash_potion 24yes
毒のスプラッシュポーション(0:45)毒minecraft:splash_potion{Potion:poison}毒のスプラッシュポーション(0:45)毒splash_potion 25yes
毒のスプラッシュポーション(1:30)毒minecraft:splash_potion{Potion:long_poison}毒のスプラッシュポーション(1:30)毒splash_potion 26yes
毒のスプラッシュポーション(0:21)毒Ⅱminecraft:splash_potion{Potion:strong_poison}毒のスプラッシュポーション(0:21)毒Ⅱsplash_potion 27yes
再生のスプラッシュポーション(0:45)再生能力minecraft:splash_potion{Potion:regeneration}再生のスプラッシュポーション(0:45)再生能力splash_potion 28yes
再生のスプラッシュポーション(1:30)再生能力minecraft:splash_potion{Potion:long_regeneration}再生のスプラッシュポーション(1:30)再生能力splash_potion 29yes
再生のスプラッシュポーション(0:22)再生能力Ⅱminecraft:splash_potion{Potion:strong_regeneration}再生のスプラッシュポーション(0:22)再生能力Ⅱsplash_potion 30yes
力のスプラッシュポーション(3:00)攻撃力上昇minecraft:splash_potion{Potion:strength}力のスプラッシュポーション(3:00)攻撃力上昇splash_potion 31yes
力のスプラッシュポーション(8:00)攻撃力上昇minecraft:splash_potion{Potion:long_strength}力のスプラッシュポーション(8:00)攻撃力上昇splash_potion 32yes
力のスプラッシュポーション(1:30)攻撃力上昇Ⅱminecraft:splash_potion{Potion:strong_strength}力のスプラッシュポーション(1:30)攻撃力上昇Ⅱsplash_potion 33yes
弱化のスプラッシュポーション(1:30)minecraft:splash_potion{Potion:weakness}弱化のスプラッシュポーション(1:30)splash_potion 34yes
弱化のスプラッシュポーション(4:00)minecraft:splash_potion{Potion:long_weakness}弱化のスプラッシュポーション(4:00)splash_potion 35yes
幸運のスプラッシュポーション(5:00)minecraft:splash_potion{Potion:luck}幸運のスプラッシュポーション(5:00)yes
低速落下のスプラッシュポーション(1:30)minecraft:splash_potion{Potion:slow_falling}低速落下のスプラッシュポーション(1:30)splash_potion 40yes
低速落下のスプラッシュポーション(4:00)minecraft:splash_potion{Potion:long_slow_falling}低速落下のスプラッシュポーション(4:00)splash_potion 41yes
衰弱のスプラッシュポーション(0:30)minecraft:splash_potion{CustomPotionEffects:[{Id:20,Amplifier:1,Duration:600}]}衰弱のスプラッシュポーション(0:30)splash_potion 36yes
クラフト不可能な残留ポーションminecraft:lingering_potionクラフト不可能な残留ポーションyes
水入り残留瓶minecraft:lingering_potion{Potion:water}残留する水のビンlingering_potionno
ありふれた残留ポーションminecraft:lingering_potion{Potion:mundane}残留する陳腐なポーションlingering_potion 1no
長い陳腐な残留ポーション長い陳腐な残留ポーションlingering_potion 2yes
濃厚な残留ポーションminecraft:lingering_potion{Potion:thick}濃厚な残留ポーションlingering_potion 3yes
奇妙な残留ポーションminecraft:lingering_potion{Potion:awkward}残留する不完全なポーションlingering_potion 4no
暗視の残留ポーション(0:45)minecraft:lingering_potion{Potion:night_vision}暗視の残留ポーション(0:45)lingering_potion 5yes
暗視の残留ポーション(2:00)minecraft:lingering_potion{Potion:long_night_vision}暗視の残留ポーション(2:00)lingering_potion 6yes
透明化の残留ポーション(0:45)minecraft:lingering_potion{Potion:invisibility}透明化の残留ポーション(0:45)lingering_potion 7yes
透明化の残留ポーション(2:00)minecraft:lingering_potion{Potion:long_invisibility}透明化の残留ポーション(2:00)lingering_potion 8yes
跳躍の残留ポーション(0:45)跳躍力上昇minecraft:lingering_potion{Potion:leaping}跳躍の残留ポーション(0:45)跳躍力上昇lingering_potion 9yes
跳躍の残留ポーション(2:00)跳躍力上昇minecraft:lingering_potion{Potion:long_leaping}跳躍の残留ポーション(2:00)跳躍力上昇lingering_potion 10yes
跳躍の残留ポーション(0:22)跳躍力上昇Ⅱminecraft:lingering_potion{Potion:strong_leaping}跳躍の残留ポーション(0:22)跳躍力上昇Ⅱlingering_potion 11yes
耐火の残留ポーション(0:45)minecraft:lingering_potion{Potion:fire_resistance}耐火の残留ポーション(0:45)lingering_potion 12yes
耐火の残留ポーション(2:00)minecraft:lingering_potion{Potion:long_fire_resistance}耐火の残留ポーション(2:00)lingering_potion 13yes
俊敏の残留ポーション(0:45)移動速度minecraft:lingering_potion{Potion:swiftness}俊敏の残留ポーション(0:45)移動速度lingering_potion 14yes
俊敏の残留ポーション(2:00)移動速度minecraft:lingering_potion{Potion:long_swiftness}俊敏の残留ポーション(2:00)移動速度lingering_potion 15yes
俊敏の残留ポーション(0:22)移動速度Ⅱminecraft:lingering_potion{Potion:strong_swiftness}俊敏の残留ポーション(0:22)移動速度Ⅱlingering_potion 16yes
鈍化の残留ポーション(0:22)移動速度低下minecraft:lingering_potion{Potion:slowness}鈍化の残留ポーション(0:22)移動速度低下lingering_potion 17yes
鈍化の残留ポーション(1:00)移動速度低下minecraft:lingering_potion{Potion:long_slowness}鈍化の残留ポーション(1:00)移動速度低下lingering_potion 18yes
鈍化の残留ポーション(0:05)移動速度低下Ⅳminecraft:lingering_potion{Potion:strong_slowness}鈍化の残留ポーション(0:05)移動速度低下Ⅳlingering_potion 42yes
タートルマスターの残留ポーション(0:05)移動速度低下Ⅳ、耐性Ⅲminecraft:lingering_potion{Potion:turtle_master}タートルマスターの残留ポーション(0:05)移動速度低下Ⅳ、耐性Ⅲlingering_potion 37yes
タートルマスターの残留ポーション(0:10)移動速度低下Ⅳ、耐性Ⅲminecraft:lingering_potion{Potion:long_turtle_master}タートルマスターの残留ポーション(0:10)移動速度低下Ⅳ、耐性Ⅲlingering_potion 38yes
タートルマスターの残留ポーション(0:05)移動速度低下Ⅵ、耐性Ⅳminecraft:lingering_potion{Potion:strong_turtle_master}タートルマスターの残留ポーション(0:05)移動速度低下Ⅵ、耐性Ⅳlingering_potion 39yes
水中呼吸の残留ポーション(0:45)minecraft:lingering_potion{Potion:water_breathing}水中呼吸の残留ポーション(0:45)lingering_potion 19yes
水中呼吸の残留ポーション(2:00)minecraft:lingering_potion{Potion:long_water_breathing}水中呼吸の残留ポーション(2:00)lingering_potion 20yes
治癒の残留ポーション 即時回復minecraft:lingering_potion{Potion:healing}治癒の残留ポーション 即時回復lingering_potion 21yes
治癒の残留ポーション 即時回復Ⅱminecraft:lingering_potion{Potion:strong_healing}治癒の残留ポーション 即時回復Ⅱlingering_potion 22yes
負傷の残留ポーション 即時ダメージminecraft:lingering_potion{Potion:harming}負傷の残留ポーション 即時ダメージlingering_potion 23yes
負傷の残留ポーション 即時ダメージⅡminecraft:lingering_potion{Potion:strong_harming}負傷の残留ポーション 即時ダメージⅡlingering_potion 24yes
毒の残留ポーション(0:11)毒minecraft:lingering_potion{Potion:poison}毒の残留ポーション(0:11)毒lingering_potion 25yes
毒の残留ポーション(0:22)毒minecraft:lingering_potion{Potion:long_poison}毒の残留ポーション(0:22)毒lingering_potion 26yes
毒の残留ポーション(0:05)毒Ⅱminecraft:lingering_potion{Potion:strong_poison}毒の残留ポーション(0:05)毒Ⅱlingering_potion 27yes
再生の残留ポーション(0:11)再生能力minecraft:lingering_potion{Potion:regeneration}再生の残留ポーション(0:11)再生能力lingering_potion 28yes
再生の残留ポーション(0:22)再生能力minecraft:lingering_potion{Potion:long_regeneration}再生の残留ポーション(0:22)再生能力lingering_potion 29yes
再生の残留ポーション(0:05)再生能力Ⅱminecraft:lingering_potion{Potion:strong_regeneration}再生の残留ポーション(0:05)再生能力Ⅱlingering_potion 30yes
力の残留ポーション(0:45)攻撃力上昇minecraft:lingering_potion{Potion:strength}力の残留ポーション(0:45)攻撃力上昇lingering_potion 31yes
力の残留ポーション(2:00)攻撃力上昇minecraft:lingering_potion{Potion:long_strength}力の残留ポーション(2:00)攻撃力上昇lingering_potion 32yes
力の残留ポーション(0:22)攻撃力上昇Ⅱminecraft:lingering_potion{Potion:strong_strength}力の残留ポーション(0:22)攻撃力上昇Ⅱlingering_potion 33yes
弱化の残留ポーション(0:22)minecraft:lingering_potion{Potion:weakness}弱化の残留ポーション(0:22)lingering_potion 34yes
弱化の残留ポーション(1:00)minecraft:lingering_potion{Potion:long_weakness}弱化の残留ポーション(1:00)lingering_potion 35yes
幸運の残留ポーション(1:15)minecraft:lingering_potion{Potion:luck}幸運の残留ポーション(1:15)yes
低速落下の残留ポーション(0:22)minecraft:lingering_potion{Potion:slow_falling}低速落下の残留ポーション(0:22)lingering_potion 40yes
低速落下の残留ポーション(1:00)minecraft:lingering_potion{Potion:long_slow_falling}低速落下の残留ポーション(1:00)lingering_potion 41yes
衰弱の残留ポーション(0:10)minecraft:lingering_potion{CustomPotionEffects:[{Id:20,Amplifier:1,Duration:800}]}衰弱の残留ポーション(0:10)lingering_potion 36yes
ファントムの皮膜minecraft:phantom_membraneファントムの皮膜phantom_membraneyes

Tales of Arise テイルズオブアライズ (TOARISE) 全釣りポイント毎に釣れる魚、釣り竿、ルアーと釣りやすい魚一覧



釣りポイント毎に釣れる魚一覧

釣りポイント 釣れる魚
カラグリア/枯寂の海岸洞 ケイブシーバス コハクアジ サンゴヒラメ カラスパタイ ゼルダサーモン
シスロディア/ネヴィーラ雪原 ポンドティラピア ベルセルクラニ サンショクナマズ フローズンバス ネヴィーラピラニ ヨロイチョウザメ
シスロディア/氷結峡谷 ホークスビルトラウト パーリーパイク フローズンバス アズールティラピア シスロディアサーモン
メナンシア/タルカ池 ダナバス ポンドティラピア ホークスビルトラウト メナンシアナマズ タルカトラウト
メナンシア/風望の丘 ポンドティラピア ポンドティラピア ベルセルクラニ ホークスビルトラウト メナンシアバス トラスリーダアロワナ
ミハグサール/アダン湖 ダナバス ベルセルクラニ サンショクナマズ アズールティラピア マッディピラルク アウレウムアロワナ
ミハグサール/アダン遺跡 ホークスビルトラウト ケイブシーバス エメラルドサーモン レッサーピラルク アクフォトルアロワナ
ガナスハロス/ラフトゥ湿原 ダナバス サンショクナマズ ラフトゥティラピア ラフトゥアロワナ レッサーピラルク コバルトブルートラウト
ガナスハロス/瀑陽の森 ダナバス ガナスハロスピラニ サンショクナマズ ガナスハロスナマズ グリーンパイク
ミハグサール/輸送船 ヴェスパーシーバス サードニクスグルーパー ガーネットタイ アオセマグロ ミハグサールカマス ハクギンカジキ
無人 ヴェスパーシーバス ツユクサアジ ミハグサールヒラメ ゼスティグルーパー グラトナスカマス
伝説の釣り場 ガナスハロスピラニ パーリーパイク アズールティラピア ガナスハロスナマズ フォグウォルパイク シグナイピラルク



釣り竿一覧

ミキゥダの釣り竿 デフォルトで持っている
ノービスタックル 釣りおじさんの10種類報酬
フィッシュスナイパー 釣りおじさんの20種類報酬
マリントルーパー 修練場キサラ個人戦最上級クリア報酬
三代目テネブラエ 釣りおじさんの44種類報酬




ルアー一覧と釣りやすい魚一覧

ルアー 入手方法 釣れる魚
ビギナーズポッパー デフォルトで持っている ダナバス
マリンフロート 釣りおじさんの25種類報酬 ケイブシーバス ヴェスパーシーバス カラスバタイ
フィッシングティ 釣りおじさんの35種類報酬 アウレウムアロワナ
ラウドネスポッパー 釣りおじさんの15種類報酬 メナンシアナマズ ガナスハロスナマズ ゼスティグルーパー
ロングスティック ラフトゥ湿原の宝箱 ガナスハロスピラニ トラスリーダアロワナ アクフォトルアロワナ
ホッピングビエンフー フォランド山脈の宝箱 コガネナマズ
サブサーフィスミラージュ アダン遺跡の宝箱 ポンドティラピア ゼルダサーモン サードニクスグルーパー
エレガントスイマー 釣りおじさんの報酬 サンゴヒラメ グラトナスカマス
リアルシャイニング シスロデンの宿屋で購入できる アズールティラピア ネヴィーラピラニ ガーネットタイ
セレスティアルホエール 修練場キサラ個人戦初級クリア報酬 タルカトラウト ラフトゥティラピア アオセマグロ
ブウサギ・ザ・ミノー サブクエ「阿吽呼吸」報酬 コバルトブルートラウト
クレイジーバイブ ヴィスキント宿屋で購入できる ホークスビルトラウト メナンシアバス エメラルドサーモン
ラクソニック ニズの店屋で購入できる レッサーピラルク マッディピラルク ミハグサールヒラメ
マフマフバイブレーション フォグウォル鍾乳洞の宝箱(伝説の釣り場そば) シグナイピラルク
ファットマッド 釣りおじさんの報酬 サンショクナマズ フォグウォルパイク
ロックファンタジスタ ペレギオンの宿屋で購入できる フローズンバス グリーンパイク ラフトゥアロワナ
シンキングブタザル 修練場キサラ個人戦上級クリア報酬 ヨロイチョウザメ
フラップトラップ アダン湖の宝箱 ベルセルクラニ コハクアジ ツユクサアジ
ウルトラスピン 釣りおじさんの30種類報酬 ミハグサールカマス パーリーパイク シスロディアサーモン
シルバーファングラピード 釣りおじさんの40種類報酬 ハクギンカジキ



ルアーの場所

わかりづらいと思った箇所&画像を取っておいた箇所のみ記載します。

ロングスティック

左の区画から飛び降りて、赤丸の部分へ行きます。
f:id:taiyakisun:20210917173631p:plain

Tales of Arise テイルズオブアライズ (TOARISE) 全ダナフクロウ(38匹)の場所一覧 (マップ画像付き)

全ダナフクロウ(38匹)の場所を画像付きでご紹介致します。

パっと見たい場合の一覧表 (画像一覧は記事↓)

ダナフクロウの場所 もらえるもの 備考
カラグリア/サンディネス渓谷 しぬしっぽ 道なり。ほぼイベント
カラグリア/イグーリア荒地  ねこみみ 最南のツタを上ったところ
カラグリア/ウルベズク うさみみ 隠れ家の屋根の上
カラグリア/モスガル 片眼鏡 マップ南西の二か所飛び出たところの上側
カラグリア/ギルド駐屯地 ねこしっぽ マップ南東の細い道の先
カラグリア/グラニード城 3階 うさしっぽ マップ南西
カラグリア/劫炎の塹壕 城門前 いぬみみ 城門前
カラグリア/劫炎の塹壕 炎の門 包帯・左 ファストトラベルしたところからまっすぐ北あたり
カラグリア/ラゼルダ断崖 ふち眼鏡 北東。野営地すぐ傍
シスロディア/白銀高原 眼帯・左 メザイ224村に入る直前。目線を上へ。
シスロディア/メザイ224 おおかみみ 村の北西。牛の近くのカゴのなか
シスロディア/ネヴィーラ雪原 おおかみしっぽ マップ中心。湖中心の小島。
シスロディア/シスロデン 裏通り サングラス 裏通りの南西の湖の近く
シスロディア/リベールの獄塔 2階 悪魔の角 南東の宝箱がある部屋
シスロディア/氷結峡谷 ハーフフレーム眼鏡 北東の橋の前
メナンシア/風望の丘 南国コサージュ マップ最南
メナンシア/トラスリーダ街道 悪魔の羽 マップ真ん中の橋を渡って左手の小麦畑の中
メナンシア/ティータル平原 笑い眼鏡 マップ南東
メナンシア/ヴィスキント 天使の輪 町の真ん中(ファストトラベルマークの近く)の商店の中
メナンシア/アウテリーナ宮殿 1階の北西にある調理場の中。目線を上へ。
メナンシア/タルカ池 悪魔の尻尾 マップ北西の壁の上
ミハグサール/ニズ ローズコサージュ マップ東の角のところ
ミハグサール/アクフォトル丘陵 レトロサングラス 南東にある別マップ切り替え点から左上に進んだところにある崩れた建物の上
ミハグサール/アダン遺跡 天使の羽 マップの中心(上から二番目のハシゴからまっすぐ左の宝箱のすぐ傍)
ミハグサール/アダン湖 怒り眼鏡 マップの北西あたりにある塀の上。回り込んで話す必要がある。
ミハグサール/移動要塞クレーディア 蝶の羽 第二層の最北西から2番目の部屋
ガナスハロス/トゥーア海岸 眼帯・右 マップ北西
ガナスハロス/ティスビム 星の髪飾り マップ西の村入り口付近
ガナスハロス/瀑陽の森 包帯・右 ティスビムと西の目的のちょうど中間くらいにある門の上
ガナスハロス/ラフトゥ湿原 ぐるぐる眼鏡 マップ南のハシゴのところ
ガナスハロス/デル=ウァリス城 フルル人形 中央玄関広場4階(ボス部屋前に回復ポイントがあるところ)
ガナスハロス/ペレギオン 泣き眼鏡 第二層の南西。ペレギオン解放後?
カラグリア/グラニード城 4階 神の子の盾 玉座
カラグリア/イグーリア荒野 鮮やかな魂 マップ南。テュオハリムでツタを成長させた先。
シスロディア/リベールの獄塔 隠し部屋 壊れた機関銃
メナンシア/アウテリーナ宮殿 古びた掘削機 2階の近衛の間
ガナスハロス/デル=ウァリス城 三又の槍 領将の間
無人 掘削者の鉄帽子 無人島へはサブクエ「死者の声」を受注することで行けるようになる

各場所のマップ画像

カラグリア/サンディネス渓谷

f:id:taiyakisun:20210917171444p:plain

カラグリア/イグーリア荒地

f:id:taiyakisun:20210917171531p:plain

カラグリア/ウルベズク

f:id:taiyakisun:20210917171557p:plain

カラグリア/モスガル

f:id:taiyakisun:20210917171646p:plain

カラグリア/ギルド駐屯地

f:id:taiyakisun:20210917171705p:plain

カラグリア/グラニード城 3階

f:id:taiyakisun:20210917171729p:plain

カラグリア/劫炎の塹壕 城門前

f:id:taiyakisun:20210917171753p:plain

カラグリア/劫炎の塹壕 炎の門

f:id:taiyakisun:20210917171812p:plain

カラグリア/ラゼルダ断崖

f:id:taiyakisun:20210917171831p:plain

カラグリア/グラニード城 4階

f:id:taiyakisun:20210922051952p:plain

カラグリア/イグーリア荒野

f:id:taiyakisun:20210922052035p:plain

シスロディア/白銀高原

f:id:taiyakisun:20210917171854p:plain

シスロディア/メザイ224

f:id:taiyakisun:20210917171913p:plain

シスロディア/ネヴィーラ雪原

f:id:taiyakisun:20210917171933p:plain

シスロディア/シスロデン 裏通り

f:id:taiyakisun:20210917171952p:plain

シスロディア/リベールの獄塔 2階

f:id:taiyakisun:20210917172009p:plain

シスロディア/氷結峡谷

f:id:taiyakisun:20210917172028p:plain

シスロディア/リベールの獄塔 隠し部屋

f:id:taiyakisun:20210922052108p:plain

メナンシア/風望の丘

f:id:taiyakisun:20210917172104p:plain

メナンシア/トラスリーダ街道

f:id:taiyakisun:20210917172121p:plain

メナンシア/ティータル平原

f:id:taiyakisun:20210917172139p:plain

メナンシア/ヴィスキント

f:id:taiyakisun:20210917172158p:plain

メナンシア/アウテリーナ宮殿

f:id:taiyakisun:20210917172216p:plain

メナンシア/タルカ池

f:id:taiyakisun:20210917172234p:plain

ミハグサール/ニズ

f:id:taiyakisun:20210917172257p:plain

ミハグサール/アクフォトル丘陵

f:id:taiyakisun:20210917172314p:plain

ミハグサール/アダン遺跡

f:id:taiyakisun:20210917172332p:plain

ミハグサール/アダン湖

f:id:taiyakisun:20210917172348p:plain

メナンシア/アウテリーナ宮殿(2階の近衛の間)

f:id:taiyakisun:20210922052152p:plain

ミハグサール/移動要塞クレーディア

画像なし。第二層の最北西から2番目の部屋となります。

ガナスハロス/トゥーア海岸

f:id:taiyakisun:20210917172433p:plain

ガナスハロス/ティスビム

f:id:taiyakisun:20210917172450p:plain

ガナスハロス/瀑陽の森

f:id:taiyakisun:20210917172507p:plain

ガナスハロス/ラフトゥ湿原

f:id:taiyakisun:20210917172523p:plain

ガナスハロス/デル=ウァリス城

f:id:taiyakisun:20210917172540p:plain

ガナスハロス/ペレギオン

f:id:taiyakisun:20210917172556p:plain

ガナスハロス/デル=ウァリス城(領将の間)

画像なし。領将の間の玉座にいるため、行けばわかります。

無人

無人島へはサブクエ「死者の声」を受注することで行けるようになります。
f:id:taiyakisun:20210922052351p:plain

Tales of Arise テイルズオブアライズ (TOARISE) 攻略情報まとめ(サブクエスト/ダナフクロウ/名前付きはぐれズーグル/鍵のかかった扉/料理レシピ/採取/実績/釣り)

個人的な備忘録です。
自分が攻略したところまでで、まとめた情報を載せます。
いろいろ間違ってたらゴメンネ。



サブクエス

地名 エスト名 クリア方法 備考
カラグリア/ウルベズク 資材調達 サンディネス渓谷へいって<紅の鴉>と合流する
カラグリア/ウルベズク 巨大ズーグルの討伐 サンディネス渓谷の巨大ズーグルを倒す 序盤じゃ無理っぽい
カラグリア/ウルベズク 空きっ腹の命綱 小麦とジャガイモを3つずつ渡す
カラグリア/ウルベズク 武器の新調 宿場で武器を作成する
カラグリア/ウルベズク 新たな武器を求めて ゴーレムを倒して岩殻片を3つ渡す ビエゾ撃破後
カラグリア/ウルベズク シオンの衣装審査 ストーリーを進めてから戻ってきて話しかけると完了。自分はダナの解放者取得後に完了した。 ビエゾ撃破後
カラグリア/モスガル ドクの隠し味 ペッパーを渡す
メザイ224 氷の下の火 白銀高原のアイスウルフを7体倒す
メザイ224 火酒 ウルヴァン岩窟のローパーを倒して、大地の種根を4つ渡す
メザイ224 雪解け遠く 白金平原でとれるレタスとリンゴを3つずつ渡す メザイ224到着後?
カラグリア/ウルベズク 住まいを求めて イグーリア荒地へ行き、☆マークの場所へ行く 闇夜の戦闘着が報酬
シスロディア/ネヴィーラ雪原 フクロウの杜 ストーリー。近くの木にいるフクロウを調べる。
シスロデン ズーグル寄せ シスロデン入り口付近にいるモンスターを倒す
シスロディア/ブレゴンの隠れ家 雪原の露払い ネヴィーラ雪原でモンスターを倒す
シスロディア/ブレゴンの隠れ家 あまねく声を 裏通り、噴水広場前通り、中央広場前通りにいる☆マークの人と話す。その後、リベールの獄塔の地下牢獄にいる檻に入れられたズーグルを倒す。
シスロディア/ブレゴンの隠れ家 交易路 ウルヴァン洞窟にいるガザフローラを倒す
シスロディア/氷結峡谷 美食浪漫譚~赤の果実を詰めて~ りんごと小麦を渡す
メナンシア/風望の丘 癒し手と森の怪我人 ☆マークの怪我人をいやす
メナンシア/トラスリーダ街道 心機一転のひと暴れ ストーリー。現れたモンスターを倒す。
メナンシア/トラスリーダ街道 ボクとボグテルと牧場 倒れている農夫と話し、依頼を引き受ける。以降牧場が使えるようになる。
メナンシア/ヴィスキント 万民の修練場 修練場に入るだけでクリア
メナンシア/ヴィスキント 毒見の牙 巨猪の岩牙を4つ渡す
メナンシア/ヴィスキント 賞金首退治 トラスリーダ街道で、クエスト☆のところにいる雑魚敵と戦うと割り込んでくるグランドドラゴンを倒す
メナンシア/ヴィスキント 美食浪漫譚~牛肉の宮殿仕立て~ 牛肉2つ、ジャガイモ4つ、トマト4つ、きのこ2つを渡す
メナンシア/トラスリーダ街道 錆びる あたりにいるマスプラントを8体倒す
メナンシア/タルカ池 釣りのいざない ストーリー進行で釣りをする
ミハグサール/ニズ 街興し ライオットクロウを倒して手に入る亜獣種の剛筋を3つ渡す
ミハグサール/ニズ 不思議な二人
ミハグサール/ニズ キサラの手ほどき ライス、ジャガイモ、牛肉、ペッパーをクエスト受注者に渡す。
ミハグサール/ニズ 美食浪漫譚~青き草原の香り~ りんご、レタス、レモンを渡す
ガナスハロス/ティスビム 乱獲許すまじ トータスハンズを4体倒す
ガナスハロス/ペレギオン 自然を統べる者 ペレギオン解放後。ラフトゥ湿原にいるエレメンタラー(Lv42)を倒す
ガナスハロス/ペレギオン 美食浪漫譚~白のふわふわを添えて~ ペレギオン解放後。ライス6個、ペッパー4つ、ブウサギの肉2つ(牧場)、豆腐2つ(ペレギオンの雑貨屋)を渡す。
ガナスハロス/ペレギオン ペレギオンの看板ズーグル ペレギオン解放後。アウローム大瀑布 上層 内部などにいるワイルドヴーミィを5体討伐する。
ガナスハロス/ペレギオン 呼び水 ペレギオン解放後。ラフトゥ湿原にいるキリングスタチューが落とす彫像の帯魔片を3つ渡す
シスロデン 阿吽呼吸 氷結峡谷にいるアゴニィキーパー(Lv39)を倒す
メナンシア/トラスリーダ街道 元領将、大物を狩る トラスリーダ街道の☆のところにいるデスパンチャー(Lv25)を倒す
メナンシア/トラスリーダ街道 地霊の聖堂 ティータル平原にある地の聖堂を攻略する
メナンシア/ファーリア牧場 草原の色男 ヴィスキントの☆マークのところへ作業着を受け取り、届ける。その後、トラスリーダ街道の☆へ行きウシのアブくんを探す。 報酬は「ほのぼの野良着」「ほのぼの麦わら帽子」「さわやか麦わら帽子」
メナンシア/ヴィスキント 巨獣を止めろ トラスリーダ街道にいるレイジングダッシャー(Lv26)を倒す
メナンシア/ヴィスキント 動く大岩 ラズゥム採石場にいるギガンレッカー(Lv28)を倒す
メナンシア/ヴィスキント/修練場 永遠の好敵手 ラギルとキサラの一騎打ちで勝つ 報酬「エレメンタルガード」
メナンシア/アウテリーナ宮殿/図書の間 ネヴィーラの幻の花 ネヴィーラ雪原の湖畔で幻の花をみつける
メナンシア/アウテリーナ宮殿/図書の間 書物に魅入られし君 「星ノ秘術」「花鳥風月」「車水馬竜」「光輝燦然」「天仰真眼」を見せる 報酬「エルダークローク」「パンケーキのレシピ」
ミハグサール/ニズ 残響 エストルヴァの森 城塞後 地下2階にいる ルースレス(Lv42)を倒す
ミハグサール/隠れ港 波止場 天翔けるうじゃうじゃ マザーヴーミィ(Lv42)を倒す
ガナスハロス/ティスビム 彼の面影 ペレギオンの第三層にいるグナイに話を聞き、その後メナンシアのタルカ池にいるレア装甲兵と話し、依頼主の元へ戻る
ガナスハロス/ティスビム 海辺の竜巻 トゥーラ海岸にいる巨大ズーグル、ストーミィ(Lv42)を倒す
ガナスハロス/ティスビム 流せぬ怒り 瀑陽の森にあるフォグウォル鍾乳洞でウンディーネドロップ(Lv56)およびルオ・ウンディーネ(Lv60)を退治する
ガナスハロス/瀑陽の森 私の居場所 ビードミナント(Lv45)を倒す
ガナスハロス/ペレギオン ティルザの心理診断 ティルザと話すだけ
レネギス 第16居住区 レナ人と領将 ☆マークの人と話すだけ
カラグリア/劫炎の塹壕 東側 岩戸の中へ イフリート・マルムを倒したときに取得した鍵で開かなかった扉を開ける
ガナスハロス/トゥーア海岸 死者の声 レナ到達後にトゥーア海岸に行くことで受注できる
カラグリア/モスガル 世界をつなぐ輪 ラニード城 3階のグルデノに小麦と卵を渡す
カラグリア/ウルベズク 恩讐 イグーリア荒地の南西にある封鎖地区のサンダナイト(Lv53)を倒す
メナンシア/ヴィスキント 世界に一つだけのパンケーキ ファーリア牧場のボグデルと話す
ミハグサール/ニズ フクロウのお宿 ニズの☆のフクロウと話したあと、フクロウの杜へ行く
ミハグサール/ニズ さよなら、魔法使い
ガナスハロス/ペレギオン 二人の未来 ペレギオンの第三層にあるサクスリオ聖堂へいき、結婚式に参列する
ダエク=ファエゾル 探求と遊戯
ダエク=ファエゾル 追憶機械
メナンシア/ヴィスキント 丘の異変再び ティータル平原にある地の聖堂に行ってレア人と話すだけ
地霊の聖堂 心臓部 異界訪問者 6つの鍵で回れる世界をすべて巡り、依頼人に報告する




名前付き(ネームド)はぐれズーグルの場所

場所 名前 備考
サンディネス渓谷 マンティス(Lv43) サブクエ「巨大ズーグルの討伐」
ラニード城 4階 フルトランプル(Lv13)
ウルヴァン洞窟 ガザフローラ(Lv15)
リベールの獄塔 サブクエ「あまねく声を」で鍵を入手できる ツインヘッド(Lv21)
メナンシア/トラスリーダ街道 グランドドラゴン
ガナスハロス/ラフトゥ湿原 サブクエ「自然を統べる者」の討伐対象 エレメンタラー(Lv42)
メナンシア/トラスリーダ街道 デスパンチャー(Lv25) サブクエ「元領将、大物を狩る」の討伐対象
ラズゥム採石場 ギガンレッカー(Lv28) サブクエ「動く大岩」の討伐対象
トラスリーダ街道 レイジングダッシャー(Lv26) サブクエ「巨獣を止めろ」の討伐対象
エストルヴァの森 城塞後 地下2階 ルースレス(Lv42) サブクエ「残響」
アクフォルト丘陵 マザーヴーミィ(Lv42) サブクエ「天翔けるうじゃうじゃ」
氷結峡谷 アゴニィキーパー(Lv39) サブクエ「阿吽呼吸」
トゥーア海岸 ストーミィ(Lv42) サブクエ「海辺の竜巻」
ガナスハロス/瀑陽の森 ビードミナント(Lv45) サブクエ「私の居場所」
イグーリア荒地 サンダナイト(Lv53) サブクエ「恩讐」
フォグウォル鍾乳洞 ウンディーネドロップ(Lv56) サブクエ「流せぬ怒り」
フォグウォル鍾乳洞 ルオ・ウンディーネ(Lv60) サブクエ「流せぬ怒り」



鍵のかかった扉

場所 備考
カラグリア - 劫炎の塹壕 東側 ラニード城の裏口へ向かう途中にある。イフリート・マルムを倒したときに取得した鍵で開く
シスロディア - リベールの獄塔 執務室 地下牢獄にいるツインヘッドを倒すと鍵が手に入る
メナンシア - アウテリーナ宮殿 宝物庫



料理レシピ

レシピ名 場所 備考
おかゆ 最初から持っている  
マーボーカレーまん 最初から持っている  
漁師なべ 最初から持っている  
オリエンタルライス 最初から持っている  
フルーツサンド 最初から持っている  
蒸かし芋のレシピ サブクエ「空きっ腹の命綱」報酬  
焼ききのこのレシピ ギルド駐屯地 マップやや南の兵士が入り口をふさいでいるところの洞穴の中の宝箱
川魚の姿焼きのレシピ モズガル(最初の町) 最北東にある宝箱
野菜スープのレシピ ストーリー(白銀高原のキャンプ)
野菜ジュースのレシピ ストーリー
ロイケヒットのレシピ サブクエ「火酒」報酬
アップルパイ サブクエ「美食浪漫譚~赤の果実を詰めて~」報酬
ビーフシチュー サブクエ「美食浪漫譚~牛肉の宮殿仕立て~」報酬 牛肉は牧場で牛を育てて入手すればよい
チーズフォンデュ ストーリー進行。ヴィスキント解放時に入手。
ニョッキ ストーリー進行。ミハグサール出発時に入手。
葉包み焼き ストーリー進行。ミハグサール出発時に入手。
チーズフォンデュ ストーリー進行。ヴィスキント解放時に入手。
ニョッキ ストーリー進行。ミハグサール出発時に入手。
葉包み焼き ストーリー進行。ミハグサール出発時に入手。
カレーライス サブクエ「キサラの手ほどき」で入手
あおじる サブクエ「美食浪漫譚~青き草原の香り~」で入手。
アイスクリーム アダン遺跡。マップ最北東のはしごを降りたところにある宝箱
刺身 ラフトゥ湿原の南西あたりにいる人をシオンで治癒する
大魚のステーキ サブクエ「ペレギオンの看板ズーグル」の報酬
ハンバーガ フォランド山脈マップ北西の宝箱
串焼肉 サブクエ「ドクの隠し味」報酬
マーボーカレー サブクエ「美食浪漫譚~白のふわふわを添えて~」報酬
ブウサギ焼き サブクエ「彼の面影」報酬
ゴージャスパフェ レネギス 第16居住区の中心にいる住民を治癒する
ウィンナー サブクエ「岩戸の中へ」の報酬
パンケーキ サブクエ「書物に魅入られし君」の報酬
ムニエル 無人島の宝箱(巨大ズーグルを倒したところから右手に飛び降りた宝箱)
すし サブクエ「流せぬ怒り」の報酬




採取アイテム

場所 以降アイテム
サンディネス渓谷 小麦 痺緩石 フナ 鉄の欠片 きのこ
イグーリア荒地 解毒石 ジャガイモ 小麦 ラベンダー(最北)(レア?) フナ 鉄の欠片 きのこ
ファガン遺跡 解毒石 鉄のかけら カモミール(レア?)
ギルド駐屯地 フナ きのこ 鉄の欠片 痺緩石 ペッパー 鉄の識別票 解毒石 ベルベーヌ(南東)(レア?)
枯寂の海岸洞 ペッパー ローズマリー(レア?) きのこ
ラニード城 鉄の欠片 柘榴原石 ジャスミン(3階)(レア?) 痺緩石 霊動力の粒(4階)
ゼルダ断崖 サフラン(最南)(レア?) ジャガイモ 痺緩石 鉄の欠片 柘榴原石
ウルヴァン洞窟 きのこ 堅耐石 金緑原石 サーモン カモミール オニキスメイル
シスロディア - 白銀高原 痺緩石 鉄の欠片 レタス 尖鋭石 トマト 解毒石 小麦 ローズマリー(レア?) 鉄の欠片 リンゴ ジャガイモ
ルディールの森 トマト サーモン 痺緩石 金緑原石 鉄の欠片 堅耐石 解毒石 レタス
シスロディア/ネヴィーラ雪原 レタス 鉄の欠片 サーモン セージ 堅耐石 解毒石
シスロディア/地下水道 鉄の欠片 痺緩石 堅耐石
リベールの獄塔 セージ リンゴ 鶏肉 ミディブラウス
氷結峡谷 ジャガイモ 甲殻の魔導服 解毒石 尖鋭鉱
サーファル海洞 風迅結晶 銅の欠片 きのこ ヒラメ 霊動力の欠片 湧力鉱 蛋白原石 ラベンダー 黒玉原石
メナンシア/風望の丘 トマト サーモン 湧力鉱 蛋白原石 ベルベーヌ
メナンシア/トラスリーダ街道 湧力鉱 蛋白原石 小麦 トマト リンゴ レモン 黒玉原石 銅の欠片 サーモン ミルク
メナンシア/ティータル平原 トマト ベルベーヌ(レア) 銅の欠片 湧力鉱
ラズゥム採石場 蛋白原石 風迅結晶
ジラーヌ樹海 銅の欠片 蛋白原石 湧力鉱 オパール ラベンダー(レア)
アウテリーナ宮殿 サフラン(レア)
タルカ池 ジャガイモ レッドジャスミン(レア)
ディアラ山 絶霊結晶 銅の欠片 ライス ペッパー 蛋白原石 練魔鉱 霊動力の欠片 きのこ 壁鱗結晶 石翼の魔導服(宝)
ディアラ山 嶺 銅の欠片
アクフォトル丘陵 ペッパー
アダン遺跡 レッドカモミール(レア) ライス 練魔鉱 ペッパー サブサーフィスミラージュ(宝)
エストルヴァの森 練魔鉱 絶霊結晶 ジャガイモ 銅の欠片 プロテクトリング(宝) 壁鱗結晶 マジカルチュニック(宝) 蜥蜴の痺れヒレ(宝) 蛋白原石
アダン湖 レタス レッドラベンダー(レア) 絶霊結晶 レモン アジ 練魔鉱 フラップトラップ(宝) 封印の刃(宝) サーモン
移動要塞クレーディア ミルク トマト 牛肉 ホワイトクローク(宝) マジックマーク(宝) レモン きのこ レッドサフラン(レア) ナチュラルベスト(宝) レジストリング(宝) エリクシール(宝) ナイツアーマー(宝)
ガナスハロス/トゥーア海岸 レモン レッドローズマリー(レア) トマト
ガナスハロス/ティスビム タイ
ガナスハロス/瀑陽の森 ペッパー ライス トマト レタス 溶氷石 極鋭結晶 レッドラベンダー(レア)
ガナスハロス/アウローム大瀑布 トマト キングミ(宝) ペッパー 銀の欠片 柘榴原石 快癒玉 マイティーガード(宝) アースマント(宝) きのこ 解毒石 サーモン レッドローズマリー(レア) ストロングトリート(宝) 達人の打楽器(宝)
ガナスハロス/ラフトゥ湿原 溶氷石 極鋭結晶 ヒラメ いちご アジ ライス タイ 快癒玉 ペッパー レッドセージ(レア) アロワナ 金の欠片
ガナスハロス/デル=ウァリス城 レッドカモミール(レア) シルクローブ(宝) オメガエリクシール(宝)
ガナスハロス/フォランド山脈 きのこ 神通玉 破呪石 ハンバーガーのレシピ(宝) サファイアワンピース(宝) 覚醒玉 ホッピングビエンフー(宝) ライズバングル(宝) レッドサフラン(レア) 幸運玉 霊動力の輝結晶 サファイアガード(宝)
天の楔 カースチェック(宝) 破呪石 覚醒玉 レッドラベンダー(レア) レジュームリング(宝) 王様ベスト(宝) ブラッディコート(宝) メンタルバングル(宝) 神通玉 幸運玉 スタミナリング(宝)
フォグウォル鍾乳洞 破呪石 きのこ 神通玉 覚醒玉 レジュームリング(宝) スタミナリング(宝) レッドローズマリー(レア)
カラグリア/ベルク火山 覚醒玉 破呪石 ゴシックドレス(宝) 神通玉 ブリガンディ(宝) ミスティクローク(宝) 幸運玉 レッドセージ(レア) 無尽輝石
レネギス 基部整備用通路 レッドセージ 神通玉 再生結晶
ゲラム=ヘルガラヒ 神通玉 忠犬の腹巻き(宝) 妖精煌塵 不可思議片 ラッキーバングル(宝) レッドカモミール(宝) レアプレート(宝) 白金の欠片 エレメントマント(宝)
テアフォル=ヘルガラヒ 不可思議片 妖精煌塵 破呪石 フェアリィリング(宝) ミスティシンボル(宝) 白金の欠片 ウェディングドレス(宝) マム・ベイン(宝) デュアリティ(宝) スタミナリング(宝) フォートレス(宝) スピリットローブ(宝) プリズムジャケット(宝)
無人 トマト レタス いちご ジャガイモ ヒラメ アジ タイ 覚醒玉 金の欠片 ライス
異界 運命の洞窟 練魔鉱 極鋭結晶 双世の天鎧(宝)
異界 精霊の森 練魔鉱 極鋭結晶 聖衣アダス・アニムス(宝)



実績

実績名 解除方法
速攻料理人 料理を1回以上作る
解放の旗手 ストーリー進行で入手
反逆の火種 サブクエストを1つ以上クリアする
名は体を表す DLCを除く称号のスキルを初めて習得する
取り戻した光 ストーリー進行で入手。ガナベルト撃破
農業入門 牧場で収穫をする
自由への同志 ストーリー進行で入手
グッドアングラー 初めて魚を釣る
好事家 はじめてアーティファクトを入手。ストーリー進行で入手可能
怒涛の百連撃 連続ヒット数100を超える
復讐の果てに ストーリー進行で入手
ダナの解放者 ストーリー進行で入手
渾身の一撃 一撃で10000以上のダメージを与える。爪竜連牙斬のフラムエッジで最大まで長押しをすると達成しやすい
ベテランファーマー 牧場で50回収穫する
ちらほらフクロウ ダナフクロウを13羽見つけて報告する
うじゃうじゃフクロウ ダナフクロウを32羽見つけて報告する
侵略阻止 ストーリー進行で入手
浪費家 400000ガルドを消費する
猛進する大火 ストーリー進行で入手
双世界の真実 ストーリー進行で入手
ズーグル大百科 DLCを除く120種類のモンスターを討伐する
分かち合う 野営でシオンとの絆を最大まで高める
素直な気持ち 野営でリンウェルとの絆を最大まで高める
超えたい背中 野営でロウとの絆を最大まで高める
みっしりフクロウ すべてのフクロウ(38匹)をみつけた
ジュエリークラフトマン アクセサリーを30個作成する
世界を覆う食欲 DLCを除くレシピ30種類を入手する
ささやかな夢 野営でキサラとの絆を最大まで高める
鳴動する大地 ノーム・グランデを撃破する。サブクエ「地霊の聖堂」
止まらぬおしゃべり スキットを300個見る
夢見酒 野営でテュヲハリムとの絆を最大まで高める
壁を壊す者 野営で全員との絆を最大まで高める
異界生還者 裏ボスを倒す
強さの頂 レベル100に到達する
猛り狂う水流 ルオ・ウンディーネ(サブクエ「流せぬ怒り」)を倒す
ゴッドアングラー 釣りで魚44種類すべてを釣って、釣り親父に釣り手帳を見せる



プライバシーポリシー お問い合わせ