윤지호 | 유니티 연습

20226.01.27 수정 (태그 구현중, 오브젝트별 컴포넌트 배치필요)
This commit is contained in:
윤지호_yebb 2026-01-27 20:58:00 +09:00
parent 7bfe7619c2
commit 339a595ac1
88 changed files with 36799 additions and 13357 deletions

View File

@ -0,0 +1,8 @@
fileFormatVersion: 2
guid: 766dc412e664dfe419cfd0f969673260
folderAsset: yes
DefaultImporter:
externalObjects: {}
userData:
assetBundleName:
assetBundleVariant:

View File

@ -0,0 +1,21 @@
using UnityEngine;
public class SimpleEffect : MonoBehaviour
{
// Start is called once before the first execution of Update after the MonoBehaviour is created
void Start()
{
}
// Update is called once per frame
void Update()
{
}
public void DestroyMe()
{
Destroy(gameObject);
}
}

View File

@ -0,0 +1,2 @@
fileFormatVersion: 2
guid: 35030e093493b2c4c9a9c926252d13c5

View File

@ -0,0 +1,64 @@
using NUnit.Framework;
using UnityEngine;
using UnityEngine.InputSystem;
using System.Collections.Generic;
using System.Collections;
public class SimpleExcution : MonoBehaviour
{
public List<GameObject> gbs = new List<GameObject>();
private GameObject target;
[SerializeField] private Rigidbody2D rigid;
[SerializeField] private GameObject effect;
[SerializeField] private GameObject speedeffect;
private bool isex = true;
Animator anim;
PlayerController pc;
private void Start()
{
anim = GetComponent<Animator>();
pc = GetComponent<PlayerController>();
}
void Update()
{
if (Keyboard.current.cKey.wasPressedThisFrame && isex == true)
{
Vector2 pos = gameObject.transform.position;
float distance = Mathf.Infinity;
float currentdistance = 0f;
foreach(GameObject e in gbs)
{
currentdistance = Vector2.Distance(pos, e.transform.position);
if(currentdistance < distance)
{
distance = currentdistance;
target = e.gameObject;
}
}
GameObject seff = Instantiate(speedeffect);
seff.GetComponent<SimpleSpeedLine>().playerpos1 = gameObject.transform.position;
//gameObject.GetComponent<Cinemachine>().isex = true;
gameObject.transform.position = target.transform.position + new Vector3(0f, 0.5f, 0f);
seff.GetComponent<SimpleSpeedLine>().playerpos2 = gameObject.transform.position;
GameObject eff = Instantiate(effect);
eff.transform.position = target.transform.position;
anim.SetBool("AT", true);
rigid.linearVelocity = new Vector2(rigid.linearVelocity.x, 0f);
rigid.AddForce(new Vector2(0f, 5f), ForceMode2D.Impulse);
gbs.Remove(target);
Destroy(target.gameObject);
//pc.canDJ = true;
isex = false;
StartCoroutine(DJ_delay(0.2f));
}
}
IEnumerator DJ_delay(float time)
{
yield return new WaitForSeconds(time);
anim.SetBool("AT", false);
isex = true;
}
}

View File

@ -0,0 +1,2 @@
fileFormatVersion: 2
guid: 29479b480accc734a83fd30f50a63fe6

View File

@ -0,0 +1,25 @@
using UnityEngine;
public class SimpleLineRender : MonoBehaviour
{
private LineRenderer line;
public Transform player;
public Transform target;
// Start is called once before the first execution of Update after the MonoBehaviour is created
void Start()
{
line = gameObject.GetComponent<LineRenderer>();
line.positionCount = 2;
}
// Update is called once per frame
void Update()
{
if(target == null)
{
Destroy(gameObject);
}
line.SetPosition(0, player.position);
line.SetPosition(1, target.position);
}
}

View File

@ -0,0 +1,2 @@
fileFormatVersion: 2
guid: e5b7683c94aeb684cbf5513df186b04c

View File

@ -0,0 +1,47 @@
using UnityEngine;
using UnityEngine.UIElements;
public class SimpleNiddleMove : MonoBehaviour
{
public float speed = 1f;
public float direction = -1;
public float isup = 0;
public float rotate = 0f;
[SerializeField] private GameObject sprite;
[SerializeField] private GameObject player;
[SerializeField] private GameObject line;
[SerializeField] private GameObject exmark;
private void Start()
{
if (isup == 0)
{
rotate = -90 + (direction * 90);
}
else
{
rotate = -90 + (direction * -45);
}
gameObject.transform.rotation = Quaternion.Euler(new Vector3(0f, 0f, rotate));
}
void Update()
{
gameObject.transform.position += new Vector3(speed * Time.deltaTime * direction, speed * isup * Time.deltaTime, 0f);
}
void OnTriggerEnter2D(Collider2D collider)
{
if (collider.CompareTag("Enemy"))
{
//collider.GetComponent<SimpleExActive>().isex = true;
GameObject niddle = Instantiate(sprite, collider.transform);
player.gameObject.GetComponent<SimpleExcution>().gbs.Add(collider.gameObject);
GameObject Line = Instantiate(line);
Line.GetComponent<SimpleLineRender>().player = player.transform;
Line.GetComponent<SimpleLineRender>().target = collider.transform;
collider.transform.GetComponent<SpriteRenderer>().color = Color.red;
GameObject mark = Instantiate(exmark, collider.transform);
mark.transform.position = collider.transform.position + new Vector3(0f, 0.5f, 0f);
Destroy(gameObject);
}
}
}

View File

@ -0,0 +1,2 @@
fileFormatVersion: 2
guid: 0d7dd8e5921f9d7449a6aeed63b3d244

View File

@ -0,0 +1,33 @@
using UnityEngine;
public class SimpleSpeedLine : MonoBehaviour
{
private LineRenderer LR;
public float fadespeed = 1f;
private float alpha = 1f;
public Vector3 playerpos1;
public Vector3 playerpos2;
// Start is called once before the first execution of Update after the MonoBehaviour is created
void Start()
{
LR = GetComponent<LineRenderer>();
LR.positionCount = 2;
LR.SetPosition(1, playerpos1);
LR.SetPosition(0, playerpos2);
}
void Update()
{
if(alpha > 0)
{
alpha -= Time.deltaTime * fadespeed;
Gradient gradient = new Gradient();
gradient.SetKeys(LR.colorGradient.colorKeys, new GradientAlphaKey[] { new GradientAlphaKey(alpha, 0f), });
LR.colorGradient = gradient;
}
else
{
Destroy(gameObject);
}
}
}

View File

@ -0,0 +1,2 @@
fileFormatVersion: 2
guid: 0005e2d070960b74888c74323139e7d8

View File

@ -0,0 +1,39 @@
using UnityEngine;
using UnityEngine.InputSystem;
public class SimpleThrowNiddle : MonoBehaviour
{
[SerializeField] private GameObject niddle;
private Vector2 axis;
// Start is called once before the first execution of Update after the MonoBehaviour is created
void Start()
{
}
// Update is called once per frame
void Update()
{
if (Keyboard.current.xKey.wasPressedThisFrame)
{
GameObject niddle_clone = Instantiate(niddle);
niddle_clone.transform.position = gameObject.transform.position;
SimpleNiddleMove niddlemove = niddle_clone.GetComponent<SimpleNiddleMove>();
if(axis.y == 0)
{
niddlemove.direction = -gameObject.transform.localScale.x;
}
else
{
niddlemove.direction = axis.x;
}
niddlemove.isup = axis.y;
}
}
void OnMove(InputValue value)
{
axis = value.Get<Vector2>();
}
}

View File

@ -0,0 +1,2 @@
fileFormatVersion: 2
guid: 41d1e89eb7655cc42b07bd91349799cd

View File

@ -0,0 +1,85 @@
%YAML 1.1
%TAG !u! tag:unity3d.com,2011:
--- !u!74 &7400000
AnimationClip:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_Name: airA_Eff
serializedVersion: 7
m_Legacy: 0
m_Compressed: 0
m_UseHighQualityCurve: 1
m_RotationCurves: []
m_CompressedRotationCurves: []
m_EulerCurves: []
m_PositionCurves: []
m_ScaleCurves: []
m_FloatCurves: []
m_PPtrCurves:
- serializedVersion: 2
curve:
- time: 0
value: {fileID: -970478734051536674, guid: 65a58c5efff88054182285aaa9aa0ba1, type: 3}
- time: 0.083333336
value: {fileID: 2199998272801448510, guid: 65a58c5efff88054182285aaa9aa0ba1, type: 3}
- time: 0.16666667
value: {fileID: -6180908345912361201, guid: 65a58c5efff88054182285aaa9aa0ba1, type: 3}
attribute: m_Sprite
path:
classID: 212
script: {fileID: 0}
flags: 2
m_SampleRate: 12
m_WrapMode: 0
m_Bounds:
m_Center: {x: 0, y: 0, z: 0}
m_Extent: {x: 0, y: 0, z: 0}
m_ClipBindingConstant:
genericBindings:
- serializedVersion: 2
path: 0
attribute: 0
script: {fileID: 0}
typeID: 212
customType: 23
isPPtrCurve: 1
isIntCurve: 0
isSerializeReferenceCurve: 0
pptrCurveMapping:
- {fileID: -970478734051536674, guid: 65a58c5efff88054182285aaa9aa0ba1, type: 3}
- {fileID: 2199998272801448510, guid: 65a58c5efff88054182285aaa9aa0ba1, type: 3}
- {fileID: -6180908345912361201, guid: 65a58c5efff88054182285aaa9aa0ba1, type: 3}
m_AnimationClipSettings:
serializedVersion: 2
m_AdditiveReferencePoseClip: {fileID: 0}
m_AdditiveReferencePoseTime: 0
m_StartTime: 0
m_StopTime: 0.25
m_OrientationOffsetY: 0
m_Level: 0
m_CycleOffset: 0
m_HasAdditiveReferencePose: 0
m_LoopTime: 0
m_LoopBlend: 0
m_LoopBlendOrientation: 0
m_LoopBlendPositionY: 0
m_LoopBlendPositionXZ: 0
m_KeepOriginalOrientation: 0
m_KeepOriginalPositionY: 1
m_KeepOriginalPositionXZ: 0
m_HeightFromFeet: 0
m_Mirror: 0
m_EditorCurves: []
m_EulerEditorCurves: []
m_HasGenericRootTransform: 0
m_HasMotionFloatCurves: 0
m_Events:
- time: 0.25
functionName: DestroyMe
data:
objectReferenceParameter: {fileID: 0}
floatParameter: 0
intParameter: 0
messageOptions: 0

View File

@ -0,0 +1,8 @@
fileFormatVersion: 2
guid: f2bc7854d56feb3428394cc35c3e700b
NativeFormatImporter:
externalObjects: {}
mainObjectFileID: 7400000
userData:
assetBundleName:
assetBundleVariant:

View File

@ -0,0 +1,72 @@
%YAML 1.1
%TAG !u! tag:unity3d.com,2011:
--- !u!91 &9100000
AnimatorController:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_Name: airAttack3_0
serializedVersion: 5
m_AnimatorParameters: []
m_AnimatorLayers:
- serializedVersion: 5
m_Name: Base Layer
m_StateMachine: {fileID: 7330785783824082688}
m_Mask: {fileID: 0}
m_Motions: []
m_Behaviours: []
m_BlendingMode: 0
m_SyncedLayerIndex: -1
m_DefaultWeight: 0
m_IKPass: 0
m_SyncedLayerAffectsTiming: 0
m_Controller: {fileID: 9100000}
--- !u!1102 &5690040579255446157
AnimatorState:
serializedVersion: 6
m_ObjectHideFlags: 1
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_Name: airA_Eff
m_Speed: 1
m_CycleOffset: 0
m_Transitions: []
m_StateMachineBehaviours: []
m_Position: {x: 50, y: 50, z: 0}
m_IKOnFeet: 0
m_WriteDefaultValues: 1
m_Mirror: 0
m_SpeedParameterActive: 0
m_MirrorParameterActive: 0
m_CycleOffsetParameterActive: 0
m_TimeParameterActive: 0
m_Motion: {fileID: 7400000, guid: f2bc7854d56feb3428394cc35c3e700b, type: 2}
m_Tag:
m_SpeedParameter:
m_MirrorParameter:
m_CycleOffsetParameter:
m_TimeParameter:
--- !u!1107 &7330785783824082688
AnimatorStateMachine:
serializedVersion: 6
m_ObjectHideFlags: 1
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_Name: Base Layer
m_ChildStates:
- serializedVersion: 1
m_State: {fileID: 5690040579255446157}
m_Position: {x: 250, y: 80, z: 0}
m_ChildStateMachines: []
m_AnyStateTransitions: []
m_EntryTransitions: []
m_StateMachineTransitions: {}
m_StateMachineBehaviours: []
m_AnyStatePosition: {x: 50, y: 20, z: 0}
m_EntryPosition: {x: 50, y: 120, z: 0}
m_ExitPosition: {x: 800, y: 120, z: 0}
m_ParentStateMachinePosition: {x: 800, y: 20, z: 0}
m_DefaultState: {fileID: 5690040579255446157}

View File

@ -0,0 +1,8 @@
fileFormatVersion: 2
guid: 0a1de281b5b4b8640baba56b1e0ec9c9
NativeFormatImporter:
externalObjects: {}
mainObjectFileID: 9100000
userData:
assetBundleName:
assetBundleVariant:

View File

@ -0,0 +1,72 @@
%YAML 1.1
%TAG !u! tag:unity3d.com,2011:
--- !u!91 &9100000
AnimatorController:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_Name: airAttackEffect_0
serializedVersion: 5
m_AnimatorParameters: []
m_AnimatorLayers:
- serializedVersion: 5
m_Name: Base Layer
m_StateMachine: {fileID: 59178140946805267}
m_Mask: {fileID: 0}
m_Motions: []
m_Behaviours: []
m_BlendingMode: 0
m_SyncedLayerIndex: -1
m_DefaultWeight: 0
m_IKPass: 0
m_SyncedLayerAffectsTiming: 0
m_Controller: {fileID: 9100000}
--- !u!1107 &59178140946805267
AnimatorStateMachine:
serializedVersion: 6
m_ObjectHideFlags: 1
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_Name: Base Layer
m_ChildStates:
- serializedVersion: 1
m_State: {fileID: 6913168740650585498}
m_Position: {x: 200, y: 0, z: 0}
m_ChildStateMachines: []
m_AnyStateTransitions: []
m_EntryTransitions: []
m_StateMachineTransitions: {}
m_StateMachineBehaviours: []
m_AnyStatePosition: {x: 50, y: 20, z: 0}
m_EntryPosition: {x: 50, y: 120, z: 0}
m_ExitPosition: {x: 800, y: 120, z: 0}
m_ParentStateMachinePosition: {x: 800, y: 20, z: 0}
m_DefaultState: {fileID: 6913168740650585498}
--- !u!1102 &6913168740650585498
AnimatorState:
serializedVersion: 6
m_ObjectHideFlags: 1
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_Name: airA_Eff
m_Speed: 1
m_CycleOffset: 0
m_Transitions: []
m_StateMachineBehaviours: []
m_Position: {x: 50, y: 50, z: 0}
m_IKOnFeet: 0
m_WriteDefaultValues: 1
m_Mirror: 0
m_SpeedParameterActive: 0
m_MirrorParameterActive: 0
m_CycleOffsetParameterActive: 0
m_TimeParameterActive: 0
m_Motion: {fileID: 7400000, guid: f2bc7854d56feb3428394cc35c3e700b, type: 2}
m_Tag:
m_SpeedParameter:
m_MirrorParameter:
m_CycleOffsetParameter:
m_TimeParameter:

View File

@ -0,0 +1,8 @@
fileFormatVersion: 2
guid: cb69f83b12413a7419be69dff894d1f1
NativeFormatImporter:
externalObjects: {}
mainObjectFileID: 9100000
userData:
assetBundleName:
assetBundleVariant:

View File

@ -0,0 +1,129 @@
%YAML 1.1
%TAG !u! tag:unity3d.com,2011:
--- !u!1 &1904996413829294988
GameObject:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
serializedVersion: 6
m_Component:
- component: {fileID: 7389663284285841116}
- component: {fileID: 4094171776866376535}
- component: {fileID: 383087956756529791}
- component: {fileID: 4578653703333185421}
m_Layer: 0
m_Name: airAttackEffect_0
m_TagString: Untagged
m_Icon: {fileID: 0}
m_NavMeshLayer: 0
m_StaticEditorFlags: 0
m_IsActive: 1
--- !u!4 &7389663284285841116
Transform:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 1904996413829294988}
serializedVersion: 2
m_LocalRotation: {x: 0, y: 0, z: 0, w: 1}
m_LocalPosition: {x: 0, y: 0, z: 0}
m_LocalScale: {x: 1, y: 1, z: 1}
m_ConstrainProportionsScale: 0
m_Children: []
m_Father: {fileID: 0}
m_LocalEulerAnglesHint: {x: 0, y: 0, z: 0}
--- !u!212 &4094171776866376535
SpriteRenderer:
serializedVersion: 2
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 1904996413829294988}
m_Enabled: 1
m_CastShadows: 0
m_ReceiveShadows: 0
m_DynamicOccludee: 1
m_StaticShadowCaster: 0
m_MotionVectors: 1
m_LightProbeUsage: 1
m_ReflectionProbeUsage: 1
m_RayTracingMode: 0
m_RayTraceProcedural: 0
m_RayTracingAccelStructBuildFlagsOverride: 0
m_RayTracingAccelStructBuildFlags: 1
m_SmallMeshCulling: 1
m_ForceMeshLod: -1
m_MeshLodSelectionBias: 0
m_RenderingLayerMask: 1
m_RendererPriority: 0
m_Materials:
- {fileID: 2100000, guid: a97c105638bdf8b4a8650670310a4cd3, type: 2}
m_StaticBatchInfo:
firstSubMesh: 0
subMeshCount: 0
m_StaticBatchRoot: {fileID: 0}
m_ProbeAnchor: {fileID: 0}
m_LightProbeVolumeOverride: {fileID: 0}
m_ScaleInLightmap: 1
m_ReceiveGI: 1
m_PreserveUVs: 0
m_IgnoreNormalsForChartDetection: 0
m_ImportantGI: 0
m_StitchLightmapSeams: 1
m_SelectedEditorRenderState: 0
m_MinimumChartSize: 4
m_AutoUVMaxDistance: 0.5
m_AutoUVMaxAngle: 89
m_LightmapParameters: {fileID: 0}
m_GlobalIlluminationMeshLod: 0
m_SortingLayerID: 0
m_SortingLayer: 0
m_SortingOrder: 0
m_MaskInteraction: 0
m_Sprite: {fileID: -970478734051536674, guid: 65a58c5efff88054182285aaa9aa0ba1, type: 3}
m_Color: {r: 1, g: 1, b: 1, a: 1}
m_FlipX: 0
m_FlipY: 0
m_DrawMode: 0
m_Size: {x: 1, y: 1}
m_AdaptiveModeThreshold: 0.5
m_SpriteTileMode: 0
m_WasSpriteAssigned: 1
m_SpriteSortPoint: 0
--- !u!114 &383087956756529791
MonoBehaviour:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 1904996413829294988}
m_Enabled: 1
m_EditorHideFlags: 0
m_Script: {fileID: 11500000, guid: 35030e093493b2c4c9a9c926252d13c5, type: 3}
m_Name:
m_EditorClassIdentifier: Assembly-CSharp::SimpleEffect
--- !u!95 &4578653703333185421
Animator:
serializedVersion: 7
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 1904996413829294988}
m_Enabled: 1
m_Avatar: {fileID: 0}
m_Controller: {fileID: 9100000, guid: 0a1de281b5b4b8640baba56b1e0ec9c9, type: 2}
m_CullingMode: 0
m_UpdateMode: 0
m_ApplyRootMotion: 0
m_LinearVelocityBlending: 0
m_StabilizeFeet: 0
m_AnimatePhysics: 0
m_WarningMessage:
m_HasTransformHierarchy: 1
m_AllowConstantClipSamplingOptimization: 1
m_KeepAnimatorStateOnDisable: 0
m_WriteDefaultValuesOnDisable: 0

View File

@ -0,0 +1,7 @@
fileFormatVersion: 2
guid: 308b9c161be727b4d936df2d1177991d
PrefabImporter:
externalObjects: {}
userData:
assetBundleName:
assetBundleVariant:

View File

@ -0,0 +1,93 @@
%YAML 1.1
%TAG !u! tag:unity3d.com,2011:
--- !u!1 &3221981337542837825
GameObject:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
serializedVersion: 6
m_Component:
- component: {fileID: 8340423521848074691}
- component: {fileID: 7641157571697575069}
m_Layer: 0
m_Name: execution_0
m_TagString: Untagged
m_Icon: {fileID: 0}
m_NavMeshLayer: 0
m_StaticEditorFlags: 0
m_IsActive: 1
--- !u!4 &8340423521848074691
Transform:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 3221981337542837825}
serializedVersion: 2
m_LocalRotation: {x: -0, y: -0, z: -0, w: 1}
m_LocalPosition: {x: 0, y: 0, z: 0}
m_LocalScale: {x: 2, y: 2, z: 1}
m_ConstrainProportionsScale: 0
m_Children: []
m_Father: {fileID: 0}
m_LocalEulerAnglesHint: {x: 0, y: 0, z: 0}
--- !u!212 &7641157571697575069
SpriteRenderer:
serializedVersion: 2
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 3221981337542837825}
m_Enabled: 1
m_CastShadows: 0
m_ReceiveShadows: 0
m_DynamicOccludee: 1
m_StaticShadowCaster: 0
m_MotionVectors: 1
m_LightProbeUsage: 1
m_ReflectionProbeUsage: 1
m_RayTracingMode: 0
m_RayTraceProcedural: 0
m_RayTracingAccelStructBuildFlagsOverride: 0
m_RayTracingAccelStructBuildFlags: 1
m_SmallMeshCulling: 1
m_ForceMeshLod: -1
m_MeshLodSelectionBias: 0
m_RenderingLayerMask: 1
m_RendererPriority: 0
m_Materials:
- {fileID: 2100000, guid: a97c105638bdf8b4a8650670310a4cd3, type: 2}
m_StaticBatchInfo:
firstSubMesh: 0
subMeshCount: 0
m_StaticBatchRoot: {fileID: 0}
m_ProbeAnchor: {fileID: 0}
m_LightProbeVolumeOverride: {fileID: 0}
m_ScaleInLightmap: 1
m_ReceiveGI: 1
m_PreserveUVs: 0
m_IgnoreNormalsForChartDetection: 0
m_ImportantGI: 0
m_StitchLightmapSeams: 1
m_SelectedEditorRenderState: 0
m_MinimumChartSize: 4
m_AutoUVMaxDistance: 0.5
m_AutoUVMaxAngle: 89
m_LightmapParameters: {fileID: 0}
m_GlobalIlluminationMeshLod: 0
m_SortingLayerID: 0
m_SortingLayer: 0
m_SortingOrder: 0
m_MaskInteraction: 0
m_Sprite: {fileID: -5600413189702695860, guid: 9d745303aab2e6d41ae4f68c6db824e8, type: 3}
m_Color: {r: 1, g: 1, b: 1, a: 1}
m_FlipX: 0
m_FlipY: 0
m_DrawMode: 0
m_Size: {x: 0.18, y: 0.22}
m_AdaptiveModeThreshold: 0.5
m_SpriteTileMode: 0
m_WasSpriteAssigned: 1
m_SpriteSortPoint: 0

View File

@ -0,0 +1,7 @@
fileFormatVersion: 2
guid: 7887462c6ccef934b8947c68bdc677eb
PrefabImporter:
externalObjects: {}
userData:
assetBundleName:
assetBundleVariant:

View File

@ -0,0 +1,159 @@
%YAML 1.1
%TAG !u! tag:unity3d.com,2011:
--- !u!1 &2556728524582117484
GameObject:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
serializedVersion: 6
m_Component:
- component: {fileID: 6711603046844838675}
- component: {fileID: 2379985551039839347}
- component: {fileID: 4804104663422713297}
m_Layer: 0
m_Name: line
m_TagString: Untagged
m_Icon: {fileID: 0}
m_NavMeshLayer: 0
m_StaticEditorFlags: 0
m_IsActive: 1
--- !u!4 &6711603046844838675
Transform:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 2556728524582117484}
serializedVersion: 2
m_LocalRotation: {x: 0, y: 0, z: 0, w: 1}
m_LocalPosition: {x: -1.72, y: -2.3, z: 0}
m_LocalScale: {x: 1, y: 1, z: 1}
m_ConstrainProportionsScale: 0
m_Children: []
m_Father: {fileID: 0}
m_LocalEulerAnglesHint: {x: 0, y: 0, z: 0}
--- !u!114 &2379985551039839347
MonoBehaviour:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 2556728524582117484}
m_Enabled: 1
m_EditorHideFlags: 0
m_Script: {fileID: 11500000, guid: e5b7683c94aeb684cbf5513df186b04c, type: 3}
m_Name:
m_EditorClassIdentifier: Assembly-CSharp::SimpleLineRender
player: {fileID: 0}
target: {fileID: 0}
--- !u!120 &4804104663422713297
LineRenderer:
serializedVersion: 3
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 2556728524582117484}
m_Enabled: 1
m_CastShadows: 1
m_ReceiveShadows: 1
m_DynamicOccludee: 1
m_StaticShadowCaster: 0
m_MotionVectors: 0
m_LightProbeUsage: 0
m_ReflectionProbeUsage: 0
m_RayTracingMode: 0
m_RayTraceProcedural: 0
m_RayTracingAccelStructBuildFlagsOverride: 0
m_RayTracingAccelStructBuildFlags: 1
m_SmallMeshCulling: 1
m_ForceMeshLod: -1
m_MeshLodSelectionBias: 0
m_RenderingLayerMask: 1
m_RendererPriority: 0
m_Materials:
- {fileID: 2100000, guid: 23b21b0733866ae42985f6c1eb468cff, type: 2}
m_StaticBatchInfo:
firstSubMesh: 0
subMeshCount: 0
m_StaticBatchRoot: {fileID: 0}
m_ProbeAnchor: {fileID: 0}
m_LightProbeVolumeOverride: {fileID: 0}
m_ScaleInLightmap: 1
m_ReceiveGI: 1
m_PreserveUVs: 0
m_IgnoreNormalsForChartDetection: 0
m_ImportantGI: 0
m_StitchLightmapSeams: 1
m_SelectedEditorRenderState: 3
m_MinimumChartSize: 4
m_AutoUVMaxDistance: 0.5
m_AutoUVMaxAngle: 89
m_LightmapParameters: {fileID: 0}
m_GlobalIlluminationMeshLod: 0
m_SortingLayerID: 0
m_SortingLayer: 0
m_SortingOrder: 0
m_MaskInteraction: 0
m_Positions:
- {x: -3, y: -3, z: 1}
- {x: 11, y: 0, z: 1}
m_Parameters:
serializedVersion: 3
widthMultiplier: 1
widthCurve:
serializedVersion: 2
m_Curve:
- serializedVersion: 3
time: 0
value: 1
inSlope: 0
outSlope: 0
tangentMode: 0
weightedMode: 0
inWeight: 0.33333334
outWeight: 0.33333334
m_PreInfinity: 2
m_PostInfinity: 2
m_RotationOrder: 4
colorGradient:
serializedVersion: 2
key0: {r: 1, g: 1, b: 1, a: 1}
key1: {r: 1, g: 1, b: 1, a: 1}
key2: {r: 0, g: 0, b: 0, a: 1}
key3: {r: 0, g: 0, b: 0, a: 1}
key4: {r: 0, g: 0, b: 0, a: 0}
key5: {r: 0, g: 0, b: 0, a: 0}
key6: {r: 0, g: 0, b: 0, a: 0}
key7: {r: 0, g: 0, b: 0, a: 0}
ctime0: 0
ctime1: 65535
ctime2: 0
ctime3: 0
ctime4: 0
ctime5: 0
ctime6: 0
ctime7: 0
atime0: 0
atime1: 65535
atime2: 65535
atime3: 65535
atime4: 0
atime5: 0
atime6: 0
atime7: 0
m_Mode: 0
m_ColorSpace: 0
m_NumColorKeys: 2
m_NumAlphaKeys: 2
numCornerVertices: 0
numCapVertices: 0
alignment: 0
textureMode: 1
textureScale: {x: 1, y: 1.93}
shadowBias: 0.5
generateLightingData: 0
m_UseWorldSpace: 1
m_Loop: 0
m_ApplyActiveColorSpace: 1

View File

@ -0,0 +1,7 @@
fileFormatVersion: 2
guid: fbe0095efd293ed498c18ad87dee8120
PrefabImporter:
externalObjects: {}
userData:
assetBundleName:
assetBundleVariant:

View File

@ -0,0 +1,185 @@
%YAML 1.1
%TAG !u! tag:unity3d.com,2011:
--- !u!1 &3035015406531940419
GameObject:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
serializedVersion: 6
m_Component:
- component: {fileID: 5973272871025400576}
- component: {fileID: 1865022868512948637}
m_Layer: 0
m_Name: execution_0
m_TagString: Untagged
m_Icon: {fileID: 0}
m_NavMeshLayer: 0
m_StaticEditorFlags: 0
m_IsActive: 1
--- !u!4 &5973272871025400576
Transform:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 3035015406531940419}
serializedVersion: 2
m_LocalRotation: {x: -0, y: -0, z: -0, w: 1}
m_LocalPosition: {x: 0.05, y: 0.3, z: 0}
m_LocalScale: {x: 1, y: 1, z: 1}
m_ConstrainProportionsScale: 0
m_Children: []
m_Father: {fileID: 6319088404267603299}
m_LocalEulerAnglesHint: {x: 0, y: 0, z: 0}
--- !u!212 &1865022868512948637
SpriteRenderer:
serializedVersion: 2
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 3035015406531940419}
m_Enabled: 1
m_CastShadows: 0
m_ReceiveShadows: 0
m_DynamicOccludee: 1
m_StaticShadowCaster: 0
m_MotionVectors: 1
m_LightProbeUsage: 1
m_ReflectionProbeUsage: 1
m_RayTracingMode: 0
m_RayTraceProcedural: 0
m_RayTracingAccelStructBuildFlagsOverride: 0
m_RayTracingAccelStructBuildFlags: 1
m_SmallMeshCulling: 1
m_ForceMeshLod: -1
m_MeshLodSelectionBias: 0
m_RenderingLayerMask: 1
m_RendererPriority: 0
m_Materials:
- {fileID: 2100000, guid: a97c105638bdf8b4a8650670310a4cd3, type: 2}
m_StaticBatchInfo:
firstSubMesh: 0
subMeshCount: 0
m_StaticBatchRoot: {fileID: 0}
m_ProbeAnchor: {fileID: 0}
m_LightProbeVolumeOverride: {fileID: 0}
m_ScaleInLightmap: 1
m_ReceiveGI: 1
m_PreserveUVs: 0
m_IgnoreNormalsForChartDetection: 0
m_ImportantGI: 0
m_StitchLightmapSeams: 1
m_SelectedEditorRenderState: 0
m_MinimumChartSize: 4
m_AutoUVMaxDistance: 0.5
m_AutoUVMaxAngle: 89
m_LightmapParameters: {fileID: 0}
m_GlobalIlluminationMeshLod: 0
m_SortingLayerID: 0
m_SortingLayer: 0
m_SortingOrder: 0
m_MaskInteraction: 0
m_Sprite: {fileID: -5600413189702695860, guid: 9d745303aab2e6d41ae4f68c6db824e8, type: 3}
m_Color: {r: 1, g: 1, b: 1, a: 1}
m_FlipX: 0
m_FlipY: 0
m_DrawMode: 0
m_Size: {x: 0.18, y: 0.22}
m_AdaptiveModeThreshold: 0.5
m_SpriteTileMode: 0
m_WasSpriteAssigned: 1
m_SpriteSortPoint: 0
--- !u!1 &5763482863116880140
GameObject:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
serializedVersion: 6
m_Component:
- component: {fileID: 6319088404267603299}
- component: {fileID: 6337671159986583500}
m_Layer: 0
m_Name: m1_0 1
m_TagString: Enemy
m_Icon: {fileID: 0}
m_NavMeshLayer: 0
m_StaticEditorFlags: 0
m_IsActive: 1
--- !u!4 &6319088404267603299
Transform:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 5763482863116880140}
serializedVersion: 2
m_LocalRotation: {x: 0, y: 0, z: 0, w: 1}
m_LocalPosition: {x: -1.3956013, y: -0.73963195, z: 0}
m_LocalScale: {x: 1, y: 1, z: 1}
m_ConstrainProportionsScale: 0
m_Children:
- {fileID: 5973272871025400576}
m_Father: {fileID: 0}
m_LocalEulerAnglesHint: {x: 0, y: 0, z: 0}
--- !u!212 &6337671159986583500
SpriteRenderer:
serializedVersion: 2
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 5763482863116880140}
m_Enabled: 1
m_CastShadows: 0
m_ReceiveShadows: 0
m_DynamicOccludee: 1
m_StaticShadowCaster: 0
m_MotionVectors: 1
m_LightProbeUsage: 1
m_ReflectionProbeUsage: 1
m_RayTracingMode: 0
m_RayTraceProcedural: 0
m_RayTracingAccelStructBuildFlagsOverride: 0
m_RayTracingAccelStructBuildFlags: 1
m_SmallMeshCulling: 1
m_ForceMeshLod: -1
m_MeshLodSelectionBias: 0
m_RenderingLayerMask: 1
m_RendererPriority: 0
m_Materials:
- {fileID: 2100000, guid: a97c105638bdf8b4a8650670310a4cd3, type: 2}
m_StaticBatchInfo:
firstSubMesh: 0
subMeshCount: 0
m_StaticBatchRoot: {fileID: 0}
m_ProbeAnchor: {fileID: 0}
m_LightProbeVolumeOverride: {fileID: 0}
m_ScaleInLightmap: 1
m_ReceiveGI: 1
m_PreserveUVs: 0
m_IgnoreNormalsForChartDetection: 0
m_ImportantGI: 0
m_StitchLightmapSeams: 1
m_SelectedEditorRenderState: 0
m_MinimumChartSize: 4
m_AutoUVMaxDistance: 0.5
m_AutoUVMaxAngle: 89
m_LightmapParameters: {fileID: 0}
m_GlobalIlluminationMeshLod: 0
m_SortingLayerID: 0
m_SortingLayer: 0
m_SortingOrder: 0
m_MaskInteraction: 0
m_Sprite: {fileID: 6699089985201095850, guid: 4e198322e1e8dc7438eeafe87a9b0644, type: 3}
m_Color: {r: 1, g: 1, b: 1, a: 1}
m_FlipX: 0
m_FlipY: 0
m_DrawMode: 0
m_Size: {x: 0.43, y: 0.17}
m_AdaptiveModeThreshold: 0.5
m_SpriteTileMode: 0
m_WasSpriteAssigned: 1
m_SpriteSortPoint: 0

View File

@ -0,0 +1,7 @@
fileFormatVersion: 2
guid: a685aa96b2fecf84a8ca454423f6b20a
PrefabImporter:
externalObjects: {}
userData:
assetBundleName:
assetBundleVariant:

View File

@ -0,0 +1,160 @@
%YAML 1.1
%TAG !u! tag:unity3d.com,2011:
--- !u!1 &1994508583809485290
GameObject:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
serializedVersion: 6
m_Component:
- component: {fileID: 7603767787443888649}
- component: {fileID: 5884056621363670100}
- component: {fileID: 3161828925010074424}
m_Layer: 0
m_Name: speedLine
m_TagString: Untagged
m_Icon: {fileID: 0}
m_NavMeshLayer: 0
m_StaticEditorFlags: 0
m_IsActive: 1
--- !u!4 &7603767787443888649
Transform:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 1994508583809485290}
serializedVersion: 2
m_LocalRotation: {x: -0, y: -0, z: -0, w: 1}
m_LocalPosition: {x: 1.1641136, y: -3.0941722, z: 0}
m_LocalScale: {x: 1, y: 1, z: 1}
m_ConstrainProportionsScale: 0
m_Children: []
m_Father: {fileID: 0}
m_LocalEulerAnglesHint: {x: 0, y: 0, z: 0}
--- !u!114 &5884056621363670100
MonoBehaviour:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 1994508583809485290}
m_Enabled: 1
m_EditorHideFlags: 0
m_Script: {fileID: 11500000, guid: 0005e2d070960b74888c74323139e7d8, type: 3}
m_Name:
m_EditorClassIdentifier: Assembly-CSharp::SimpleSpeedLine
fadespeed: 1
playerpos1: {x: 0, y: 0, z: 0}
playerpos2: {x: 0, y: 0, z: 0}
--- !u!120 &3161828925010074424
LineRenderer:
serializedVersion: 3
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 1994508583809485290}
m_Enabled: 1
m_CastShadows: 1
m_ReceiveShadows: 1
m_DynamicOccludee: 1
m_StaticShadowCaster: 0
m_MotionVectors: 0
m_LightProbeUsage: 0
m_ReflectionProbeUsage: 0
m_RayTracingMode: 0
m_RayTraceProcedural: 0
m_RayTracingAccelStructBuildFlagsOverride: 0
m_RayTracingAccelStructBuildFlags: 1
m_SmallMeshCulling: 1
m_ForceMeshLod: -1
m_MeshLodSelectionBias: 0
m_RenderingLayerMask: 1
m_RendererPriority: 0
m_Materials:
- {fileID: 2100000, guid: 238e1ff9a347fa34fb211c90fbc4bf9c, type: 2}
m_StaticBatchInfo:
firstSubMesh: 0
subMeshCount: 0
m_StaticBatchRoot: {fileID: 0}
m_ProbeAnchor: {fileID: 0}
m_LightProbeVolumeOverride: {fileID: 0}
m_ScaleInLightmap: 1
m_ReceiveGI: 1
m_PreserveUVs: 0
m_IgnoreNormalsForChartDetection: 0
m_ImportantGI: 0
m_StitchLightmapSeams: 1
m_SelectedEditorRenderState: 3
m_MinimumChartSize: 4
m_AutoUVMaxDistance: 0.5
m_AutoUVMaxAngle: 89
m_LightmapParameters: {fileID: 0}
m_GlobalIlluminationMeshLod: 0
m_SortingLayerID: 0
m_SortingLayer: 0
m_SortingOrder: 0
m_MaskInteraction: 0
m_Positions:
- {x: 0, y: -4, z: 0}
- {x: 0, y: 0, z: 1}
m_Parameters:
serializedVersion: 3
widthMultiplier: 1
widthCurve:
serializedVersion: 2
m_Curve:
- serializedVersion: 3
time: 0
value: 1
inSlope: 0
outSlope: 0
tangentMode: 0
weightedMode: 0
inWeight: 0.33333334
outWeight: 0.33333334
m_PreInfinity: 2
m_PostInfinity: 2
m_RotationOrder: 4
colorGradient:
serializedVersion: 2
key0: {r: 1, g: 1, b: 1, a: 1}
key1: {r: 1, g: 1, b: 1, a: 0}
key2: {r: 0, g: 0, b: 0, a: 0}
key3: {r: 0, g: 0, b: 0, a: 0}
key4: {r: 0, g: 0, b: 0, a: 0}
key5: {r: 0, g: 0, b: 0, a: 0}
key6: {r: 0, g: 0, b: 0, a: 0}
key7: {r: 0, g: 0, b: 0, a: 0}
ctime0: 0
ctime1: 65535
ctime2: 0
ctime3: 0
ctime4: 0
ctime5: 0
ctime6: 0
ctime7: 0
atime0: 386
atime1: 50115
atime2: 0
atime3: 0
atime4: 0
atime5: 0
atime6: 0
atime7: 0
m_Mode: 0
m_ColorSpace: 0
m_NumColorKeys: 2
m_NumAlphaKeys: 2
numCornerVertices: 0
numCapVertices: 0
alignment: 0
textureMode: 0
textureScale: {x: 1, y: 1}
shadowBias: 0.5
generateLightingData: 0
m_UseWorldSpace: 1
m_Loop: 0
m_ApplyActiveColorSpace: 1

View File

@ -0,0 +1,7 @@
fileFormatVersion: 2
guid: e8f07c107e1f3bc439f3c2cc5cd47138
PrefabImporter:
externalObjects: {}
userData:
assetBundleName:
assetBundleVariant:

View File

@ -0,0 +1,50 @@
%YAML 1.1
%TAG !u! tag:unity3d.com,2011:
--- !u!21 &2100000
Material:
serializedVersion: 8
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_Name: speedeffect
m_Shader: {fileID: 4800000, guid: e260cfa7296ee7642b167f1eb5be5023, type: 3}
m_Parent: {fileID: 0}
m_ModifiedSerializedProperties: 0
m_ValidKeywords: []
m_InvalidKeywords: []
m_LightmapFlags: 4
m_EnableInstancingVariants: 0
m_DoubleSidedGI: 0
m_CustomRenderQueue: -1
stringTagMap: {}
disabledShaderPasses: []
m_LockedProperties:
m_SavedProperties:
serializedVersion: 3
m_TexEnvs:
- _AlphaTex:
m_Texture: {fileID: 0}
m_Scale: {x: 1, y: 1}
m_Offset: {x: 0, y: 0}
- _MainTex:
m_Texture: {fileID: 2800000, guid: b7e58f741cb988849be43ec08d655647, type: 3}
m_Scale: {x: 1, y: 1}
m_Offset: {x: 0, y: 0}
- _MaskTex:
m_Texture: {fileID: 0}
m_Scale: {x: 1, y: 1}
m_Offset: {x: 0, y: 0}
- _NormalMap:
m_Texture: {fileID: 0}
m_Scale: {x: 1, y: 1}
m_Offset: {x: 0, y: 0}
m_Ints: []
m_Floats:
- _EnableExternalAlpha: 0
- _ZWrite: 0
m_Colors:
- _Color: {r: 1, g: 1, b: 1, a: 1}
- _RendererColor: {r: 1, g: 1, b: 1, a: 1}
m_BuildTextureStacks: []
m_AllowLocking: 1

View File

@ -0,0 +1,8 @@
fileFormatVersion: 2
guid: 238e1ff9a347fa34fb211c90fbc4bf9c
NativeFormatImporter:
externalObjects: {}
mainObjectFileID: 2100000
userData:
assetBundleName:
assetBundleVariant:

View File

@ -6,7 +6,7 @@ PhysicsMaterial2D:
m_CorrespondingSourceObject: {fileID: 0} m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0} m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0} m_PrefabAsset: {fileID: 0}
m_Name: New Physics Material 2D m_Name: PlayerMaterial
serializedVersion: 2 serializedVersion: 2
friction: 0 friction: 0
bounciness: 0 bounciness: 0

Binary file not shown.

After

Width:  |  Height:  |  Size: 3.2 KiB

View File

@ -0,0 +1,156 @@
fileFormatVersion: 2
guid: 67db81a3acefe3b4da30bd5ad430d40c
TextureImporter:
internalIDToNameTable:
- first:
213: -7659676285465694236
second: airAttack3_0
externalObjects: {}
serializedVersion: 13
mipmaps:
mipMapMode: 0
enableMipMap: 0
sRGBTexture: 1
linearTexture: 0
fadeOut: 0
borderMipMap: 0
mipMapsPreserveCoverage: 0
alphaTestReferenceValue: 0.5
mipMapFadeDistanceStart: 1
mipMapFadeDistanceEnd: 3
bumpmap:
convertToNormalMap: 0
externalNormalMap: 0
heightScale: 0.25
normalMapFilter: 0
flipGreenChannel: 0
isReadable: 0
streamingMipmaps: 0
streamingMipmapsPriority: 0
vTOnly: 0
ignoreMipmapLimit: 0
grayScaleToAlpha: 0
generateCubemap: 6
cubemapConvolution: 0
seamlessCubemap: 0
textureFormat: 1
maxTextureSize: 2048
textureSettings:
serializedVersion: 2
filterMode: 1
aniso: 1
mipBias: 0
wrapU: 1
wrapV: 1
wrapW: 1
nPOTScale: 0
lightmap: 0
compressionQuality: 50
spriteMode: 2
spriteExtrude: 1
spriteMeshType: 1
alignment: 0
spritePivot: {x: 0.5, y: 0.5}
spritePixelsToUnits: 100
spriteBorder: {x: 0, y: 0, z: 0, w: 0}
spriteGenerateFallbackPhysicsShape: 1
alphaUsage: 1
alphaIsTransparency: 1
spriteTessellationDetail: -1
textureType: 8
textureShape: 1
singleChannelComponent: 0
flipbookRows: 1
flipbookColumns: 1
maxTextureSizeSet: 0
compressionQualitySet: 0
textureFormatSet: 0
ignorePngGamma: 0
applyGammaDecoding: 0
swizzle: 50462976
cookieLightType: 0
platformSettings:
- serializedVersion: 4
buildTarget: DefaultTexturePlatform
maxTextureSize: 2048
resizeAlgorithm: 0
textureFormat: -1
textureCompression: 1
compressionQuality: 50
crunchedCompression: 0
allowsAlphaSplitting: 0
overridden: 0
ignorePlatformSupport: 0
androidETC2FallbackOverride: 0
forceMaximumCompressionQuality_BC6H_BC7: 0
- serializedVersion: 4
buildTarget: Standalone
maxTextureSize: 2048
resizeAlgorithm: 0
textureFormat: -1
textureCompression: 1
compressionQuality: 50
crunchedCompression: 0
allowsAlphaSplitting: 0
overridden: 0
ignorePlatformSupport: 0
androidETC2FallbackOverride: 0
forceMaximumCompressionQuality_BC6H_BC7: 0
- serializedVersion: 4
buildTarget: Android
maxTextureSize: 2048
resizeAlgorithm: 0
textureFormat: -1
textureCompression: 1
compressionQuality: 50
crunchedCompression: 0
allowsAlphaSplitting: 0
overridden: 0
ignorePlatformSupport: 0
androidETC2FallbackOverride: 0
forceMaximumCompressionQuality_BC6H_BC7: 0
spriteSheet:
serializedVersion: 2
sprites:
- serializedVersion: 2
name: airAttack3_0
rect:
serializedVersion: 2
x: 0
y: 0
width: 127
height: 88
alignment: 0
pivot: {x: 0, y: 0}
border: {x: 0, y: 0, z: 0, w: 0}
customData:
outline: []
physicsShape: []
tessellationDetail: -1
bones: []
spriteID: 4ef6556400d53b590800000000000000
internalID: -7659676285465694236
vertices: []
indices:
edges: []
weights: []
outline: []
customData:
physicsShape: []
bones: []
spriteID:
internalID: 0
vertices: []
indices:
edges: []
weights: []
secondaryTextures: []
spriteCustomMetadata:
entries: []
nameFileIdTable:
airAttack3_0: -7659676285465694236
mipmapLimitGroupName:
pSDRemoveMatte: 0
userData:
assetBundleName:
assetBundleVariant:

Binary file not shown.

After

Width:  |  Height:  |  Size: 959 B

View File

@ -0,0 +1,219 @@
fileFormatVersion: 2
guid: 65a58c5efff88054182285aaa9aa0ba1
TextureImporter:
internalIDToNameTable:
- first:
213: -970478734051536674
second: airAttackEffect_0
- first:
213: 2199998272801448510
second: airAttackEffect_1
- first:
213: -6180908345912361201
second: airAttackEffect_2
- first:
213: -7206911742648575291
second: airAttackEffect_3
- first:
213: 5974534540297759732
second: airAttackEffect_4
- first:
213: -5711518137115017649
second: airAttackEffect_5
externalObjects: {}
serializedVersion: 13
mipmaps:
mipMapMode: 0
enableMipMap: 0
sRGBTexture: 1
linearTexture: 0
fadeOut: 0
borderMipMap: 0
mipMapsPreserveCoverage: 0
alphaTestReferenceValue: 0.5
mipMapFadeDistanceStart: 1
mipMapFadeDistanceEnd: 3
bumpmap:
convertToNormalMap: 0
externalNormalMap: 0
heightScale: 0.25
normalMapFilter: 0
flipGreenChannel: 0
isReadable: 0
streamingMipmaps: 0
streamingMipmapsPriority: 0
vTOnly: 0
ignoreMipmapLimit: 0
grayScaleToAlpha: 0
generateCubemap: 6
cubemapConvolution: 0
seamlessCubemap: 0
textureFormat: 1
maxTextureSize: 2048
textureSettings:
serializedVersion: 2
filterMode: 0
aniso: 1
mipBias: 0
wrapU: 1
wrapV: 1
wrapW: 1
nPOTScale: 0
lightmap: 0
compressionQuality: 50
spriteMode: 2
spriteExtrude: 1
spriteMeshType: 1
alignment: 0
spritePivot: {x: 0.5, y: 0.5}
spritePixelsToUnits: 80
spriteBorder: {x: 0, y: 0, z: 0, w: 0}
spriteGenerateFallbackPhysicsShape: 1
alphaUsage: 1
alphaIsTransparency: 1
spriteTessellationDetail: -1
textureType: 8
textureShape: 1
singleChannelComponent: 0
flipbookRows: 1
flipbookColumns: 1
maxTextureSizeSet: 0
compressionQualitySet: 0
textureFormatSet: 0
ignorePngGamma: 0
applyGammaDecoding: 0
swizzle: 50462976
cookieLightType: 0
platformSettings:
- serializedVersion: 4
buildTarget: DefaultTexturePlatform
maxTextureSize: 2048
resizeAlgorithm: 0
textureFormat: -1
textureCompression: 0
compressionQuality: 50
crunchedCompression: 0
allowsAlphaSplitting: 0
overridden: 0
ignorePlatformSupport: 0
androidETC2FallbackOverride: 0
forceMaximumCompressionQuality_BC6H_BC7: 0
- serializedVersion: 4
buildTarget: Standalone
maxTextureSize: 2048
resizeAlgorithm: 0
textureFormat: -1
textureCompression: 1
compressionQuality: 50
crunchedCompression: 0
allowsAlphaSplitting: 0
overridden: 0
ignorePlatformSupport: 0
androidETC2FallbackOverride: 0
forceMaximumCompressionQuality_BC6H_BC7: 0
- serializedVersion: 4
buildTarget: Android
maxTextureSize: 2048
resizeAlgorithm: 0
textureFormat: -1
textureCompression: 1
compressionQuality: 50
crunchedCompression: 0
allowsAlphaSplitting: 0
overridden: 0
ignorePlatformSupport: 0
androidETC2FallbackOverride: 0
forceMaximumCompressionQuality_BC6H_BC7: 0
spriteSheet:
serializedVersion: 2
sprites:
- serializedVersion: 2
name: airAttackEffect_0
rect:
serializedVersion: 2
x: 0
y: 0
width: 80
height: 80
alignment: 0
pivot: {x: 0.5, y: 0.5}
border: {x: 0, y: 0, z: 0, w: 0}
customData:
outline: []
physicsShape: []
tessellationDetail: -1
bones: []
spriteID: ed099c2bbba2882f0800000000000000
internalID: -970478734051536674
vertices: []
indices:
edges: []
weights: []
- serializedVersion: 2
name: airAttackEffect_1
rect:
serializedVersion: 2
x: 80
y: 0
width: 80
height: 80
alignment: 0
pivot: {x: 0.5, y: 0.5}
border: {x: 0, y: 0, z: 0, w: 0}
customData:
outline: []
physicsShape: []
tessellationDetail: -1
bones: []
spriteID: e32adc4e5c6f78e10800000000000000
internalID: 2199998272801448510
vertices: []
indices:
edges: []
weights: []
- serializedVersion: 2
name: airAttackEffect_2
rect:
serializedVersion: 2
x: 160
y: 0
width: 80
height: 80
alignment: 0
pivot: {x: 0.5, y: 0.5}
border: {x: 0, y: 0, z: 0, w: 0}
customData:
outline: []
physicsShape: []
tessellationDetail: -1
bones: []
spriteID: f0f75a47b90093aa0800000000000000
internalID: -6180908345912361201
vertices: []
indices:
edges: []
weights: []
outline: []
customData:
physicsShape: []
bones: []
spriteID: 5e97eb03825dee720800000000000000
internalID: 0
vertices: []
indices:
edges: []
weights: []
secondaryTextures: []
spriteCustomMetadata:
entries:
- key: SpriteEditor.SliceSettings
value: '{"sliceOnImport":false,"gridCellCount":{"x":1.0,"y":1.0},"gridSpriteSize":{"x":80.0,"y":80.0},"gridSpriteOffset":{"x":0.0,"y":0.0},"gridSpritePadding":{"x":0.0,"y":0.0},"pivot":{"x":0.5,"y":0.5},"pivotPixels":{"x":0.0,"y":0.0},"autoSlicingMethod":0,"spriteAlignment":0,"pivotUnitMode":0,"slicingType":1,"keepEmptyRects":false,"isAlternate":false}'
nameFileIdTable:
airAttackEffect_0: -970478734051536674
airAttackEffect_1: 2199998272801448510
airAttackEffect_2: -6180908345912361201
mipmapLimitGroupName:
pSDRemoveMatte: 0
userData:
assetBundleName:
assetBundleVariant:

View File

@ -129,8 +129,8 @@ ScriptedImporter:
animatedSpriteImportData: animatedSpriteImportData:
- name: Frame_0 - name: Frame_0
originalName: originalName:
pivot: {x: 0.46875, y: -0.03448276} pivot: {x: 0.5, y: 0}
alignment: 9 alignment: 7
border: {x: 0, y: 0, z: 0, w: 0} border: {x: 0, y: 0, z: 0, w: 0}
customData: customData:
rect: rect:

View File

@ -0,0 +1,231 @@
%YAML 1.1
%TAG !u! tag:unity3d.com,2011:
--- !u!213 &21300000
Sprite:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_Name: nano_tag
m_Rect:
serializedVersion: 2
x: 42
y: 0
width: 64
height: 59
m_Offset: {x: 0, y: 0}
m_Border: {x: 0, y: 0, z: 0, w: 0}
m_PixelsToUnits: 100
m_Pivot: {x: 0.5, y: 0.5}
m_Extrude: 1
m_IsPolygon: 0
m_PackingTag:
m_RenderDataKey:
7641a5d3eb9ee7643abb19a19e08267d: -8178120883942865836
m_AtlasTags: []
m_SpriteAtlas: {fileID: 0}
m_RD:
serializedVersion: 3
texture: {fileID: 2800000, guid: 7641a5d3eb9ee7643abb19a19e08267d, type: 3}
alphaTexture: {fileID: 0}
secondaryTextures: []
m_SubMeshes:
- serializedVersion: 2
firstByte: 0
indexCount: 36
topology: 0
baseVertex: 0
firstVertex: 0
vertexCount: 12
localAABB:
m_Center: {x: 0, y: 0, z: 0}
m_Extent: {x: 0, y: 0, z: 0}
m_IndexBuffer: 0b000a000900080009000a00030009000800070003000800060003000700000003000600040000000600020000000400010002000400050001000400030000000100020001000000
m_VertexData:
serializedVersion: 3
m_VertexCount: 12
m_Channels:
- stream: 0
offset: 0
format: 0
dimension: 3
- stream: 0
offset: 0
format: 0
dimension: 0
- stream: 0
offset: 0
format: 0
dimension: 0
- stream: 0
offset: 0
format: 0
dimension: 0
- stream: 1
offset: 0
format: 0
dimension: 2
- stream: 0
offset: 0
format: 0
dimension: 0
- stream: 0
offset: 0
format: 0
dimension: 0
- stream: 0
offset: 0
format: 0
dimension: 0
- stream: 0
offset: 0
format: 0
dimension: 0
- stream: 0
offset: 0
format: 0
dimension: 0
- stream: 0
offset: 0
format: 0
dimension: 0
- stream: 0
offset: 0
format: 0
dimension: 0
- stream: 0
offset: 0
format: 0
dimension: 0
- stream: 0
offset: 0
format: 0
dimension: 0
m_DataSize: 240
_typelessdata: 295c8f3d14ae87be00000000295c0f3e3d0a97be00000000b81e053e14ae87be000000008fc2753d3d0a97be000000000ad7a33e333333be000000000ad7a33e3d0a97be00000000000000006666663e00000000295c8fbd3d0a973e00000000000080be3d0a973e000000009a9999be3d0a97be000000000ad7a3be85eb513e000000000ad7a3bed7a370be00000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000
m_Bindpose: []
textureRect:
serializedVersion: 2
x: 42
y: 0
width: 64
height: 59
textureRectOffset: {x: 0, y: 0}
atlasRectOffset: {x: -1, y: -1}
settingsRaw: 64
uvTransform: {x: 100, y: 74, z: 100, w: 29.5}
downscaleMultiplier: 1
m_AtlasRD:
serializedVersion: 3
texture: {fileID: 2800000, guid: 7641a5d3eb9ee7643abb19a19e08267d, type: 3}
alphaTexture: {fileID: 0}
secondaryTextures: []
m_SubMeshes:
- serializedVersion: 2
firstByte: 0
indexCount: 36
topology: 0
baseVertex: 0
firstVertex: 0
vertexCount: 12
localAABB:
m_Center: {x: 0, y: 0, z: 0}
m_Extent: {x: 0, y: 0, z: 0}
m_IndexBuffer: 0b000a000900080009000a00030009000800070003000800060003000700000003000600040000000600020000000400010002000400050001000400030000000100020001000000
m_VertexData:
serializedVersion: 3
m_VertexCount: 12
m_Channels:
- stream: 0
offset: 0
format: 0
dimension: 3
- stream: 0
offset: 0
format: 0
dimension: 0
- stream: 0
offset: 0
format: 0
dimension: 0
- stream: 0
offset: 0
format: 0
dimension: 0
- stream: 1
offset: 0
format: 0
dimension: 2
- stream: 0
offset: 0
format: 0
dimension: 0
- stream: 0
offset: 0
format: 0
dimension: 0
- stream: 0
offset: 0
format: 0
dimension: 0
- stream: 0
offset: 0
format: 0
dimension: 0
- stream: 0
offset: 0
format: 0
dimension: 0
- stream: 0
offset: 0
format: 0
dimension: 0
- stream: 0
offset: 0
format: 0
dimension: 0
- stream: 0
offset: 0
format: 0
dimension: 0
- stream: 0
offset: 0
format: 0
dimension: 0
m_DataSize: 240
_typelessdata: 295c8f3d14ae87be00000000295c0f3e3d0a97be00000000b81e053e14ae87be000000008fc2753d3d0a97be000000000ad7a33e333333be000000000ad7a33e3d0a97be00000000000000006666663e00000000295c8fbd3d0a973e00000000000080be3d0a973e000000009a9999be3d0a97be000000000ad7a3be85eb513e000000000ad7a3bed7a370be00000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000000
m_Bindpose: []
textureRect:
serializedVersion: 2
x: 42
y: 0
width: 64
height: 59
textureRectOffset: {x: 0, y: 0}
atlasRectOffset: {x: -1, y: -1}
settingsRaw: 64
uvTransform: {x: 100, y: 74, z: 100, w: 29.5}
downscaleMultiplier: 1
m_PhysicsShape:
- - {x: 0.14, y: -0.295}
- {x: 0.13, y: -0.265}
- {x: 0.07, y: -0.265}
- {x: 0.06, y: -0.295}
- - {x: 0.11, y: -0.035}
- {x: -0.04, y: 0.095}
- {x: 0, y: 0.225}
- {x: -0.07, y: 0.295}
- {x: -0.25, y: 0.295}
- {x: -0.32, y: 0.205}
- {x: -0.32, y: -0.235}
- {x: -0.29999998, y: -0.295}
- {x: -0.21, y: -0.295}
- {x: -0.16, y: -0.275}
- {x: -0.099999994, y: -0.235}
- {x: -0.01, y: -0.295}
- {x: 0.32, y: -0.295}
- {x: 0.32, y: -0.255}
- {x: 0.29999998, y: -0.21499999}
m_Bones: []
m_ScriptableObjects: []
m_SpriteID: 454c166b26a718e80800000000000000

View File

@ -0,0 +1,8 @@
fileFormatVersion: 2
guid: eaa8ab217c3223f479354e5699dd400e
NativeFormatImporter:
externalObjects: {}
mainObjectFileID: 21300000
userData:
assetBundleName:
assetBundleVariant:

Binary file not shown.

After

Width:  |  Height:  |  Size: 5.2 KiB

View File

@ -0,0 +1,200 @@
fileFormatVersion: 2
guid: 7641a5d3eb9ee7643abb19a19e08267d
TextureImporter:
internalIDToNameTable:
- first:
213: -8178120883942865836
second: nano_weakAttack2_0
- first:
213: -5726709913701112080
second: nano_weakAttack2_1
- first:
213: 504106657834057123
second: nano_weakAttack2_2
- first:
213: -303768992925559511
second: nano_weakAttack2_3
externalObjects: {}
serializedVersion: 13
mipmaps:
mipMapMode: 0
enableMipMap: 0
sRGBTexture: 1
linearTexture: 0
fadeOut: 0
borderMipMap: 0
mipMapsPreserveCoverage: 0
alphaTestReferenceValue: 0.5
mipMapFadeDistanceStart: 1
mipMapFadeDistanceEnd: 3
bumpmap:
convertToNormalMap: 0
externalNormalMap: 0
heightScale: 0.25
normalMapFilter: 0
flipGreenChannel: 0
isReadable: 0
streamingMipmaps: 0
streamingMipmapsPriority: 0
vTOnly: 0
ignoreMipmapLimit: 0
grayScaleToAlpha: 0
generateCubemap: 6
cubemapConvolution: 0
seamlessCubemap: 0
textureFormat: 1
maxTextureSize: 2048
textureSettings:
serializedVersion: 2
filterMode: 0
aniso: 1
mipBias: 0
wrapU: 0
wrapV: 0
wrapW: 0
nPOTScale: 0
lightmap: 0
compressionQuality: 50
spriteMode: 2
spriteExtrude: 1
spriteMeshType: 1
alignment: 0
spritePivot: {x: 0.5, y: 0.5}
spritePixelsToUnits: 100
spriteBorder: {x: 0, y: 0, z: 0, w: 0}
spriteGenerateFallbackPhysicsShape: 1
alphaUsage: 1
alphaIsTransparency: 1
spriteTessellationDetail: -1
textureType: 8
textureShape: 1
singleChannelComponent: 0
flipbookRows: 1
flipbookColumns: 1
maxTextureSizeSet: 0
compressionQualitySet: 0
textureFormatSet: 0
ignorePngGamma: 0
applyGammaDecoding: 0
swizzle: 50462976
cookieLightType: 0
platformSettings:
- serializedVersion: 4
buildTarget: DefaultTexturePlatform
maxTextureSize: 2048
resizeAlgorithm: 0
textureFormat: -1
textureCompression: 1
compressionQuality: 50
crunchedCompression: 0
allowsAlphaSplitting: 0
overridden: 0
ignorePlatformSupport: 0
androidETC2FallbackOverride: 0
forceMaximumCompressionQuality_BC6H_BC7: 0
- serializedVersion: 4
buildTarget: Standalone
maxTextureSize: 2048
resizeAlgorithm: 0
textureFormat: -1
textureCompression: 1
compressionQuality: 50
crunchedCompression: 0
allowsAlphaSplitting: 0
overridden: 0
ignorePlatformSupport: 0
androidETC2FallbackOverride: 0
forceMaximumCompressionQuality_BC6H_BC7: 0
spriteSheet:
serializedVersion: 2
sprites:
- serializedVersion: 2
name: nano_weakAttack2_0
rect:
serializedVersion: 2
x: 0
y: 0
width: 128
height: 128
alignment: 7
pivot: {x: 0.5, y: 0}
border: {x: 0, y: 0, z: 0, w: 0}
customData:
outline: []
physicsShape: []
tessellationDetail: -1
bones: []
spriteID: 454c166b26a718e80800000000000000
internalID: -8178120883942865836
vertices: []
indices:
edges: []
weights: []
- serializedVersion: 2
name: nano_weakAttack2_1
rect:
serializedVersion: 2
x: 128
y: 0
width: 128
height: 128
alignment: 7
pivot: {x: 0.5, y: 0}
border: {x: 0, y: 0, z: 0, w: 0}
customData:
outline: []
physicsShape: []
tessellationDetail: -1
bones: []
spriteID: 0f62326cca3a680b0800000000000000
internalID: -5726709913701112080
vertices: []
indices:
edges: []
weights: []
- serializedVersion: 2
name: nano_weakAttack2_2
rect:
serializedVersion: 2
x: 256
y: 0
width: 128
height: 128
alignment: 7
pivot: {x: 0.5, y: 0}
border: {x: 0, y: 0, z: 0, w: 0}
customData:
outline: []
physicsShape: []
tessellationDetail: -1
bones: []
spriteID: 3adbb1d9552fef600800000000000000
internalID: 504106657834057123
vertices: []
indices:
edges: []
weights: []
outline: []
customData:
physicsShape: []
bones: []
spriteID: 0c075db04ebb15d45b424021c42e51ba
internalID: 0
vertices: []
indices:
edges: []
weights: []
secondaryTextures: []
spriteCustomMetadata:
entries:
- key: SpriteEditor.SliceSettings
value: '{"sliceOnImport":false,"gridCellCount":{"x":1.0,"y":1.0},"gridSpriteSize":{"x":128.0,"y":128.0},"gridSpriteOffset":{"x":0.0,"y":0.0},"gridSpritePadding":{"x":0.0,"y":0.0},"pivot":{"x":0.5,"y":0.0},"pivotPixels":{"x":0.0,"y":0.0},"autoSlicingMethod":0,"spriteAlignment":7,"pivotUnitMode":0,"slicingType":1,"keepEmptyRects":false,"isAlternate":false}'
nameFileIdTable:
nano_weakAttack2_0: -8178120883942865836
nano_weakAttack2_1: -5726709913701112080
nano_weakAttack2_2: 504106657834057123
mipmapLimitGroupName:
pSDRemoveMatte: 0
userData:
assetBundleName:
assetBundleVariant:

Binary file not shown.

After

Width:  |  Height:  |  Size: 274 B

View File

@ -0,0 +1,143 @@
fileFormatVersion: 2
guid: 520a48bf712118f4f9368fd5b5752032
TextureImporter:
internalIDToNameTable:
- first:
213: -6291135205540322257
second: niddle_0
externalObjects: {}
serializedVersion: 13
mipmaps:
mipMapMode: 0
enableMipMap: 0
sRGBTexture: 1
linearTexture: 0
fadeOut: 0
borderMipMap: 0
mipMapsPreserveCoverage: 0
alphaTestReferenceValue: 0.5
mipMapFadeDistanceStart: 1
mipMapFadeDistanceEnd: 3
bumpmap:
convertToNormalMap: 0
externalNormalMap: 0
heightScale: 0.25
normalMapFilter: 0
flipGreenChannel: 0
isReadable: 0
streamingMipmaps: 0
streamingMipmapsPriority: 0
vTOnly: 0
ignoreMipmapLimit: 0
grayScaleToAlpha: 0
generateCubemap: 6
cubemapConvolution: 0
seamlessCubemap: 0
textureFormat: 1
maxTextureSize: 2048
textureSettings:
serializedVersion: 2
filterMode: 1
aniso: 1
mipBias: 0
wrapU: 1
wrapV: 1
wrapW: 1
nPOTScale: 0
lightmap: 0
compressionQuality: 50
spriteMode: 2
spriteExtrude: 1
spriteMeshType: 1
alignment: 0
spritePivot: {x: 0.5, y: 0.5}
spritePixelsToUnits: 100
spriteBorder: {x: 0, y: 0, z: 0, w: 0}
spriteGenerateFallbackPhysicsShape: 1
alphaUsage: 1
alphaIsTransparency: 1
spriteTessellationDetail: -1
textureType: 8
textureShape: 1
singleChannelComponent: 0
flipbookRows: 1
flipbookColumns: 1
maxTextureSizeSet: 0
compressionQualitySet: 0
textureFormatSet: 0
ignorePngGamma: 0
applyGammaDecoding: 0
swizzle: 50462976
cookieLightType: 0
platformSettings:
- serializedVersion: 4
buildTarget: DefaultTexturePlatform
maxTextureSize: 2048
resizeAlgorithm: 0
textureFormat: -1
textureCompression: 1
compressionQuality: 50
crunchedCompression: 0
allowsAlphaSplitting: 0
overridden: 0
ignorePlatformSupport: 0
androidETC2FallbackOverride: 0
forceMaximumCompressionQuality_BC6H_BC7: 0
- serializedVersion: 4
buildTarget: Standalone
maxTextureSize: 2048
resizeAlgorithm: 0
textureFormat: -1
textureCompression: 1
compressionQuality: 50
crunchedCompression: 0
allowsAlphaSplitting: 0
overridden: 0
ignorePlatformSupport: 0
androidETC2FallbackOverride: 0
forceMaximumCompressionQuality_BC6H_BC7: 0
spriteSheet:
serializedVersion: 2
sprites:
- serializedVersion: 2
name: niddle_0
rect:
serializedVersion: 2
x: 9
y: 38
width: 49
height: 7
alignment: 0
pivot: {x: 0, y: 0}
border: {x: 0, y: 0, z: 0, w: 0}
customData:
outline: []
physicsShape: []
tessellationDetail: -1
bones: []
spriteID: f24a0d7ccd561b8a0800000000000000
internalID: -6291135205540322257
vertices: []
indices:
edges: []
weights: []
outline: []
customData:
physicsShape: []
bones: []
spriteID:
internalID: 0
vertices: []
indices:
edges: []
weights: []
secondaryTextures: []
spriteCustomMetadata:
entries: []
nameFileIdTable:
niddle_0: -6291135205540322257
mipmapLimitGroupName:
pSDRemoveMatte: 0
userData:
assetBundleName:
assetBundleVariant:

Binary file not shown.

After

Width:  |  Height:  |  Size: 3.7 KiB

View File

@ -0,0 +1,242 @@
fileFormatVersion: 2
guid: ae0b65a11d9232f4bafdf6470711a327
TextureImporter:
internalIDToNameTable:
- first:
213: 4116710721252274232
second: secondJump_0
- first:
213: -5676229915273375884
second: secondJump_1
- first:
213: 8909477302982191630
second: secondJump_2
- first:
213: 5796884925777488212
second: secondJump_3
- first:
213: -4890677466015976305
second: secondJump_4
- first:
213: 1103035516760459816
second: secondJump_5
externalObjects: {}
serializedVersion: 13
mipmaps:
mipMapMode: 0
enableMipMap: 0
sRGBTexture: 1
linearTexture: 0
fadeOut: 0
borderMipMap: 0
mipMapsPreserveCoverage: 0
alphaTestReferenceValue: 0.5
mipMapFadeDistanceStart: 1
mipMapFadeDistanceEnd: 3
bumpmap:
convertToNormalMap: 0
externalNormalMap: 0
heightScale: 0.25
normalMapFilter: 0
flipGreenChannel: 0
isReadable: 0
streamingMipmaps: 0
streamingMipmapsPriority: 0
vTOnly: 0
ignoreMipmapLimit: 0
grayScaleToAlpha: 0
generateCubemap: 6
cubemapConvolution: 0
seamlessCubemap: 0
textureFormat: 1
maxTextureSize: 2048
textureSettings:
serializedVersion: 2
filterMode: 0
aniso: 1
mipBias: 0
wrapU: 1
wrapV: 1
wrapW: 1
nPOTScale: 0
lightmap: 0
compressionQuality: 50
spriteMode: 2
spriteExtrude: 1
spriteMeshType: 1
alignment: 0
spritePivot: {x: 0.5, y: 0.5}
spritePixelsToUnits: 80
spriteBorder: {x: 0, y: 0, z: 0, w: 0}
spriteGenerateFallbackPhysicsShape: 1
alphaUsage: 1
alphaIsTransparency: 1
spriteTessellationDetail: -1
textureType: 8
textureShape: 1
singleChannelComponent: 0
flipbookRows: 1
flipbookColumns: 1
maxTextureSizeSet: 0
compressionQualitySet: 0
textureFormatSet: 0
ignorePngGamma: 0
applyGammaDecoding: 0
swizzle: 50462976
cookieLightType: 0
platformSettings:
- serializedVersion: 4
buildTarget: DefaultTexturePlatform
maxTextureSize: 2048
resizeAlgorithm: 0
textureFormat: -1
textureCompression: 0
compressionQuality: 50
crunchedCompression: 0
allowsAlphaSplitting: 0
overridden: 0
ignorePlatformSupport: 0
androidETC2FallbackOverride: 0
forceMaximumCompressionQuality_BC6H_BC7: 0
- serializedVersion: 4
buildTarget: Standalone
maxTextureSize: 2048
resizeAlgorithm: 0
textureFormat: -1
textureCompression: 1
compressionQuality: 50
crunchedCompression: 0
allowsAlphaSplitting: 0
overridden: 0
ignorePlatformSupport: 0
androidETC2FallbackOverride: 0
forceMaximumCompressionQuality_BC6H_BC7: 0
- serializedVersion: 4
buildTarget: Android
maxTextureSize: 2048
resizeAlgorithm: 0
textureFormat: -1
textureCompression: 1
compressionQuality: 50
crunchedCompression: 0
allowsAlphaSplitting: 0
overridden: 0
ignorePlatformSupport: 0
androidETC2FallbackOverride: 0
forceMaximumCompressionQuality_BC6H_BC7: 0
spriteSheet:
serializedVersion: 2
sprites:
- serializedVersion: 2
name: secondJump_0
rect:
serializedVersion: 2
x: 0
y: 0
width: 80
height: 80
alignment: 0
pivot: {x: 0.5, y: 0.5}
border: {x: 0, y: 0, z: 0, w: 0}
customData:
outline: []
physicsShape: []
tessellationDetail: -1
bones: []
spriteID: 830b847f69e712930800000000000000
internalID: 4116710721252274232
vertices: []
indices:
edges: []
weights: []
- serializedVersion: 2
name: secondJump_1
rect:
serializedVersion: 2
x: 80
y: 0
width: 80
height: 80
alignment: 0
pivot: {x: 0.5, y: 0.5}
border: {x: 0, y: 0, z: 0, w: 0}
customData:
outline: []
physicsShape: []
tessellationDetail: -1
bones: []
spriteID: 47f4fac47faf931b0800000000000000
internalID: -5676229915273375884
vertices: []
indices:
edges: []
weights: []
- serializedVersion: 2
name: secondJump_2
rect:
serializedVersion: 2
x: 160
y: 0
width: 80
height: 80
alignment: 0
pivot: {x: 0.5, y: 0.5}
border: {x: 0, y: 0, z: 0, w: 0}
customData:
outline: []
physicsShape: []
tessellationDetail: -1
bones: []
spriteID: e0aa8a21762d4ab70800000000000000
internalID: 8909477302982191630
vertices: []
indices:
edges: []
weights: []
- serializedVersion: 2
name: secondJump_3
rect:
serializedVersion: 2
x: 240
y: 0
width: 80
height: 80
alignment: 0
pivot: {x: 0.5, y: 0.5}
border: {x: 0, y: 0, z: 0, w: 0}
customData:
outline: []
physicsShape: []
tessellationDetail: -1
bones: []
spriteID: 459a8c4702ca27050800000000000000
internalID: 5796884925777488212
vertices: []
indices:
edges: []
weights: []
outline: []
customData:
physicsShape: []
bones: []
spriteID: a6ddd0a3daed324489d23a0ca62803f1
internalID: 0
vertices: []
indices:
edges: []
weights: []
secondaryTextures: []
spriteCustomMetadata:
entries:
- key: SpriteEditor.SliceSettings
value: '{"sliceOnImport":false,"gridCellCount":{"x":1.0,"y":1.0},"gridSpriteSize":{"x":80.0,"y":80.0},"gridSpriteOffset":{"x":0.0,"y":0.0},"gridSpritePadding":{"x":0.0,"y":0.0},"pivot":{"x":0.5,"y":0.5},"pivotPixels":{"x":0.0,"y":0.0},"autoSlicingMethod":0,"spriteAlignment":0,"pivotUnitMode":0,"slicingType":1,"keepEmptyRects":false,"isAlternate":false}'
nameFileIdTable:
secondJump_0: 4116710721252274232
secondJump_1: -5676229915273375884
secondJump_2: 8909477302982191630
secondJump_3: 5796884925777488212
mipmapLimitGroupName:
pSDRemoveMatte: 0
userData:
assetBundleName:
assetBundleVariant:

Binary file not shown.

After

Width:  |  Height:  |  Size: 4.3 KiB

View File

@ -0,0 +1,156 @@
fileFormatVersion: 2
guid: b7e58f741cb988849be43ec08d655647
TextureImporter:
internalIDToNameTable:
- first:
213: 2365468390319771523
second: speedEffect_0
externalObjects: {}
serializedVersion: 13
mipmaps:
mipMapMode: 0
enableMipMap: 0
sRGBTexture: 1
linearTexture: 0
fadeOut: 0
borderMipMap: 0
mipMapsPreserveCoverage: 0
alphaTestReferenceValue: 0.5
mipMapFadeDistanceStart: 1
mipMapFadeDistanceEnd: 3
bumpmap:
convertToNormalMap: 0
externalNormalMap: 0
heightScale: 0.25
normalMapFilter: 0
flipGreenChannel: 0
isReadable: 0
streamingMipmaps: 0
streamingMipmapsPriority: 0
vTOnly: 0
ignoreMipmapLimit: 0
grayScaleToAlpha: 0
generateCubemap: 6
cubemapConvolution: 0
seamlessCubemap: 0
textureFormat: 1
maxTextureSize: 2048
textureSettings:
serializedVersion: 2
filterMode: 1
aniso: 1
mipBias: 0
wrapU: 1
wrapV: 1
wrapW: 1
nPOTScale: 0
lightmap: 0
compressionQuality: 50
spriteMode: 1
spriteExtrude: 1
spriteMeshType: 1
alignment: 0
spritePivot: {x: 0.5, y: 0.5}
spritePixelsToUnits: 100
spriteBorder: {x: 0, y: 0, z: 0, w: 0}
spriteGenerateFallbackPhysicsShape: 1
alphaUsage: 1
alphaIsTransparency: 1
spriteTessellationDetail: -1
textureType: 8
textureShape: 1
singleChannelComponent: 0
flipbookRows: 1
flipbookColumns: 1
maxTextureSizeSet: 0
compressionQualitySet: 0
textureFormatSet: 0
ignorePngGamma: 0
applyGammaDecoding: 0
swizzle: 50462976
cookieLightType: 0
platformSettings:
- serializedVersion: 4
buildTarget: DefaultTexturePlatform
maxTextureSize: 2048
resizeAlgorithm: 0
textureFormat: -1
textureCompression: 1
compressionQuality: 50
crunchedCompression: 0
allowsAlphaSplitting: 0
overridden: 0
ignorePlatformSupport: 0
androidETC2FallbackOverride: 0
forceMaximumCompressionQuality_BC6H_BC7: 0
- serializedVersion: 4
buildTarget: Standalone
maxTextureSize: 2048
resizeAlgorithm: 0
textureFormat: -1
textureCompression: 1
compressionQuality: 50
crunchedCompression: 0
allowsAlphaSplitting: 0
overridden: 0
ignorePlatformSupport: 0
androidETC2FallbackOverride: 0
forceMaximumCompressionQuality_BC6H_BC7: 0
- serializedVersion: 4
buildTarget: Android
maxTextureSize: 2048
resizeAlgorithm: 0
textureFormat: -1
textureCompression: 1
compressionQuality: 50
crunchedCompression: 0
allowsAlphaSplitting: 0
overridden: 0
ignorePlatformSupport: 0
androidETC2FallbackOverride: 0
forceMaximumCompressionQuality_BC6H_BC7: 0
spriteSheet:
serializedVersion: 2
sprites:
- serializedVersion: 2
name: speedEffect_0
rect:
serializedVersion: 2
x: 0
y: 50
width: 128
height: 32
alignment: 0
pivot: {x: 0, y: 0}
border: {x: 0, y: 0, z: 0, w: 0}
customData:
outline: []
physicsShape: []
tessellationDetail: -1
bones: []
spriteID: 38fcc6cd7f4d3d020800000000000000
internalID: 2365468390319771523
vertices: []
indices:
edges: []
weights: []
outline: []
customData:
physicsShape: []
bones: []
spriteID: 5e97eb03825dee720800000000000000
internalID: 0
vertices: []
indices:
edges: []
weights: []
secondaryTextures: []
spriteCustomMetadata:
entries: []
nameFileIdTable:
speedEffect_0: 2365468390319771523
mipmapLimitGroupName:
pSDRemoveMatte: 0
userData:
assetBundleName:
assetBundleVariant:

View File

@ -0,0 +1,8 @@
fileFormatVersion: 2
guid: a2d79301fcfad0349a10420255fd8402
folderAsset: yes
DefaultImporter:
externalObjects: {}
userData:
assetBundleName:
assetBundleVariant:

View File

@ -0,0 +1,516 @@
%YAML 1.1
%TAG !u! tag:unity3d.com,2011:
--- !u!1 &1165706789301945028
GameObject:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
serializedVersion: 6
m_Component:
- component: {fileID: 8331630211414336301}
- component: {fileID: 3815862525644014151}
- component: {fileID: 8936138355889603611}
m_Layer: 0
m_Name: aAtk
m_TagString: Player
m_Icon: {fileID: 0}
m_NavMeshLayer: 0
m_StaticEditorFlags: 0
m_IsActive: 0
--- !u!4 &8331630211414336301
Transform:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 1165706789301945028}
serializedVersion: 2
m_LocalRotation: {x: -0, y: -0, z: -0, w: 1}
m_LocalPosition: {x: -0.27, y: -0.12, z: -0}
m_LocalScale: {x: 1, y: 3.075, z: 1}
m_ConstrainProportionsScale: 0
m_Children: []
m_Father: {fileID: 5975845663747444256}
m_LocalEulerAnglesHint: {x: 0, y: 0, z: 0}
--- !u!212 &3815862525644014151
SpriteRenderer:
serializedVersion: 2
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 1165706789301945028}
m_Enabled: 1
m_CastShadows: 0
m_ReceiveShadows: 0
m_DynamicOccludee: 1
m_StaticShadowCaster: 0
m_MotionVectors: 1
m_LightProbeUsage: 1
m_ReflectionProbeUsage: 1
m_RayTracingMode: 0
m_RayTraceProcedural: 0
m_RayTracingAccelStructBuildFlagsOverride: 0
m_RayTracingAccelStructBuildFlags: 1
m_SmallMeshCulling: 1
m_ForceMeshLod: -1
m_MeshLodSelectionBias: 0
m_RenderingLayerMask: 1
m_RendererPriority: 0
m_Materials:
- {fileID: 10754, guid: 0000000000000000f000000000000000, type: 0}
m_StaticBatchInfo:
firstSubMesh: 0
subMeshCount: 0
m_StaticBatchRoot: {fileID: 0}
m_ProbeAnchor: {fileID: 0}
m_LightProbeVolumeOverride: {fileID: 0}
m_ScaleInLightmap: 1
m_ReceiveGI: 1
m_PreserveUVs: 0
m_IgnoreNormalsForChartDetection: 0
m_ImportantGI: 0
m_StitchLightmapSeams: 1
m_SelectedEditorRenderState: 0
m_MinimumChartSize: 4
m_AutoUVMaxDistance: 0.5
m_AutoUVMaxAngle: 89
m_LightmapParameters: {fileID: 0}
m_GlobalIlluminationMeshLod: 0
m_SortingLayerID: 0
m_SortingLayer: 0
m_SortingOrder: 3
m_MaskInteraction: 0
m_Sprite: {fileID: -9079545175819313884, guid: 841c74153b457a9488f5bd65f845c539, type: 3}
m_Color: {r: 1, g: 1, b: 1, a: 1}
m_FlipX: 0
m_FlipY: 0
m_DrawMode: 0
m_Size: {x: 0.32, y: 0.18}
m_AdaptiveModeThreshold: 0.5
m_SpriteTileMode: 0
m_WasSpriteAssigned: 1
m_SpriteSortPoint: 0
--- !u!95 &8936138355889603611
Animator:
serializedVersion: 7
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 1165706789301945028}
m_Enabled: 1
m_Avatar: {fileID: 0}
m_Controller: {fileID: 9100000, guid: 5b3ab30456836f949b6931934afc3a7a, type: 2}
m_CullingMode: 0
m_UpdateMode: 0
m_ApplyRootMotion: 0
m_LinearVelocityBlending: 0
m_StabilizeFeet: 0
m_AnimatePhysics: 0
m_WarningMessage:
m_HasTransformHierarchy: 1
m_AllowConstantClipSamplingOptimization: 1
m_KeepAnimatorStateOnDisable: 0
m_WriteDefaultValuesOnDisable: 0
--- !u!1 &2927533105232663675
GameObject:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
serializedVersion: 6
m_Component:
- component: {fileID: 4318342674217905755}
- component: {fileID: 8563766769132415788}
- component: {fileID: 2375758600563050606}
m_Layer: 0
m_Name: sAtk
m_TagString: Player
m_Icon: {fileID: 0}
m_NavMeshLayer: 0
m_StaticEditorFlags: 0
m_IsActive: 0
--- !u!4 &4318342674217905755
Transform:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 2927533105232663675}
serializedVersion: 2
m_LocalRotation: {x: -0, y: 0.9999994, z: -0, w: -0.0011441659}
m_LocalPosition: {x: -0.24, y: 0.12, z: -0}
m_LocalScale: {x: -1, y: 1, z: 1}
m_ConstrainProportionsScale: 0
m_Children: []
m_Father: {fileID: 5975845663747444256}
m_LocalEulerAnglesHint: {x: 0, y: 0, z: 0}
--- !u!212 &8563766769132415788
SpriteRenderer:
serializedVersion: 2
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 2927533105232663675}
m_Enabled: 1
m_CastShadows: 0
m_ReceiveShadows: 0
m_DynamicOccludee: 1
m_StaticShadowCaster: 0
m_MotionVectors: 1
m_LightProbeUsage: 1
m_ReflectionProbeUsage: 1
m_RayTracingMode: 0
m_RayTraceProcedural: 0
m_RayTracingAccelStructBuildFlagsOverride: 0
m_RayTracingAccelStructBuildFlags: 1
m_SmallMeshCulling: 1
m_ForceMeshLod: -1
m_MeshLodSelectionBias: 0
m_RenderingLayerMask: 1
m_RendererPriority: 0
m_Materials:
- {fileID: 10754, guid: 0000000000000000f000000000000000, type: 0}
m_StaticBatchInfo:
firstSubMesh: 0
subMeshCount: 0
m_StaticBatchRoot: {fileID: 0}
m_ProbeAnchor: {fileID: 0}
m_LightProbeVolumeOverride: {fileID: 0}
m_ScaleInLightmap: 1
m_ReceiveGI: 1
m_PreserveUVs: 0
m_IgnoreNormalsForChartDetection: 0
m_ImportantGI: 0
m_StitchLightmapSeams: 1
m_SelectedEditorRenderState: 0
m_MinimumChartSize: 4
m_AutoUVMaxDistance: 0.5
m_AutoUVMaxAngle: 89
m_LightmapParameters: {fileID: 0}
m_GlobalIlluminationMeshLod: 0
m_SortingLayerID: 0
m_SortingLayer: 0
m_SortingOrder: 3
m_MaskInteraction: 0
m_Sprite: {fileID: -9079545175819313884, guid: 841c74153b457a9488f5bd65f845c539, type: 3}
m_Color: {r: 1, g: 1, b: 1, a: 1}
m_FlipX: 0
m_FlipY: 0
m_DrawMode: 0
m_Size: {x: 0.32, y: 0.18}
m_AdaptiveModeThreshold: 0.5
m_SpriteTileMode: 0
m_WasSpriteAssigned: 1
m_SpriteSortPoint: 0
--- !u!95 &2375758600563050606
Animator:
serializedVersion: 7
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 2927533105232663675}
m_Enabled: 1
m_Avatar: {fileID: 0}
m_Controller: {fileID: 9100000, guid: cfd206a77c8e68b44b312a4f2405feff, type: 2}
m_CullingMode: 0
m_UpdateMode: 0
m_ApplyRootMotion: 0
m_LinearVelocityBlending: 0
m_StabilizeFeet: 0
m_AnimatePhysics: 0
m_WarningMessage:
m_HasTransformHierarchy: 1
m_AllowConstantClipSamplingOptimization: 1
m_KeepAnimatorStateOnDisable: 0
m_WriteDefaultValuesOnDisable: 0
--- !u!1001 &4592530497221030189
PrefabInstance:
m_ObjectHideFlags: 0
serializedVersion: 2
m_Modification:
serializedVersion: 3
m_TransformParent: {fileID: 0}
m_Modifications:
- target: {fileID: -2253911629886400664, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
propertyPath: m_Name
value: player_nano
objectReference: {fileID: 0}
- target: {fileID: -2253911629886400664, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
propertyPath: m_Layer
value: 6
objectReference: {fileID: 0}
- target: {fileID: -2253911629886400664, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
propertyPath: m_IsActive
value: 1
objectReference: {fileID: 0}
- target: {fileID: -2253911629886400664, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
propertyPath: m_TagString
value: Player
objectReference: {fileID: 0}
- target: {fileID: 1160356261127867848, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
propertyPath: m_Enabled
value: 1
objectReference: {fileID: 0}
- target: {fileID: 1160356261127867848, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
propertyPath: m_Controller
value:
objectReference: {fileID: 9100000, guid: 371a71d6cdc800644a1e6afe649c7182, type: 2}
- target: {fileID: 3626916397498700004, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
propertyPath: m_SortingOrder
value: 3
objectReference: {fileID: 0}
- target: {fileID: 7878350319992209165, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
propertyPath: m_LocalScale.x
value: 1
objectReference: {fileID: 0}
- target: {fileID: 7878350319992209165, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
propertyPath: m_LocalScale.y
value: 1
objectReference: {fileID: 0}
- target: {fileID: 7878350319992209165, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
propertyPath: m_LocalScale.z
value: 1
objectReference: {fileID: 0}
- target: {fileID: 7878350319992209165, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
propertyPath: m_LocalPosition.x
value: -3.94
objectReference: {fileID: 0}
- target: {fileID: 7878350319992209165, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
propertyPath: m_LocalPosition.y
value: -1.57
objectReference: {fileID: 0}
- target: {fileID: 7878350319992209165, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
propertyPath: m_LocalPosition.z
value: 0
objectReference: {fileID: 0}
- target: {fileID: 7878350319992209165, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
propertyPath: m_LocalRotation.w
value: -0.0011441659
objectReference: {fileID: 0}
- target: {fileID: 7878350319992209165, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
propertyPath: m_LocalRotation.x
value: -0
objectReference: {fileID: 0}
- target: {fileID: 7878350319992209165, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
propertyPath: m_LocalRotation.y
value: -0.9999994
objectReference: {fileID: 0}
- target: {fileID: 7878350319992209165, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
propertyPath: m_LocalRotation.z
value: -0
objectReference: {fileID: 0}
- target: {fileID: 7878350319992209165, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
propertyPath: m_LocalEulerAnglesHint.x
value: 0
objectReference: {fileID: 0}
- target: {fileID: 7878350319992209165, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
propertyPath: m_LocalEulerAnglesHint.y
value: -180.131
objectReference: {fileID: 0}
- target: {fileID: 7878350319992209165, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
propertyPath: m_LocalEulerAnglesHint.z
value: 0
objectReference: {fileID: 0}
m_RemovedComponents: []
m_RemovedGameObjects: []
m_AddedGameObjects:
- targetCorrespondingSourceObject: {fileID: 7878350319992209165, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
insertIndex: -1
addedObject: {fileID: 4318342674217905755}
- targetCorrespondingSourceObject: {fileID: 7878350319992209165, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
insertIndex: -1
addedObject: {fileID: 8331630211414336301}
m_AddedComponents:
- targetCorrespondingSourceObject: {fileID: -2253911629886400664, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
insertIndex: -1
addedObject: {fileID: 5280632446821192206}
- targetCorrespondingSourceObject: {fileID: -2253911629886400664, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
insertIndex: -1
addedObject: {fileID: 5380676982232976874}
- targetCorrespondingSourceObject: {fileID: -2253911629886400664, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
insertIndex: -1
addedObject: {fileID: 2036354605690886557}
- targetCorrespondingSourceObject: {fileID: -2253911629886400664, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
insertIndex: -1
addedObject: {fileID: 2765355977962208487}
- targetCorrespondingSourceObject: {fileID: -2253911629886400664, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
insertIndex: -1
addedObject: {fileID: 5735060335237549539}
- targetCorrespondingSourceObject: {fileID: -2253911629886400664, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
insertIndex: -1
addedObject: {fileID: 2135386766838327844}
m_SourcePrefab: {fileID: -8435245712485981826, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
--- !u!4 &5975845663747444256 stripped
Transform:
m_CorrespondingSourceObject: {fileID: 7878350319992209165, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
m_PrefabInstance: {fileID: 4592530497221030189}
m_PrefabAsset: {fileID: 0}
--- !u!1 &6846471404305393221 stripped
GameObject:
m_CorrespondingSourceObject: {fileID: -2253911629886400664, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
m_PrefabInstance: {fileID: 4592530497221030189}
m_PrefabAsset: {fileID: 0}
--- !u!50 &5280632446821192206
Rigidbody2D:
serializedVersion: 5
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 6846471404305393221}
m_BodyType: 0
m_Simulated: 1
m_UseFullKinematicContacts: 0
m_UseAutoMass: 0
m_Mass: 1
m_LinearDamping: 0
m_AngularDamping: 0.05
m_GravityScale: 1
m_Material: {fileID: 0}
m_IncludeLayers:
serializedVersion: 2
m_Bits: 0
m_ExcludeLayers:
serializedVersion: 2
m_Bits: 0
m_Interpolate: 0
m_SleepingMode: 1
m_CollisionDetection: 0
m_Constraints: 4
--- !u!70 &5380676982232976874
CapsuleCollider2D:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 6846471404305393221}
m_Enabled: 1
serializedVersion: 3
m_Density: 1
m_Material: {fileID: 6200000, guid: b9f09e2ccaa8878429a789dcb9fbb697, type: 2}
m_IncludeLayers:
serializedVersion: 2
m_Bits: 0
m_ExcludeLayers:
serializedVersion: 2
m_Bits: 0
m_LayerOverridePriority: 0
m_ForceSendLayers:
serializedVersion: 2
m_Bits: 4294967295
m_ForceReceiveLayers:
serializedVersion: 2
m_Bits: 4294967295
m_ContactCaptureLayers:
serializedVersion: 2
m_Bits: 4294967295
m_CallbackLayers:
serializedVersion: 2
m_Bits: 4294967295
m_IsTrigger: 0
m_UsedByEffector: 0
m_CompositeOperation: 0
m_CompositeOrder: 0
m_Offset: {x: 0.020156128, y: 0.28605267}
m_Size: {x: 0.3354853, y: 0.57210535}
m_Direction: 0
--- !u!114 &2036354605690886557
MonoBehaviour:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 6846471404305393221}
m_Enabled: 1
m_EditorHideFlags: 0
m_Script: {fileID: 11500000, guid: 62899f850307741f2a39c98a8b639597, type: 3}
m_Name:
m_EditorClassIdentifier: Unity.InputSystem::UnityEngine.InputSystem.PlayerInput
m_Actions: {fileID: -944628639613478452, guid: af82441b31845e14d84291d31d7715aa, type: 3}
m_NotificationBehavior: 0
m_UIInputModule: {fileID: 0}
m_DeviceLostEvent:
m_PersistentCalls:
m_Calls: []
m_DeviceRegainedEvent:
m_PersistentCalls:
m_Calls: []
m_ControlsChangedEvent:
m_PersistentCalls:
m_Calls: []
m_ActionEvents: []
m_NeverAutoSwitchControlSchemes: 0
m_DefaultControlScheme: PC
m_DefaultActionMap: Player
m_SplitScreenIndex: -1
m_Camera: {fileID: 0}
--- !u!114 &2765355977962208487
MonoBehaviour:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 6846471404305393221}
m_Enabled: 1
m_EditorHideFlags: 0
m_Script: {fileID: 11500000, guid: 2b82e09276847f341b71399c5d2f4cd1, type: 3}
m_Name:
m_EditorClassIdentifier: Assembly-CSharp::PlayerController2
rbody: {fileID: 5280632446821192206}
speed: 3
dashspeed: 5.4
jumpForce: 7
groundLayer:
serializedVersion: 2
m_Bits: 64
--- !u!114 &5735060335237549539
MonoBehaviour:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 6846471404305393221}
m_Enabled: 1
m_EditorHideFlags: 0
m_Script: {fileID: 11500000, guid: 7d5a416fe74af3443a912ee0d631c1ae, type: 3}
m_Name:
m_EditorClassIdentifier: Assembly-CSharp::PlayerAttacks
weaponInfos:
- isUseable: 1
isUse: 0
WeaponType: 0
WeaponLevel: 0
atkCnt: 0
WeaponDmg: 0
weaponObj: {fileID: 2927533105232663675}
animTrigger: SAtk
- isUseable: 1
isUse: 0
WeaponType: 0
WeaponLevel: 0
atkCnt: 0
WeaponDmg: 0
weaponObj: {fileID: 1165706789301945028}
animTrigger: AAtk
--- !u!114 &2135386766838327844
MonoBehaviour:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 6846471404305393221}
m_Enabled: 1
m_EditorHideFlags: 0
m_Script: {fileID: 11500000, guid: 542f8d89b193987469d825098b76dacc, type: 3}
m_Name:
m_EditorClassIdentifier: Assembly-CSharp::Weapondata
sDamage: 10
aDamage: 25
frontdelaytime: 0.2
atkDuration: 0.1
afterdelaytime: 0.5

View File

@ -0,0 +1,7 @@
fileFormatVersion: 2
guid: 5d2a0b583d68f394d8aa23e313e1be32
PrefabImporter:
externalObjects: {}
userData:
assetBundleName:
assetBundleVariant:

View File

@ -0,0 +1,516 @@
%YAML 1.1
%TAG !u! tag:unity3d.com,2011:
--- !u!1 &1165706789301945028
GameObject:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
serializedVersion: 6
m_Component:
- component: {fileID: 8331630211414336301}
- component: {fileID: 3815862525644014151}
- component: {fileID: 8936138355889603611}
m_Layer: 0
m_Name: aAtk
m_TagString: Player
m_Icon: {fileID: 0}
m_NavMeshLayer: 0
m_StaticEditorFlags: 0
m_IsActive: 0
--- !u!4 &8331630211414336301
Transform:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 1165706789301945028}
serializedVersion: 2
m_LocalRotation: {x: -0, y: -0, z: -0, w: 1}
m_LocalPosition: {x: -0.27, y: -0.12, z: -0}
m_LocalScale: {x: 1, y: 3.075, z: 1}
m_ConstrainProportionsScale: 0
m_Children: []
m_Father: {fileID: 5975845663747444256}
m_LocalEulerAnglesHint: {x: 0, y: 0, z: 0}
--- !u!212 &3815862525644014151
SpriteRenderer:
serializedVersion: 2
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 1165706789301945028}
m_Enabled: 1
m_CastShadows: 0
m_ReceiveShadows: 0
m_DynamicOccludee: 1
m_StaticShadowCaster: 0
m_MotionVectors: 1
m_LightProbeUsage: 1
m_ReflectionProbeUsage: 1
m_RayTracingMode: 0
m_RayTraceProcedural: 0
m_RayTracingAccelStructBuildFlagsOverride: 0
m_RayTracingAccelStructBuildFlags: 1
m_SmallMeshCulling: 1
m_ForceMeshLod: -1
m_MeshLodSelectionBias: 0
m_RenderingLayerMask: 1
m_RendererPriority: 0
m_Materials:
- {fileID: 10754, guid: 0000000000000000f000000000000000, type: 0}
m_StaticBatchInfo:
firstSubMesh: 0
subMeshCount: 0
m_StaticBatchRoot: {fileID: 0}
m_ProbeAnchor: {fileID: 0}
m_LightProbeVolumeOverride: {fileID: 0}
m_ScaleInLightmap: 1
m_ReceiveGI: 1
m_PreserveUVs: 0
m_IgnoreNormalsForChartDetection: 0
m_ImportantGI: 0
m_StitchLightmapSeams: 1
m_SelectedEditorRenderState: 0
m_MinimumChartSize: 4
m_AutoUVMaxDistance: 0.5
m_AutoUVMaxAngle: 89
m_LightmapParameters: {fileID: 0}
m_GlobalIlluminationMeshLod: 0
m_SortingLayerID: 0
m_SortingLayer: 0
m_SortingOrder: 3
m_MaskInteraction: 0
m_Sprite: {fileID: -9079545175819313884, guid: 841c74153b457a9488f5bd65f845c539, type: 3}
m_Color: {r: 1, g: 1, b: 1, a: 1}
m_FlipX: 0
m_FlipY: 0
m_DrawMode: 0
m_Size: {x: 0.32, y: 0.18}
m_AdaptiveModeThreshold: 0.5
m_SpriteTileMode: 0
m_WasSpriteAssigned: 1
m_SpriteSortPoint: 0
--- !u!95 &8936138355889603611
Animator:
serializedVersion: 7
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 1165706789301945028}
m_Enabled: 1
m_Avatar: {fileID: 0}
m_Controller: {fileID: 9100000, guid: 5b3ab30456836f949b6931934afc3a7a, type: 2}
m_CullingMode: 0
m_UpdateMode: 0
m_ApplyRootMotion: 0
m_LinearVelocityBlending: 0
m_StabilizeFeet: 0
m_AnimatePhysics: 0
m_WarningMessage:
m_HasTransformHierarchy: 1
m_AllowConstantClipSamplingOptimization: 1
m_KeepAnimatorStateOnDisable: 0
m_WriteDefaultValuesOnDisable: 0
--- !u!1 &2927533105232663675
GameObject:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
serializedVersion: 6
m_Component:
- component: {fileID: 4318342674217905755}
- component: {fileID: 8563766769132415788}
- component: {fileID: 2375758600563050606}
m_Layer: 0
m_Name: sAtk
m_TagString: Player
m_Icon: {fileID: 0}
m_NavMeshLayer: 0
m_StaticEditorFlags: 0
m_IsActive: 0
--- !u!4 &4318342674217905755
Transform:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 2927533105232663675}
serializedVersion: 2
m_LocalRotation: {x: -0, y: 0.9999994, z: -0, w: -0.0011441659}
m_LocalPosition: {x: -0.24, y: 0.12, z: -0}
m_LocalScale: {x: -1, y: 1, z: 1}
m_ConstrainProportionsScale: 0
m_Children: []
m_Father: {fileID: 5975845663747444256}
m_LocalEulerAnglesHint: {x: 0, y: 0, z: 0}
--- !u!212 &8563766769132415788
SpriteRenderer:
serializedVersion: 2
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 2927533105232663675}
m_Enabled: 1
m_CastShadows: 0
m_ReceiveShadows: 0
m_DynamicOccludee: 1
m_StaticShadowCaster: 0
m_MotionVectors: 1
m_LightProbeUsage: 1
m_ReflectionProbeUsage: 1
m_RayTracingMode: 0
m_RayTraceProcedural: 0
m_RayTracingAccelStructBuildFlagsOverride: 0
m_RayTracingAccelStructBuildFlags: 1
m_SmallMeshCulling: 1
m_ForceMeshLod: -1
m_MeshLodSelectionBias: 0
m_RenderingLayerMask: 1
m_RendererPriority: 0
m_Materials:
- {fileID: 10754, guid: 0000000000000000f000000000000000, type: 0}
m_StaticBatchInfo:
firstSubMesh: 0
subMeshCount: 0
m_StaticBatchRoot: {fileID: 0}
m_ProbeAnchor: {fileID: 0}
m_LightProbeVolumeOverride: {fileID: 0}
m_ScaleInLightmap: 1
m_ReceiveGI: 1
m_PreserveUVs: 0
m_IgnoreNormalsForChartDetection: 0
m_ImportantGI: 0
m_StitchLightmapSeams: 1
m_SelectedEditorRenderState: 0
m_MinimumChartSize: 4
m_AutoUVMaxDistance: 0.5
m_AutoUVMaxAngle: 89
m_LightmapParameters: {fileID: 0}
m_GlobalIlluminationMeshLod: 0
m_SortingLayerID: 0
m_SortingLayer: 0
m_SortingOrder: 3
m_MaskInteraction: 0
m_Sprite: {fileID: -9079545175819313884, guid: 841c74153b457a9488f5bd65f845c539, type: 3}
m_Color: {r: 1, g: 1, b: 1, a: 1}
m_FlipX: 0
m_FlipY: 0
m_DrawMode: 0
m_Size: {x: 0.32, y: 0.18}
m_AdaptiveModeThreshold: 0.5
m_SpriteTileMode: 0
m_WasSpriteAssigned: 1
m_SpriteSortPoint: 0
--- !u!95 &2375758600563050606
Animator:
serializedVersion: 7
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 2927533105232663675}
m_Enabled: 1
m_Avatar: {fileID: 0}
m_Controller: {fileID: 9100000, guid: cfd206a77c8e68b44b312a4f2405feff, type: 2}
m_CullingMode: 0
m_UpdateMode: 0
m_ApplyRootMotion: 0
m_LinearVelocityBlending: 0
m_StabilizeFeet: 0
m_AnimatePhysics: 0
m_WarningMessage:
m_HasTransformHierarchy: 1
m_AllowConstantClipSamplingOptimization: 1
m_KeepAnimatorStateOnDisable: 0
m_WriteDefaultValuesOnDisable: 0
--- !u!1001 &4592530497221030189
PrefabInstance:
m_ObjectHideFlags: 0
serializedVersion: 2
m_Modification:
serializedVersion: 3
m_TransformParent: {fileID: 0}
m_Modifications:
- target: {fileID: -2253911629886400664, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
propertyPath: m_Name
value: player_tera
objectReference: {fileID: 0}
- target: {fileID: -2253911629886400664, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
propertyPath: m_Layer
value: 6
objectReference: {fileID: 0}
- target: {fileID: -2253911629886400664, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
propertyPath: m_IsActive
value: 1
objectReference: {fileID: 0}
- target: {fileID: -2253911629886400664, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
propertyPath: m_TagString
value: Player
objectReference: {fileID: 0}
- target: {fileID: 1160356261127867848, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
propertyPath: m_Enabled
value: 1
objectReference: {fileID: 0}
- target: {fileID: 1160356261127867848, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
propertyPath: m_Controller
value:
objectReference: {fileID: 9100000, guid: 371a71d6cdc800644a1e6afe649c7182, type: 2}
- target: {fileID: 3626916397498700004, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
propertyPath: m_SortingOrder
value: 3
objectReference: {fileID: 0}
- target: {fileID: 7878350319992209165, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
propertyPath: m_LocalScale.x
value: 1
objectReference: {fileID: 0}
- target: {fileID: 7878350319992209165, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
propertyPath: m_LocalScale.y
value: 1
objectReference: {fileID: 0}
- target: {fileID: 7878350319992209165, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
propertyPath: m_LocalScale.z
value: 1
objectReference: {fileID: 0}
- target: {fileID: 7878350319992209165, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
propertyPath: m_LocalPosition.x
value: -3.94
objectReference: {fileID: 0}
- target: {fileID: 7878350319992209165, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
propertyPath: m_LocalPosition.y
value: -1.57
objectReference: {fileID: 0}
- target: {fileID: 7878350319992209165, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
propertyPath: m_LocalPosition.z
value: 0
objectReference: {fileID: 0}
- target: {fileID: 7878350319992209165, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
propertyPath: m_LocalRotation.w
value: -0.0011441659
objectReference: {fileID: 0}
- target: {fileID: 7878350319992209165, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
propertyPath: m_LocalRotation.x
value: -0
objectReference: {fileID: 0}
- target: {fileID: 7878350319992209165, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
propertyPath: m_LocalRotation.y
value: -0.9999994
objectReference: {fileID: 0}
- target: {fileID: 7878350319992209165, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
propertyPath: m_LocalRotation.z
value: -0
objectReference: {fileID: 0}
- target: {fileID: 7878350319992209165, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
propertyPath: m_LocalEulerAnglesHint.x
value: 0
objectReference: {fileID: 0}
- target: {fileID: 7878350319992209165, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
propertyPath: m_LocalEulerAnglesHint.y
value: -180.131
objectReference: {fileID: 0}
- target: {fileID: 7878350319992209165, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
propertyPath: m_LocalEulerAnglesHint.z
value: 0
objectReference: {fileID: 0}
m_RemovedComponents: []
m_RemovedGameObjects: []
m_AddedGameObjects:
- targetCorrespondingSourceObject: {fileID: 7878350319992209165, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
insertIndex: -1
addedObject: {fileID: 4318342674217905755}
- targetCorrespondingSourceObject: {fileID: 7878350319992209165, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
insertIndex: -1
addedObject: {fileID: 8331630211414336301}
m_AddedComponents:
- targetCorrespondingSourceObject: {fileID: -2253911629886400664, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
insertIndex: -1
addedObject: {fileID: 5280632446821192206}
- targetCorrespondingSourceObject: {fileID: -2253911629886400664, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
insertIndex: -1
addedObject: {fileID: 5380676982232976874}
- targetCorrespondingSourceObject: {fileID: -2253911629886400664, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
insertIndex: -1
addedObject: {fileID: 2036354605690886557}
- targetCorrespondingSourceObject: {fileID: -2253911629886400664, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
insertIndex: -1
addedObject: {fileID: 2765355977962208487}
- targetCorrespondingSourceObject: {fileID: -2253911629886400664, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
insertIndex: -1
addedObject: {fileID: 5735060335237549539}
- targetCorrespondingSourceObject: {fileID: -2253911629886400664, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
insertIndex: -1
addedObject: {fileID: 2135386766838327844}
m_SourcePrefab: {fileID: -8435245712485981826, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
--- !u!4 &5975845663747444256 stripped
Transform:
m_CorrespondingSourceObject: {fileID: 7878350319992209165, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
m_PrefabInstance: {fileID: 4592530497221030189}
m_PrefabAsset: {fileID: 0}
--- !u!1 &6846471404305393221 stripped
GameObject:
m_CorrespondingSourceObject: {fileID: -2253911629886400664, guid: c739cfb96ce9af946807dbf95a05e931, type: 3}
m_PrefabInstance: {fileID: 4592530497221030189}
m_PrefabAsset: {fileID: 0}
--- !u!50 &5280632446821192206
Rigidbody2D:
serializedVersion: 5
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 6846471404305393221}
m_BodyType: 0
m_Simulated: 1
m_UseFullKinematicContacts: 0
m_UseAutoMass: 0
m_Mass: 1
m_LinearDamping: 0
m_AngularDamping: 0.05
m_GravityScale: 1
m_Material: {fileID: 0}
m_IncludeLayers:
serializedVersion: 2
m_Bits: 0
m_ExcludeLayers:
serializedVersion: 2
m_Bits: 0
m_Interpolate: 0
m_SleepingMode: 1
m_CollisionDetection: 0
m_Constraints: 4
--- !u!70 &5380676982232976874
CapsuleCollider2D:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 6846471404305393221}
m_Enabled: 1
serializedVersion: 3
m_Density: 1
m_Material: {fileID: 6200000, guid: b9f09e2ccaa8878429a789dcb9fbb697, type: 2}
m_IncludeLayers:
serializedVersion: 2
m_Bits: 0
m_ExcludeLayers:
serializedVersion: 2
m_Bits: 0
m_LayerOverridePriority: 0
m_ForceSendLayers:
serializedVersion: 2
m_Bits: 4294967295
m_ForceReceiveLayers:
serializedVersion: 2
m_Bits: 4294967295
m_ContactCaptureLayers:
serializedVersion: 2
m_Bits: 4294967295
m_CallbackLayers:
serializedVersion: 2
m_Bits: 4294967295
m_IsTrigger: 0
m_UsedByEffector: 0
m_CompositeOperation: 0
m_CompositeOrder: 0
m_Offset: {x: 0.020156128, y: 0.28605267}
m_Size: {x: 0.3354853, y: 0.57210535}
m_Direction: 0
--- !u!114 &2036354605690886557
MonoBehaviour:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 6846471404305393221}
m_Enabled: 1
m_EditorHideFlags: 0
m_Script: {fileID: 11500000, guid: 62899f850307741f2a39c98a8b639597, type: 3}
m_Name:
m_EditorClassIdentifier: Unity.InputSystem::UnityEngine.InputSystem.PlayerInput
m_Actions: {fileID: -944628639613478452, guid: af82441b31845e14d84291d31d7715aa, type: 3}
m_NotificationBehavior: 0
m_UIInputModule: {fileID: 0}
m_DeviceLostEvent:
m_PersistentCalls:
m_Calls: []
m_DeviceRegainedEvent:
m_PersistentCalls:
m_Calls: []
m_ControlsChangedEvent:
m_PersistentCalls:
m_Calls: []
m_ActionEvents: []
m_NeverAutoSwitchControlSchemes: 0
m_DefaultControlScheme: PC
m_DefaultActionMap: Player
m_SplitScreenIndex: -1
m_Camera: {fileID: 0}
--- !u!114 &2765355977962208487
MonoBehaviour:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 6846471404305393221}
m_Enabled: 1
m_EditorHideFlags: 0
m_Script: {fileID: 11500000, guid: 2b82e09276847f341b71399c5d2f4cd1, type: 3}
m_Name:
m_EditorClassIdentifier: Assembly-CSharp::PlayerController2
rbody: {fileID: 5280632446821192206}
speed: 3
dashspeed: 5.4
jumpForce: 7
groundLayer:
serializedVersion: 2
m_Bits: 64
--- !u!114 &5735060335237549539
MonoBehaviour:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 6846471404305393221}
m_Enabled: 1
m_EditorHideFlags: 0
m_Script: {fileID: 11500000, guid: 7d5a416fe74af3443a912ee0d631c1ae, type: 3}
m_Name:
m_EditorClassIdentifier: Assembly-CSharp::PlayerAttacks
weaponInfos:
- isUseable: 1
isUse: 0
WeaponType: 0
WeaponLevel: 0
atkCnt: 0
WeaponDmg: 0
weaponObj: {fileID: 2927533105232663675}
animTrigger: SAtk
- isUseable: 1
isUse: 0
WeaponType: 0
WeaponLevel: 0
atkCnt: 0
WeaponDmg: 0
weaponObj: {fileID: 1165706789301945028}
animTrigger: AAtk
--- !u!114 &2135386766838327844
MonoBehaviour:
m_ObjectHideFlags: 0
m_CorrespondingSourceObject: {fileID: 0}
m_PrefabInstance: {fileID: 0}
m_PrefabAsset: {fileID: 0}
m_GameObject: {fileID: 6846471404305393221}
m_Enabled: 1
m_EditorHideFlags: 0
m_Script: {fileID: 11500000, guid: 542f8d89b193987469d825098b76dacc, type: 3}
m_Name:
m_EditorClassIdentifier: Assembly-CSharp::Weapondata
sDamage: 10
aDamage: 25
frontdelaytime: 0.2
atkDuration: 0.1
afterdelaytime: 0.5

View File

@ -0,0 +1,7 @@
fileFormatVersion: 2
guid: 26c7bea523c22ce4680812b631f3ee88
PrefabImporter:
externalObjects: {}
userData:
assetBundleName:
assetBundleVariant:

File diff suppressed because it is too large Load Diff

View File

@ -50,6 +50,15 @@
"processors": "", "processors": "",
"interactions": "Press", "interactions": "Press",
"initialStateCheck": false "initialStateCheck": false
},
{
"name": "TagKey",
"type": "Button",
"id": "894aa3e4-103f-4923-880a-bb20018dfbc3",
"expectedControlType": "",
"processors": "",
"interactions": "",
"initialStateCheck": false
} }
], ],
"bindings": [ "bindings": [
@ -151,6 +160,17 @@
"action": "AAtk", "action": "AAtk",
"isComposite": false, "isComposite": false,
"isPartOfComposite": false "isPartOfComposite": false
},
{
"name": "",
"id": "95da2aad-12df-4f79-bc47-d6597f3feb62",
"path": "<Keyboard>/z",
"interactions": "",
"processors": "",
"groups": "",
"action": "TagKey",
"isComposite": false,
"isPartOfComposite": false
} }
] ]
}, },

View File

@ -1,5 +1,6 @@
using System.Collections; using System.Collections;
using System.Collections.Generic; using System.Collections.Generic;
using System.Linq;
using UnityEngine; using UnityEngine;
using System.Runtime.Serialization.Formatters.Binary; using System.Runtime.Serialization.Formatters.Binary;
using UnityEngine.InputSystem; using UnityEngine.InputSystem;
@ -23,19 +24,17 @@ public class Weapons
public class PlayerAttacks : MonoBehaviour public class PlayerAttacks : MonoBehaviour
{ {
private Animator animator; private Animator animator;
public bool IsAnyWeaponInUse => weaponInfos.Any(w => w.isUse); // 배열에 true인 값이 하나라도 있는지 확인
bool issAtk = false; // 약공 플래그
bool isaAtk = false; // 강공 플래그
public Weapons[] weaponInfos; public Weapons[] weaponInfos;
Weapondata weaponBase; Weapondata weaponBase;
PlayerController2 playerController; PlayerController playerController;
public enum Types {scissor, needle, lighter}; public enum Types {scissor, needle, lighter};
void Start() void Start()
{ {
//Animator °¡Á®¿À±â //Animator °¡Á®¿À±â
playerController = GetComponent<PlayerController2>(); playerController = GetComponent<PlayerController>();
weaponBase = GetComponent<Weapondata>(); weaponBase = GetComponent<Weapondata>();
} }
@ -59,4 +58,5 @@ public class PlayerAttacks : MonoBehaviour
weaponInfos[weaponIndex].isUse = false; weaponInfos[weaponIndex].isUse = false;
} }
} }

View File

@ -2,72 +2,140 @@ using System.Collections;
using System.Collections.Generic; using System.Collections.Generic;
using TreeEditor; using TreeEditor;
using UnityEngine; using UnityEngine;
using UnityEngine.InputSystem;
public class PlayerController : MonoBehaviour public class PlayerController : MonoBehaviour
{ {
Rigidbody2D rbody; [SerializeField] private Rigidbody2D rbody;
float axisH = 0.0f; // 입력 private Vector2 moveInput;
public float speed = 3.0f; // 이동 속도 [SerializeField] private float speed = 3.0f; // 이동 속도
[SerializeField] private float dashspeed = 5.4f;
[SerializeField] private float jumpForce = 5.0f; // 점프력
public float jump = 7.0f; // 점프력 private float axisH = 0.0f; // 좌우 입력 값 저장
public LayerMask groundLayer; // 착지할 수 있는 레이어 bool isDash = false; // 대시 플래그
bool goJump = false; // 점프 개시 플래그 bool goJump = false; // 점프 개시 플래그
bool isDead = false; // 사망 플래그 bool isDead = false; // 사망 플래그
bool onGround = false; // 지면에 서 있는 플래그 bool onGround = false; // 지면에 서 있는 플래그
public LayerMask groundLayer; // 착지할 수 있는 레이어
Animator animator; private Animator animator;
private PlayerAttacks playerAttacks;
//public static string gameState = "playing"; // 게임 상태 /*[SerializeField] private GameObject nano;
[SerializeField] private GameObject tera;
bool isnano = false;
bool istera = false;*/
// Start is called before the first frame update
void Start() void Start()
{ {
//Rigidbody2D 가져오기 //Rigidbody2D 가져오기
rbody = GetComponent<Rigidbody2D>(); rbody = GetComponentInChildren<Rigidbody2D>();
//Animator 가져오기 //Animator 가져오기
animator = GetComponent<Animator>(); animator = GetComponentInChildren<Animator>();
//gameState = "playing"; // 게임중 playerAttacks = GetComponent<PlayerAttacks>();
/*nano = GameObject.Find("player_nano");
tera = GameObject.Find("player_tera");
nano.SetActive(true);
isnano = true;
tera.SetActive(false);*/
}
void OnMove(InputValue value)
{
// Vector2 값 중 x축(좌우) 값만 가져옴
Vector2 inputVector = value.Get<Vector2>();
axisH = inputVector.x;
}
void OnDash(InputValue value)
{
isDash = value.isPressed;
if (isDash) Debug.Log("대시 중...");
else Debug.Log("대시 중단");
}
public void OnJump(InputValue value)
{
// 버튼이 눌린 순간(isPressed)이고 지면 위라면 점프 예약
if (value.isPressed && onGround)
{
goJump = true;
animator.SetBool("jump", true);
Debug.Log(" 점프 버튼 눌림! ");
}
} }
// Update is called once per frame public void OnSAtk(InputValue value)
{
Debug.Log(" s 버튼 눌림! ");
if (value.isPressed && !playerAttacks.weaponInfos[0].isUse)
{
playerAttacks.weaponInfos[0].isUse = true;
StartCoroutine(playerAttacks.ableAtk(0));
}
}
public void OnAAtk(InputValue value)
{
Debug.Log(" a 버튼 눌림! ");
if (value.isPressed && !playerAttacks.weaponInfos[1].isUse)
{
playerAttacks.weaponInfos[1].isUse = true;
StartCoroutine(playerAttacks.ableAtk(1));
}
}
/*public void OnTagKey(InputValue value)
{
if (!value.isPressed) return;
Debug.Log(" Z 버튼 눌림! ");
if (isnano)
{
tera.SetActive(true);
nano.SetActive(false);
isnano = false;
istera = true;
}
else if (istera)
{
tera.SetActive(false);
nano.SetActive(true);
isnano = true;
istera = false;
}
}*/
void Update() void Update()
{ {
// 수평 방향의 입력 확인 if (isDead) return;
axisH = Input.GetAxisRaw("Horizontal");
if (isDead) bool isMoving = axisH != 0;
{ // 지면 상태 확인
return; animator.SetBool("jump", !onGround);
}
if (onGround) animator.SetBool("Dash", isDash);
{ animator.SetBool("Move", isMoving);
animator.SetBool("jump", false);
}
else // 플래그 초기화
{ if (Keyboard.current.leftShiftKey.wasReleasedThisFrame) isDash = false;
animator.SetBool("jump", true); //if (Keyboard.current.sKey.wasReleasedThisFrame) issAtk = false;
} //if (Keyboard.current.aKey.wasReleasedThisFrame) isaAtk = false;
// 방향 조절 // 방향 조절
if (axisH != 0) // 0이 아니면 (왼쪽이든 오른쪽이든 누르고 있으면) if (isMoving)
{ {
animator.SetBool("Move", true);
float direction = axisH > 0 ? 1 : -1; float direction = axisH > 0 ? 1 : -1;
transform.localScale = new Vector2(direction, 1); transform.localScale = new Vector2(direction, 1);
} }
else else animator.SetBool("Dash", false);
{
animator.SetBool("Move", false);
}
// 캐릭터 점프하기
if (Input.GetButtonDown("Jump"))
{
Jump();
}
} }
private void FixedUpdate() private void FixedUpdate()
@ -76,63 +144,49 @@ public class PlayerController : MonoBehaviour
transform.position - (transform.up * 0.1f), transform.position - (transform.up * 0.1f),
groundLayer); groundLayer);
if (isDead) if (isDead) return;
// 공격중인지 확인
if (playerAttacks.IsAnyWeaponInUse)
{ {
rbody.linearVelocity = new Vector2(0, rbody.linearVelocity.y); // 정지
return; return;
} }
if (onGround || axisH != 0) float currentSpeed = (isDash && onGround) ? dashspeed : speed;
{ rbody.linearVelocity = new Vector2(axisH * currentSpeed, rbody.linearVelocity.y);
// 지면 위 or 속도가 0 아님
// 속도 갱신하기
rbody.linearVelocity = new Vector2(speed * axisH, rbody.linearVelocity.y);
}
if (onGround && goJump) if (goJump)
{ {
Debug.Log("점프!"); Debug.Log("점프!");
Vector2 jumpPw = new Vector2(0, jump); rbody.AddForce(Vector2.up * jumpForce, ForceMode2D.Impulse);
rbody.AddForce(jumpPw, ForceMode2D.Impulse);
goJump = false; goJump = false;
} }
} }
public void Jump()
{
animator.SetBool("jump", true);
goJump = true;
Debug.Log(" 점프 버튼 눌림! ");
}
private void OnTriggerEnter2D(Collider2D collision) private void OnTriggerEnter2D(Collider2D collision)
{ {
if (collision.gameObject.tag == "Goal") if (collision.CompareTag("Goal"))
{ {
Goal(); GameStop();
} }
else if (collision.gameObject.tag == "Dead") else if (collision.CompareTag("Dead"))
{ {
GameOver(); GameOver();
} }
} }
public void Goal() public void GameStop()
{ {
GameStop(); rbody.linearVelocity = Vector2.zero;
} }
public void GameOver() public void GameOver()
{ {
isDead = true; isDead = true;
animator.SetBool("Move", false);
GameStop(); GameStop();
} }
void GameStop()
{
// Rigidbody2D 가져오기
Rigidbody2D rbody = GetComponent<Rigidbody2D>();
// 속도를 0으로 하여 강제 정지
rbody.linearVelocity = new Vector2 (0, 0);
}
} }

View File

@ -1,5 +1,5 @@
fileFormatVersion: 2 fileFormatVersion: 2
guid: ddcd16d9b9cbffc498cb04b72149a047 guid: 2b82e09276847f341b71399c5d2f4cd1
MonoImporter: MonoImporter:
externalObjects: {} externalObjects: {}
serializedVersion: 2 serializedVersion: 2

View File

@ -1,159 +0,0 @@
using System.Collections;
using System.Collections.Generic;
using TreeEditor;
using UnityEngine;
using UnityEngine.InputSystem;
public class PlayerController2 : MonoBehaviour
{
[SerializeField] private Rigidbody2D rbody;
private Vector2 moveInput;
[SerializeField] private float speed = 3.0f; // 이동 속도
[SerializeField] private float dashspeed = 5.4f;
[SerializeField] private float jumpForce = 5.0f; // 점프력
private float axisH = 0.0f; // 좌우 입력 값 저장
bool isDash = false; // 대시 플래그
bool goJump = false; // 점프 개시 플래그
bool isDead = false; // 사망 플래그
bool issAtk = false; // 약공 플래그
bool isaAtk = false; // 강공 플래그
bool onGround = false; // 지면에 서 있는 플래그
public LayerMask groundLayer; // 착지할 수 있는 레이어
private Animator animator;
private PlayerAttacks playerAttacks;
void Start()
{
//Rigidbody2D 가져오기
rbody = GetComponent<Rigidbody2D>();
//Animator 가져오기
animator = GetComponent<Animator>();
playerAttacks = GetComponent<PlayerAttacks>();
}
void OnMove(InputValue value)
{
// Vector2 값 중 x축(좌우) 값만 가져옴
Vector2 inputVector = value.Get<Vector2>();
axisH = inputVector.x;
}
void OnDash(InputValue value)
{
isDash = value.isPressed;
if (isDash) Debug.Log("대시 중...");
else Debug.Log("대시 중단");
}
public void OnJump(InputValue value)
{
// 버튼이 눌린 순간(isPressed)이고 지면 위라면 점프 예약
if (value.isPressed && onGround)
{
goJump = true;
animator.SetBool("jump", true);
Debug.Log(" 점프 버튼 눌림! ");
}
}
public void OnSAtk(InputValue value)
{
Debug.Log(" s 버튼 눌림! ");
if (value.isPressed && !playerAttacks.weaponInfos[0].isUse)
{
playerAttacks.weaponInfos[0].isUse = true;
StartCoroutine(playerAttacks.ableAtk(0));
}
}
public void OnAAtk(InputValue value)
{
Debug.Log(" a 버튼 눌림! ");
if (value.isPressed && !playerAttacks.weaponInfos[1].isUse)
{
playerAttacks.weaponInfos[1].isUse = true;
StartCoroutine(playerAttacks.ableAtk(1));
}
}
void Update()
{
if (isDead) return;
bool isMoving = axisH != 0;
// 지면 상태 확인
animator.SetBool("jump", !onGround);
animator.SetBool("Dash", isDash);
animator.SetBool("Move", isMoving);
// 플래그 초기화
if (Keyboard.current.leftShiftKey.wasReleasedThisFrame) isDash = false;
//if (Keyboard.current.sKey.wasReleasedThisFrame) issAtk = false;
//if (Keyboard.current.aKey.wasReleasedThisFrame) isaAtk = false;
// 방향 조절
if (isMoving)
{
float direction = axisH > 0 ? 1 : -1;
transform.localScale = new Vector2(direction, 1);
}
else animator.SetBool("Dash", false);
}
private void FixedUpdate()
{
onGround = Physics2D.Linecast(transform.position,
transform.position - (transform.up * 0.1f),
groundLayer);
if (isDead) return;
// 공격중인지 확인
if (playerAttacks.weaponInfos[0].isUse)
{
rbody.linearVelocity = new Vector2(0, rbody.linearVelocity.y); // 정지
return;
}
float currentSpeed = (isDash && onGround) ? dashspeed : speed;
rbody.linearVelocity = new Vector2(axisH * currentSpeed, rbody.linearVelocity.y);
if (goJump)
{
Debug.Log("점프!");
rbody.AddForce(Vector2.up * jumpForce, ForceMode2D.Impulse);
goJump = false;
}
}
private void OnTriggerEnter2D(Collider2D collision)
{
if (collision.CompareTag("Goal"))
{
GameStop();
}
else if (collision.CompareTag("Dead"))
{
GameOver();
}
}
public void GameStop()
{
rbody.linearVelocity = Vector2.zero;
}
public void GameOver()
{
isDead = true;
animator.SetBool("Move", false);
GameStop();
}
}

View File

@ -1,11 +0,0 @@
fileFormatVersion: 2
guid: 2b82e09276847f341b71399c5d2f4cd1
MonoImporter:
externalObjects: {}
serializedVersion: 2
defaultReferences: []
executionOrder: 0
icon: {instanceID: 0}
userData:
assetBundleName:
assetBundleVariant:

View File

@ -0,0 +1,48 @@
using UnityEngine.InputSystem;
using UnityEngine;
public class PlayerTag : MonoBehaviour
{
[SerializeField] private GameObject nano;
[SerializeField] private GameObject tera;
bool isnano = false;
bool istera = false;
void Start()
{
nano = GameObject.Find("player_nano");
tera = GameObject.Find("player_tera");
nano.SetActive(true);
isnano = true;
tera.SetActive(false);
}
public void OnTagKey(InputValue value)
{
if (!value.isPressed) return;
Debug.Log(" Z ¹öư ´­¸²! ");
if (isnano)
{
tera.SetActive(true);
nano.SetActive(false);
isnano = false;
istera = true;
}
else if (istera)
{
tera.SetActive(false);
nano.SetActive(true);
isnano = true;
istera = false;
}
}
void Update()
{
}
}

View File

@ -0,0 +1,2 @@
fileFormatVersion: 2
guid: 6482f240e7cb79c4b9fc75b92e143e18

View File

@ -1,37 +0,0 @@
using NUnit.Framework;
using UnityEngine;
using UnityEngine.InputSystem;
using System.Collections.Generic;
public class SimpleExcution : MonoBehaviour
{
[SerializeField] private List<GameObject> gbs = new List<GameObject>();
private GameObject target;
private void Awake()
{
gbs = new List<GameObject>(GameObject.FindGameObjectsWithTag("Enemy"));
}
void Update()
{
if (Keyboard.current.cKey.wasPressedThisFrame)
{
Vector2 pos = gameObject.transform.position;
float distance = Mathf.Infinity;
float currentdistance = 0f;
foreach(GameObject e in gbs)
{
currentdistance = Vector2.Distance(pos, e.transform.position);
if(currentdistance < distance)
{
distance = currentdistance;
target = e.gameObject;
}
}
gameObject.transform.position = target.transform.position;
gbs.Remove(target);
Destroy(target.gameObject);
}
}
}

View File

@ -1,2 +0,0 @@
fileFormatVersion: 2
guid: 063a9e68bc9ebc346bc940bb876bb0f8

View File

@ -0,0 +1,339 @@
[Licensing::Module] Trying to connect to existing licensing client channel...
Built from '6000.3/staging' branch; Version is '6000.3.4f1 (fdd3b8998ec4) revision 16634808'; Using compiler version '194234433'; Build Type 'Release'
[Licensing::IpcConnector] Successfully connected to: "LicenseClient-User" at "2026-01-27T00:09:05.7341269Z"
OS: 'Windows 11 (10.0.22631) Education' Language: 'ko' Physical Memory: 32527 MB
BatchMode: 1, IsHumanControllingUs: 0, StartBugReporterOnCrash: 0, Is64bit: 1
System architecture: x64
Process architecture: x64
Date: 2026-01-27T00:09:05Z
COMMAND LINE ARGUMENTS:
C:\Program Files\Unity\Hub\Editor\6000.3.4f1\Editor\Unity.exe
-adb2
-batchMode
-noUpm
-name
AssetImportWorker0
-projectPath
C:/jh04010421/study/first_study
-logFile
Logs/AssetImportWorker0.log
-srvPort
3325
-licensingIpc
LicenseClient-User
-job-worker-count
11
-background-job-worker-count
8
-gc-helper-count
1
-name
AssetImport
Successfully changed project path to: C:/jh04010421/study/first_study
C:/jh04010421/study/first_study
[UnityMemory] Configuration Parameters - Can be set up in boot.config
"memorysetup-temp-allocator-size-nav-mesh-worker=65536"
"memorysetup-temp-allocator-size-audio-worker=65536"
"memorysetup-temp-allocator-size-gfx=262144"
"memorysetup-allocator-temp-initial-block-size-main=262144"
"memorysetup-allocator-temp-initial-block-size-worker=262144"
"memorysetup-temp-allocator-size-background-worker=32768"
"memorysetup-temp-allocator-size-job-worker=262144"
"memorysetup-temp-allocator-size-preload-manager=33554432"
"memorysetup-temp-allocator-size-gi-baking-worker=262144"
"memorysetup-temp-allocator-size-gi-baking-worker=262144"
"memorysetup-temp-allocator-size-gi-baking-worker=262144"
"memorysetup-temp-allocator-size-gi-baking-worker=262144"
"memorysetup-temp-allocator-size-gi-baking-worker=262144"
"memorysetup-bucket-allocator-granularity=16"
"memorysetup-bucket-allocator-bucket-count=8"
"memorysetup-bucket-allocator-block-size=33554432"
"memorysetup-bucket-allocator-block-count=8"
"memorysetup-main-allocator-block-size=16777216"
"memorysetup-thread-allocator-block-size=16777216"
"memorysetup-gfx-main-allocator-block-size=16777216"
"memorysetup-gfx-thread-allocator-block-size=16777216"
"memorysetup-cache-allocator-block-size=4194304"
"memorysetup-typetree-allocator-block-size=2097152"
"memorysetup-profiler-bucket-allocator-granularity=16"
"memorysetup-profiler-bucket-allocator-bucket-count=8"
"memorysetup-profiler-bucket-allocator-block-size=33554432"
"memorysetup-profiler-bucket-allocator-block-count=8"
"memorysetup-profiler-allocator-block-size=16777216"
"memorysetup-profiler-editor-allocator-block-size=1048576"
"memorysetup-temp-allocator-size-main=16777216"
"memorysetup-job-temp-allocator-block-size=2097152"
"memorysetup-job-temp-allocator-block-size-background=1048576"
"memorysetup-job-temp-allocator-reduction-small-platforms=262144"
"memorysetup-temp-allocator-size-cloud-worker=32768"
Player connection [10128] Target information:
Player connection [10128] * "[IP] 220.149.147.175 [Port] 0 [Flags] 2 [Guid] 2043027953 [EditorId] 2043027953 [Version] 1048832 [Id] WindowsEditor(7,arvr-17) [Debug] 1 [PackageName] WindowsEditor [ProjectName] Editor"
Player connection [10128] Host joined multi-casting on [225.0.0.222:54997]...
Player connection [10128] Host joined alternative multi-casting on [225.0.0.222:34997]...
JobSystem: Creating JobQueue using job-worker-count value 11
Input System module state changed to: Initialized.
[Physics::Module] Initialized fallback backend.
[Physics::Module] Id: 0xdecafbad
Library Redirect Path: Library/
[Physics::Module] Selected backend.
[Physics::Module] Name: PhysX
[Physics::Module] Id: 0xf2b8ea05
[Physics::Module] SDK Version: 4.1.2
[Physics::Module] Integration Version: 1.0.0
[Physics::Module] Threading Mode: Multi-Threaded
Refreshing native plugins compatible for Editor in 1.44 ms, found 3 plugins.
Preloading 0 native plugins for Editor in 0.00 ms.
Initialize engine version: 6000.3.4f1 (fdd3b8998ec4)
[Subsystems] Discovering subsystems at path C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/Resources/UnitySubsystems
[Subsystems] Discovering subsystems at path C:/jh04010421/study/first_study/Assets
GfxDevice: creating device client; kGfxThreadingModeNonThreaded
Direct3D:
Version: Direct3D 11.0 [level 11.1]
Renderer: NVIDIA GeForce RTX 4060 Ti (ID=0x2803)
Vendor: NVIDIA
VRAM: 7949 MB
Driver: 32.0.15.6094
Initialize mono
Mono path[0] = 'C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/Managed'
Mono path[1] = 'C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/MonoBleedingEdge/lib/mono/unityjit-win32'
Mono config path = 'C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/MonoBleedingEdge/etc'
Using monoOptions --debugger-agent=transport=dt_socket,embedding=1,server=y,suspend=n,address=127.0.0.1:56360
Begin MonoManager ReloadAssembly
Registering precompiled unity dll's ...
Register platform support module: C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/PlaybackEngines/WindowsStandaloneSupport/UnityEditor.WindowsStandalone.Extensions.dll
Registered in 0.001851 seconds.
- Loaded All Assemblies, in 0.303 seconds
Native extension for WindowsStandalone target not found
ScheduleIndexationOnStartup MainProcess:False IndexOnStartup:True
Mono: successfully reloaded assembly
- Finished resetting the current domain, in 0.242 seconds
Domain Reload Profiling: 542ms
BeginReloadAssembly (96ms)
ExecutionOrderSort (0ms)
DisableScriptedObjects (0ms)
BackupInstance (0ms)
ReleaseScriptingObjects (0ms)
CreateAndSetChildDomain (0ms)
RebuildCommonClasses (26ms)
RebuildNativeTypeToScriptingClass (12ms)
initialDomainReloadingComplete (35ms)
LoadAllAssembliesAndSetupDomain (131ms)
LoadAssemblies (92ms)
RebuildTransferFunctionScriptingTraits (0ms)
AnalyzeDomain (129ms)
TypeCache.Refresh (128ms)
TypeCache.ScanAssembly (119ms)
BuildScriptInfoCaches (0ms)
ResolveRequiredComponents (0ms)
FinalizeReload (243ms)
ReleaseScriptCaches (0ms)
RebuildScriptCaches (0ms)
SetupLoadedEditorAssemblies (221ms)
LogAssemblyErrors (0ms)
InitializePlatformSupportModulesInManaged (30ms)
SetLoadedEditorAssemblies (3ms)
BeforeProcessingInitializeOnLoad (51ms)
ProcessInitializeOnLoadAttributes (90ms)
ProcessInitializeOnLoadMethodAttributes (48ms)
AfterProcessingInitializeOnLoad (0ms)
EditorAssembliesLoaded (0ms)
ExecutionOrderSort2 (0ms)
AwakeInstancesAfterBackupRestoration (0ms)
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
========================================================================
Worker process is ready to serve import requests
Import Worker Mode flag is 0x00
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
Begin MonoManager ReloadAssembly
[Licensing::Module] Licensing is not yet initialized.
[Licensing::Client] Handshaking with LicensingClient:
Version: 1.17.4+4293ba1
Session Id: 18a6dbd7d44741e2beb9d4fb21ad1518
Correlation Id: b0bc134685555bdbe86c568bf38b4e7e
External correlation Id: 1117367282098476040
Machine Id: o6l/d0mCqKDN7y8pWWzEL5TfVSw=
[Licensing::Module] Successfully connected to LicensingClient on channel: "LicenseClient-User" (connect: 0.00s, validation: 0.00s, handshake: 1.26s)
[Licensing::IpcConnector] Successfully connected to: "LicenseClient-User-notifications" at "2026-01-27T00:09:06.9947939Z"
[Licensing::Module] Licensing Background thread has ended after 1.26s
[Licensing::Module] Licensing is initialized (took 0.23s).
[Licensing::Client] Successfully resolved entitlement details
[Licensing::Module] License group:
Id: F4-JH5V-RZ7J-J8U5-8HYN-XXXX
Product: Unity Personal
Type: ULF
Expiration: 2026-03-05T01:08:55Z
[Licensing::Module] License group:
Id: 14568598131100-UnityPersXXXX
Product: Unity Personal
Type: Assigned
Expiration: Unlimited
- Loaded All Assemblies, in 0.696 seconds
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
Refreshing native plugins compatible for Editor in 0.83 ms, found 3 plugins.
Native extension for WindowsStandalone target not found
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
Package Manager log level set to [2]
[Package Manager] Failed to launch server process. Reason: Unity was launched with the -noUpm command-line argument
[Package Manager] Unable to send message (not connected to server process).
[Package Manager] Cannot connect to Unity Package Manager local server
[Package Manager] Failed to launch server process. Reason: Unity was launched with the -noUpm command-line argument
[Package Manager] Unable to send message (not connected to server process).
[Package Manager] Cannot connect to Unity Package Manager local server
ScheduleIndexationOnStartup MainProcess:False IndexOnStartup:True
Mono: successfully reloaded assembly
- Finished resetting the current domain, in 0.418 seconds
Domain Reload Profiling: 1110ms
BeginReloadAssembly (360ms)
ExecutionOrderSort (0ms)
DisableScriptedObjects (3ms)
BackupInstance (0ms)
ReleaseScriptingObjects (0ms)
CreateAndSetChildDomain (20ms)
RebuildCommonClasses (25ms)
RebuildNativeTypeToScriptingClass (14ms)
initialDomainReloadingComplete (28ms)
LoadAllAssembliesAndSetupDomain (264ms)
LoadAssemblies (228ms)
RebuildTransferFunctionScriptingTraits (0ms)
AnalyzeDomain (110ms)
TypeCache.Refresh (86ms)
TypeCache.ScanAssembly (78ms)
BuildScriptInfoCaches (20ms)
ResolveRequiredComponents (2ms)
FinalizeReload (419ms)
ReleaseScriptCaches (0ms)
RebuildScriptCaches (0ms)
SetupLoadedEditorAssemblies (355ms)
LogAssemblyErrors (0ms)
InitializePlatformSupportModulesInManaged (1ms)
SetLoadedEditorAssemblies (2ms)
BeforeProcessingInitializeOnLoad (88ms)
ProcessInitializeOnLoadAttributes (223ms)
ProcessInitializeOnLoadMethodAttributes (35ms)
AfterProcessingInitializeOnLoad (6ms)
EditorAssembliesLoaded (0ms)
ExecutionOrderSort2 (0ms)
AwakeInstancesAfterBackupRestoration (4ms)
Launched and connected shader compiler UnityShaderCompiler.exe after 0.01 seconds
Refreshing native plugins compatible for Editor in 0.86 ms, found 3 plugins.
Preloading 0 native plugins for Editor in 0.00 ms.
Unloading 1 Unused Serialized files (Serialized files now loaded: 0)
Unloading 3820 unused Assets / (1.2 MB). Loaded Objects now: 4411.
Memory consumption went from 98.0 MB to 96.8 MB.
Total: 4.603100 ms (FindLiveObjects: 0.257000 ms CreateObjectMapping: 0.153100 ms MarkObjects: 3.535200 ms DeleteObjects: 0.657300 ms)
========================================================================
Received Import Request.
Time since last request: 496.041289 seconds.
path: Packages/com.unity.cinemachine/Runtime/Debug/CinemachineRuntimeTheme.tss
artifactKey: Guid(df9aec944f4474a04847b6d6375e4138) Importer(815301076,1909f56bfc062723c751e8b465ee728b)
Start importing Packages/com.unity.cinemachine/Runtime/Debug/CinemachineRuntimeTheme.tss using Guid(df9aec944f4474a04847b6d6375e4138) Importer(815301076,1909f56bfc062723c751e8b465ee728b) (PreviewImporter) -> (artifact id: '1a623ca78a700051f821935384c689d5') in 0.0972647 seconds
Number of updated asset objects reloaded before import = 0Number of asset objects unloaded after import = 29
========================================================================
Received Import Request.
Time since last request: 1.547680 seconds.
path: Assets/InputSystem_Actions.inputactions
artifactKey: Guid(7f105f64cd21d2848ab7f4223cd4bd15) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e)
Start importing Assets/InputSystem_Actions.inputactions using Guid(7f105f64cd21d2848ab7f4223cd4bd15) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e) (ScriptedImporter) -> (artifact id: '732440fbfe45e94a5baf786f4eda2100') in 0.1907963 seconds
Number of updated asset objects reloaded before import = 0Number of asset objects unloaded after import = 23
========================================================================
Received Import Request.
Time since last request: 0.000019 seconds.
path: Assets/Player/anicon/sAtk_AnimeCon.controller
artifactKey: Guid(cfd206a77c8e68b44b312a4f2405feff) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e)
Start importing Assets/Player/anicon/sAtk_AnimeCon.controller using Guid(cfd206a77c8e68b44b312a4f2405feff) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e) (ScriptedImporter) -> (artifact id: '1002833f08a08210376379c8c2b37d99') in 0.013142 seconds
Number of updated asset objects reloaded before import = 0Number of asset objects unloaded after import = 7
========================================================================
Received Import Request.
Time since last request: 0.000020 seconds.
path: Assets/Images/attack_effect_0 1.controller
artifactKey: Guid(6161288dc85e3014f984effcd0e30e9a) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e)
Start importing Assets/Images/attack_effect_0 1.controller using Guid(6161288dc85e3014f984effcd0e30e9a) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e) (ScriptedImporter) -> (artifact id: 'd8373cf83d36678fe900955b06c60248') in 0.0051179 seconds
Number of updated asset objects reloaded before import = 0Number of asset objects unloaded after import = 4
========================================================================
Received Import Request.
Time since last request: 0.000031 seconds.
path: Assets/Player/anicon/Nano_AnimeCon.controller
artifactKey: Guid(371a71d6cdc800644a1e6afe649c7182) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e)
Start importing Assets/Player/anicon/Nano_AnimeCon.controller using Guid(371a71d6cdc800644a1e6afe649c7182) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e) (ScriptedImporter) -> (artifact id: 'af7af8f79698094f37320a9bc89eac70') in 0.0049199 seconds
Number of updated asset objects reloaded before import = 0Number of asset objects unloaded after import = 21
========================================================================
Received Import Request.
Time since last request: 0.000014 seconds.
path: Assets/Player/anicon/aAtk_AnimeCon.controller
artifactKey: Guid(5b3ab30456836f949b6931934afc3a7a) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e)
Start importing Assets/Player/anicon/aAtk_AnimeCon.controller using Guid(5b3ab30456836f949b6931934afc3a7a) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e) (ScriptedImporter) -> (artifact id: 'f7b2f14c27d45b93326989e7b07442fb') in 0.0049053 seconds
Number of updated asset objects reloaded before import = 0Number of asset objects unloaded after import = 7
========================================================================
Received Prepare
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
Begin MonoManager ReloadAssembly
- Loaded All Assemblies, in 0.585 seconds
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
Refreshing native plugins compatible for Editor in 2.24 ms, found 3 plugins.
Native extension for WindowsStandalone target not found
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
[Package Manager] Failed to launch server process. Reason: Unity was launched with the -noUpm command-line argument
[Package Manager] Unable to send message (not connected to server process).
[Package Manager] Cannot connect to Unity Package Manager local server
[Package Manager] Failed to launch server process. Reason: Unity was launched with the -noUpm command-line argument
[Package Manager] Unable to send message (not connected to server process).
[Package Manager] Cannot connect to Unity Package Manager local server
ScheduleIndexationOnStartup MainProcess:False IndexOnStartup:True
Mono: successfully reloaded assembly
- Finished resetting the current domain, in 0.655 seconds
Domain Reload Profiling: 1234ms
BeginReloadAssembly (183ms)
ExecutionOrderSort (0ms)
DisableScriptedObjects (9ms)
BackupInstance (0ms)
ReleaseScriptingObjects (0ms)
CreateAndSetChildDomain (37ms)
RebuildCommonClasses (24ms)
RebuildNativeTypeToScriptingClass (9ms)
initialDomainReloadingComplete (22ms)
LoadAllAssembliesAndSetupDomain (341ms)
LoadAssemblies (311ms)
RebuildTransferFunctionScriptingTraits (0ms)
AnalyzeDomain (122ms)
TypeCache.Refresh (5ms)
TypeCache.ScanAssembly (0ms)
BuildScriptInfoCaches (110ms)
ResolveRequiredComponents (4ms)
FinalizeReload (656ms)
ReleaseScriptCaches (0ms)
RebuildScriptCaches (0ms)
SetupLoadedEditorAssemblies (528ms)
LogAssemblyErrors (0ms)
InitializePlatformSupportModulesInManaged (2ms)
SetLoadedEditorAssemblies (4ms)
BeforeProcessingInitializeOnLoad (144ms)
ProcessInitializeOnLoadAttributes (322ms)
ProcessInitializeOnLoadMethodAttributes (47ms)
AfterProcessingInitializeOnLoad (9ms)
EditorAssembliesLoaded (0ms)
ExecutionOrderSort2 (0ms)
AwakeInstancesAfterBackupRestoration (7ms)
Refreshing native plugins compatible for Editor in 1.22 ms, found 3 plugins.
Preloading 0 native plugins for Editor in 0.00 ms.
Unloading 1 Unused Serialized files (Serialized files now loaded: 0)
Unloading 3818 unused Assets / (1.0 MB). Loaded Objects now: 4470.
Memory consumption went from 99.5 MB to 98.5 MB.
Total: 4.931900 ms (FindLiveObjects: 0.259300 ms CreateObjectMapping: 0.124300 ms MarkObjects: 3.849500 ms DeleteObjects: 0.698100 ms)
Prepare: number of updated asset objects reloaded= 0
Editor requested this worker to shutdown with reason: Scaling down because of idle timeout
AssetImportWorker is now disconnected from the server
Process exiting
Exiting without the bug reporter. Application will terminate with return code 0

File diff suppressed because it is too large Load Diff

View File

@ -0,0 +1,355 @@
[Licensing::Module] Trying to connect to existing licensing client channel...
Built from '6000.3/staging' branch; Version is '6000.3.4f1 (fdd3b8998ec4) revision 16634808'; Using compiler version '194234433'; Build Type 'Release'
[Licensing::IpcConnector] Successfully connected to: "LicenseClient-User" at "2026-01-27T00:09:05.7591208Z"
OS: 'Windows 11 (10.0.22631) Education' Language: 'ko' Physical Memory: 32527 MB
BatchMode: 1, IsHumanControllingUs: 0, StartBugReporterOnCrash: 0, Is64bit: 1
System architecture: x64
Process architecture: x64
Date: 2026-01-27T00:09:05Z
COMMAND LINE ARGUMENTS:
C:\Program Files\Unity\Hub\Editor\6000.3.4f1\Editor\Unity.exe
-adb2
-batchMode
-noUpm
-name
AssetImportWorker1
-projectPath
C:/jh04010421/study/first_study
-logFile
Logs/AssetImportWorker1.log
-srvPort
3325
-licensingIpc
LicenseClient-User
-job-worker-count
11
-background-job-worker-count
8
-gc-helper-count
1
-name
AssetImport
Successfully changed project path to: C:/jh04010421/study/first_study
C:/jh04010421/study/first_study
[UnityMemory] Configuration Parameters - Can be set up in boot.config
"memorysetup-temp-allocator-size-nav-mesh-worker=65536"
"memorysetup-temp-allocator-size-audio-worker=65536"
"memorysetup-temp-allocator-size-gfx=262144"
"memorysetup-allocator-temp-initial-block-size-main=262144"
"memorysetup-allocator-temp-initial-block-size-worker=262144"
"memorysetup-temp-allocator-size-background-worker=32768"
"memorysetup-temp-allocator-size-job-worker=262144"
"memorysetup-temp-allocator-size-preload-manager=33554432"
"memorysetup-temp-allocator-size-gi-baking-worker=262144"
"memorysetup-temp-allocator-size-gi-baking-worker=262144"
"memorysetup-temp-allocator-size-gi-baking-worker=262144"
"memorysetup-temp-allocator-size-gi-baking-worker=262144"
"memorysetup-temp-allocator-size-gi-baking-worker=262144"
"memorysetup-bucket-allocator-granularity=16"
"memorysetup-bucket-allocator-bucket-count=8"
"memorysetup-bucket-allocator-block-size=33554432"
"memorysetup-bucket-allocator-block-count=8"
"memorysetup-main-allocator-block-size=16777216"
"memorysetup-thread-allocator-block-size=16777216"
"memorysetup-gfx-main-allocator-block-size=16777216"
"memorysetup-gfx-thread-allocator-block-size=16777216"
"memorysetup-cache-allocator-block-size=4194304"
"memorysetup-typetree-allocator-block-size=2097152"
"memorysetup-profiler-bucket-allocator-granularity=16"
"memorysetup-profiler-bucket-allocator-bucket-count=8"
"memorysetup-profiler-bucket-allocator-block-size=33554432"
"memorysetup-profiler-bucket-allocator-block-count=8"
"memorysetup-profiler-allocator-block-size=16777216"
"memorysetup-profiler-editor-allocator-block-size=1048576"
"memorysetup-temp-allocator-size-main=16777216"
"memorysetup-job-temp-allocator-block-size=2097152"
"memorysetup-job-temp-allocator-block-size-background=1048576"
"memorysetup-job-temp-allocator-reduction-small-platforms=262144"
"memorysetup-temp-allocator-size-cloud-worker=32768"
Player connection [21472] Target information:
Player connection [21472] * "[IP] 220.149.147.175 [Port] 0 [Flags] 2 [Guid] 1697926704 [EditorId] 1697926704 [Version] 1048832 [Id] WindowsEditor(7,arvr-17) [Debug] 1 [PackageName] WindowsEditor [ProjectName] Editor"
Player connection [21472] Host joined multi-casting on [225.0.0.222:54997]...
Player connection [21472] Host joined alternative multi-casting on [225.0.0.222:34997]...
JobSystem: Creating JobQueue using job-worker-count value 11
Input System module state changed to: Initialized.
[Physics::Module] Initialized fallback backend.
[Physics::Module] Id: 0xdecafbad
Library Redirect Path: Library/
[Physics::Module] Selected backend.
[Physics::Module] Name: PhysX
[Physics::Module] Id: 0xf2b8ea05
[Physics::Module] SDK Version: 4.1.2
[Physics::Module] Integration Version: 1.0.0
[Physics::Module] Threading Mode: Multi-Threaded
Refreshing native plugins compatible for Editor in 1.64 ms, found 3 plugins.
Preloading 0 native plugins for Editor in 0.00 ms.
Initialize engine version: 6000.3.4f1 (fdd3b8998ec4)
[Subsystems] Discovering subsystems at path C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/Resources/UnitySubsystems
[Subsystems] Discovering subsystems at path C:/jh04010421/study/first_study/Assets
GfxDevice: creating device client; kGfxThreadingModeNonThreaded
Direct3D:
Version: Direct3D 11.0 [level 11.1]
Renderer: NVIDIA GeForce RTX 4060 Ti (ID=0x2803)
Vendor: NVIDIA
VRAM: 7949 MB
Driver: 32.0.15.6094
Initialize mono
Mono path[0] = 'C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/Managed'
Mono path[1] = 'C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/MonoBleedingEdge/lib/mono/unityjit-win32'
Mono config path = 'C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/MonoBleedingEdge/etc'
Using monoOptions --debugger-agent=transport=dt_socket,embedding=1,server=y,suspend=n,address=127.0.0.1:56492
Begin MonoManager ReloadAssembly
Registering precompiled unity dll's ...
Register platform support module: C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/PlaybackEngines/WindowsStandaloneSupport/UnityEditor.WindowsStandalone.Extensions.dll
Registered in 0.002264 seconds.
- Loaded All Assemblies, in 0.324 seconds
Native extension for WindowsStandalone target not found
ScheduleIndexationOnStartup MainProcess:False IndexOnStartup:True
Mono: successfully reloaded assembly
- Finished resetting the current domain, in 0.241 seconds
Domain Reload Profiling: 562ms
BeginReloadAssembly (119ms)
ExecutionOrderSort (0ms)
DisableScriptedObjects (0ms)
BackupInstance (0ms)
ReleaseScriptingObjects (0ms)
CreateAndSetChildDomain (0ms)
RebuildCommonClasses (27ms)
RebuildNativeTypeToScriptingClass (10ms)
initialDomainReloadingComplete (37ms)
LoadAllAssembliesAndSetupDomain (129ms)
LoadAssemblies (115ms)
RebuildTransferFunctionScriptingTraits (0ms)
AnalyzeDomain (127ms)
TypeCache.Refresh (126ms)
TypeCache.ScanAssembly (114ms)
BuildScriptInfoCaches (0ms)
ResolveRequiredComponents (0ms)
FinalizeReload (241ms)
ReleaseScriptCaches (0ms)
RebuildScriptCaches (0ms)
SetupLoadedEditorAssemblies (220ms)
LogAssemblyErrors (0ms)
InitializePlatformSupportModulesInManaged (30ms)
SetLoadedEditorAssemblies (2ms)
BeforeProcessingInitializeOnLoad (51ms)
ProcessInitializeOnLoadAttributes (89ms)
ProcessInitializeOnLoadMethodAttributes (47ms)
AfterProcessingInitializeOnLoad (0ms)
EditorAssembliesLoaded (0ms)
ExecutionOrderSort2 (0ms)
AwakeInstancesAfterBackupRestoration (0ms)
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
========================================================================
Worker process is ready to serve import requests
Import Worker Mode flag is 0x00
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
Begin MonoManager ReloadAssembly
[Licensing::Module] Licensing is not yet initialized.
[Licensing::Client] Handshaking with LicensingClient:
Version: 1.17.4+4293ba1
Session Id: d457205abbce4acf8129302c9eb5916e
Correlation Id: b0bc134685555bdbe86c568bf38b4e7e
External correlation Id: 4944165304202504528
Machine Id: o6l/d0mCqKDN7y8pWWzEL5TfVSw=
[Licensing::Module] Successfully connected to LicensingClient on channel: "LicenseClient-User" (connect: 0.00s, validation: 0.00s, handshake: 1.28s)
[Licensing::IpcConnector] Successfully connected to: "LicenseClient-User-notifications" at "2026-01-27T00:09:07.0446167Z"
[Licensing::Module] Licensing Background thread has ended after 1.29s
[Licensing::Module] Licensing is initialized (took 0.24s).
[Licensing::Client] Successfully resolved entitlement details
[Licensing::Module] License group:
Id: F4-JH5V-RZ7J-J8U5-8HYN-XXXX
Product: Unity Personal
Type: ULF
Expiration: 2026-03-05T01:08:55Z
[Licensing::Module] License group:
Id: 14568598131100-UnityPersXXXX
Product: Unity Personal
Type: Assigned
Expiration: Unlimited
- Loaded All Assemblies, in 0.724 seconds
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
Refreshing native plugins compatible for Editor in 0.95 ms, found 3 plugins.
Native extension for WindowsStandalone target not found
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
Package Manager log level set to [2]
[Package Manager] Failed to launch server process. Reason: Unity was launched with the -noUpm command-line argument
[Package Manager] Unable to send message (not connected to server process).
[Package Manager] Cannot connect to Unity Package Manager local server
[Package Manager] Failed to launch server process. Reason: Unity was launched with the -noUpm command-line argument
[Package Manager] Unable to send message (not connected to server process).
[Package Manager] Cannot connect to Unity Package Manager local server
ScheduleIndexationOnStartup MainProcess:False IndexOnStartup:True
Mono: successfully reloaded assembly
- Finished resetting the current domain, in 0.413 seconds
Domain Reload Profiling: 1132ms
BeginReloadAssembly (388ms)
ExecutionOrderSort (0ms)
DisableScriptedObjects (3ms)
BackupInstance (0ms)
ReleaseScriptingObjects (0ms)
CreateAndSetChildDomain (20ms)
RebuildCommonClasses (25ms)
RebuildNativeTypeToScriptingClass (9ms)
initialDomainReloadingComplete (29ms)
LoadAllAssembliesAndSetupDomain (268ms)
LoadAssemblies (252ms)
RebuildTransferFunctionScriptingTraits (0ms)
AnalyzeDomain (106ms)
TypeCache.Refresh (82ms)
TypeCache.ScanAssembly (73ms)
BuildScriptInfoCaches (20ms)
ResolveRequiredComponents (3ms)
FinalizeReload (413ms)
ReleaseScriptCaches (0ms)
RebuildScriptCaches (0ms)
SetupLoadedEditorAssemblies (350ms)
LogAssemblyErrors (0ms)
InitializePlatformSupportModulesInManaged (1ms)
SetLoadedEditorAssemblies (2ms)
BeforeProcessingInitializeOnLoad (85ms)
ProcessInitializeOnLoadAttributes (220ms)
ProcessInitializeOnLoadMethodAttributes (35ms)
AfterProcessingInitializeOnLoad (6ms)
EditorAssembliesLoaded (0ms)
ExecutionOrderSort2 (0ms)
AwakeInstancesAfterBackupRestoration (4ms)
Launched and connected shader compiler UnityShaderCompiler.exe after 0.01 seconds
Refreshing native plugins compatible for Editor in 1.18 ms, found 3 plugins.
Preloading 0 native plugins for Editor in 0.00 ms.
Unloading 1 Unused Serialized files (Serialized files now loaded: 0)
Unloading 3820 unused Assets / (1.3 MB). Loaded Objects now: 4411.
Memory consumption went from 98.0 MB to 96.8 MB.
Total: 4.507700 ms (FindLiveObjects: 0.236500 ms CreateObjectMapping: 0.140400 ms MarkObjects: 3.499300 ms DeleteObjects: 0.630800 ms)
========================================================================
Received Import Request.
Time since last request: 497.688151 seconds.
path: Assets/Scripts/PlayerSc/PlayerAttacks.cs
artifactKey: Guid(7d5a416fe74af3443a912ee0d631c1ae) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e)
Start importing Assets/Scripts/PlayerSc/PlayerAttacks.cs using Guid(7d5a416fe74af3443a912ee0d631c1ae) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e) (ScriptedImporter) -> (artifact id: 'dab27418b5cff199b94c46d4f903ac7f') in 0.0706874 seconds
Number of updated asset objects reloaded before import = 0Number of asset objects unloaded after import = 0
========================================================================
Received Import Request.
Time since last request: 0.000017 seconds.
path: Assets/Images/attack_effect.png
artifactKey: Guid(841c74153b457a9488f5bd65f845c539) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e)
Start importing Assets/Images/attack_effect.png using Guid(841c74153b457a9488f5bd65f845c539) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e) (ScriptedImporter) -> (artifact id: 'f84626af3d711fde78d8b89897cb028e') in 0.0481284 seconds
Number of updated asset objects reloaded before import = 0Number of asset objects unloaded after import = 6
========================================================================
Received Import Request.
Time since last request: 0.000024 seconds.
path: Assets/Scripts/PlayerSc/PlayerController2.cs
artifactKey: Guid(2b82e09276847f341b71399c5d2f4cd1) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e)
Start importing Assets/Scripts/PlayerSc/PlayerController2.cs using Guid(2b82e09276847f341b71399c5d2f4cd1) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e) (ScriptedImporter) -> (artifact id: '54493d470a85ac87ba869e6c0e6fc0e0') in 0.0043476 seconds
Number of updated asset objects reloaded before import = 0Number of asset objects unloaded after import = 0
========================================================================
Received Import Request.
Time since last request: 0.000073 seconds.
path: Assets/Scenes/Stage1.unity
artifactKey: Guid(6974864f42d5340b5aa85852458f9b0c) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e)
Start importing Assets/Scenes/Stage1.unity using Guid(6974864f42d5340b5aa85852458f9b0c) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e) (ScriptedImporter) -> (artifact id: 'd6a6ac3b3c2c40a3fef44ca0559574b5') in 0.0042919 seconds
Number of updated asset objects reloaded before import = 0Number of asset objects unloaded after import = 1
========================================================================
Received Import Request.
Time since last request: 0.000065 seconds.
path: Assets/Images/attack_effect_0.controller
artifactKey: Guid(bc849634e5bc033419e927cd99afcabf) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e)
Start importing Assets/Images/attack_effect_0.controller using Guid(bc849634e5bc033419e927cd99afcabf) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e) (ScriptedImporter) -> (artifact id: '9967868cfd3d57877bf379d7044cec35') in 0.0075597 seconds
Number of updated asset objects reloaded before import = 0Number of asset objects unloaded after import = 4
========================================================================
Received Import Request.
Time since last request: 0.000015 seconds.
path: Assets/Images/SAtk.anim
artifactKey: Guid(07fd2d30313697f4a8f9382e353dd883) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e)
Start importing Assets/Images/SAtk.anim using Guid(07fd2d30313697f4a8f9382e353dd883) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e) (ScriptedImporter) -> (artifact id: '0893bd7a26db9ce34f3fa3a65ff6299b') in 0.009869 seconds
Number of updated asset objects reloaded before import = 0Number of asset objects unloaded after import = 1
========================================================================
Received Import Request.
Time since last request: 0.000081 seconds.
path: Assets/Images/AAtk.anim
artifactKey: Guid(014c1726d6ddb5c48bececddc1adcbe5) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e)
Start importing Assets/Images/AAtk.anim using Guid(014c1726d6ddb5c48bececddc1adcbe5) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e) (ScriptedImporter) -> (artifact id: 'd6b006b24201a2c702218a5152d8bf88') in 0.0053871 seconds
Number of updated asset objects reloaded before import = 0Number of asset objects unloaded after import = 1
========================================================================
Received Import Request.
Time since last request: 0.000068 seconds.
path: Assets/Scripts/PlayerSc/PlayerAction.inputactions
artifactKey: Guid(af82441b31845e14d84291d31d7715aa) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e)
Start importing Assets/Scripts/PlayerSc/PlayerAction.inputactions using Guid(af82441b31845e14d84291d31d7715aa) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e) (ScriptedImporter) -> (artifact id: '28141668a5df847dc67d52f4263a6a8d') in 0.1278263 seconds
Number of updated asset objects reloaded before import = 0Number of asset objects unloaded after import = 9
========================================================================
Received Prepare
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
Begin MonoManager ReloadAssembly
- Loaded All Assemblies, in 0.634 seconds
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
Refreshing native plugins compatible for Editor in 2.44 ms, found 3 plugins.
Native extension for WindowsStandalone target not found
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
[Package Manager] Failed to launch server process. Reason: Unity was launched with the -noUpm command-line argument
[Package Manager] Unable to send message (not connected to server process).
[Package Manager] Cannot connect to Unity Package Manager local server
[Package Manager] Failed to launch server process. Reason: Unity was launched with the -noUpm command-line argument
[Package Manager] Unable to send message (not connected to server process).
[Package Manager] Cannot connect to Unity Package Manager local server
ScheduleIndexationOnStartup MainProcess:False IndexOnStartup:True
Mono: successfully reloaded assembly
- Finished resetting the current domain, in 0.658 seconds
Domain Reload Profiling: 1287ms
BeginReloadAssembly (201ms)
ExecutionOrderSort (0ms)
DisableScriptedObjects (9ms)
BackupInstance (0ms)
ReleaseScriptingObjects (0ms)
CreateAndSetChildDomain (34ms)
RebuildCommonClasses (25ms)
RebuildNativeTypeToScriptingClass (9ms)
initialDomainReloadingComplete (30ms)
LoadAllAssembliesAndSetupDomain (363ms)
LoadAssemblies (379ms)
RebuildTransferFunctionScriptingTraits (0ms)
AnalyzeDomain (92ms)
TypeCache.Refresh (5ms)
TypeCache.ScanAssembly (0ms)
BuildScriptInfoCaches (82ms)
ResolveRequiredComponents (3ms)
FinalizeReload (658ms)
ReleaseScriptCaches (0ms)
RebuildScriptCaches (0ms)
SetupLoadedEditorAssemblies (524ms)
LogAssemblyErrors (0ms)
InitializePlatformSupportModulesInManaged (2ms)
SetLoadedEditorAssemblies (4ms)
BeforeProcessingInitializeOnLoad (136ms)
ProcessInitializeOnLoadAttributes (312ms)
ProcessInitializeOnLoadMethodAttributes (62ms)
AfterProcessingInitializeOnLoad (8ms)
EditorAssembliesLoaded (0ms)
ExecutionOrderSort2 (0ms)
AwakeInstancesAfterBackupRestoration (7ms)
Refreshing native plugins compatible for Editor in 1.34 ms, found 3 plugins.
Preloading 0 native plugins for Editor in 0.00 ms.
Unloading 1 Unused Serialized files (Serialized files now loaded: 0)
Unloading 3818 unused Assets / (1.2 MB). Loaded Objects now: 4417.
Memory consumption went from 98.9 MB to 97.7 MB.
Total: 5.742800 ms (FindLiveObjects: 0.253600 ms CreateObjectMapping: 0.125800 ms MarkObjects: 4.493600 ms DeleteObjects: 0.868900 ms)
Prepare: number of updated asset objects reloaded= 0
Editor requested this worker to shutdown with reason: Scaling down because of idle timeout
AssetImportWorker is now disconnected from the server
Process exiting
Exiting without the bug reporter. Application will terminate with return code 0

File diff suppressed because it is too large Load Diff

View File

@ -0,0 +1,292 @@
[Licensing::Module] Trying to connect to existing licensing client channel...
Built from '6000.3/staging' branch; Version is '6000.3.4f1 (fdd3b8998ec4) revision 16634808'; Using compiler version '194234433'; Build Type 'Release'
[Licensing::IpcConnector] Successfully connected to: "LicenseClient-User" at "2026-01-27T00:09:09.8130853Z"
OS: 'Windows 11 (10.0.22631) Education' Language: 'ko' Physical Memory: 32527 MB
BatchMode: 1, IsHumanControllingUs: 0, StartBugReporterOnCrash: 0, Is64bit: 1
System architecture: x64
Process architecture: x64
Date: 2026-01-27T00:09:09Z
COMMAND LINE ARGUMENTS:
C:\Program Files\Unity\Hub\Editor\6000.3.4f1\Editor\Unity.exe
-adb2
-batchMode
-noUpm
-name
AssetImportWorker2
-projectPath
C:/jh04010421/study/first_study
-logFile
Logs/AssetImportWorker2.log
-srvPort
3325
-licensingIpc
LicenseClient-User
-job-worker-count
11
-background-job-worker-count
8
-gc-helper-count
1
-name
AssetImport
Successfully changed project path to: C:/jh04010421/study/first_study
C:/jh04010421/study/first_study
[UnityMemory] Configuration Parameters - Can be set up in boot.config
"memorysetup-temp-allocator-size-nav-mesh-worker=65536"
"memorysetup-temp-allocator-size-audio-worker=65536"
"memorysetup-temp-allocator-size-gfx=262144"
"memorysetup-allocator-temp-initial-block-size-main=262144"
"memorysetup-allocator-temp-initial-block-size-worker=262144"
"memorysetup-temp-allocator-size-background-worker=32768"
"memorysetup-temp-allocator-size-job-worker=262144"
"memorysetup-temp-allocator-size-preload-manager=33554432"
"memorysetup-temp-allocator-size-gi-baking-worker=262144"
"memorysetup-temp-allocator-size-gi-baking-worker=262144"
"memorysetup-temp-allocator-size-gi-baking-worker=262144"
"memorysetup-temp-allocator-size-gi-baking-worker=262144"
"memorysetup-temp-allocator-size-gi-baking-worker=262144"
"memorysetup-bucket-allocator-granularity=16"
"memorysetup-bucket-allocator-bucket-count=8"
"memorysetup-bucket-allocator-block-size=33554432"
"memorysetup-bucket-allocator-block-count=8"
"memorysetup-main-allocator-block-size=16777216"
"memorysetup-thread-allocator-block-size=16777216"
"memorysetup-gfx-main-allocator-block-size=16777216"
"memorysetup-gfx-thread-allocator-block-size=16777216"
"memorysetup-cache-allocator-block-size=4194304"
"memorysetup-typetree-allocator-block-size=2097152"
"memorysetup-profiler-bucket-allocator-granularity=16"
"memorysetup-profiler-bucket-allocator-bucket-count=8"
"memorysetup-profiler-bucket-allocator-block-size=33554432"
"memorysetup-profiler-bucket-allocator-block-count=8"
"memorysetup-profiler-allocator-block-size=16777216"
"memorysetup-profiler-editor-allocator-block-size=1048576"
"memorysetup-temp-allocator-size-main=16777216"
"memorysetup-job-temp-allocator-block-size=2097152"
"memorysetup-job-temp-allocator-block-size-background=1048576"
"memorysetup-job-temp-allocator-reduction-small-platforms=262144"
"memorysetup-temp-allocator-size-cloud-worker=32768"
Player connection [21792] Target information:
Player connection [21792] * "[IP] 220.149.147.175 [Port] 0 [Flags] 2 [Guid] 2247563561 [EditorId] 2247563561 [Version] 1048832 [Id] WindowsEditor(7,arvr-17) [Debug] 1 [PackageName] WindowsEditor [ProjectName] Editor"
Player connection [21792] Host joined multi-casting on [225.0.0.222:54997]...
Player connection [21792] Host joined alternative multi-casting on [225.0.0.222:34997]...
JobSystem: Creating JobQueue using job-worker-count value 11
Input System module state changed to: Initialized.
[Physics::Module] Initialized fallback backend.
[Physics::Module] Id: 0xdecafbad
Library Redirect Path: Library/
[Physics::Module] Selected backend.
[Physics::Module] Name: PhysX
[Physics::Module] Id: 0xf2b8ea05
[Physics::Module] SDK Version: 4.1.2
[Physics::Module] Integration Version: 1.0.0
[Physics::Module] Threading Mode: Multi-Threaded
Refreshing native plugins compatible for Editor in 2.52 ms, found 3 plugins.
Preloading 0 native plugins for Editor in 0.00 ms.
Initialize engine version: 6000.3.4f1 (fdd3b8998ec4)
[Subsystems] Discovering subsystems at path C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/Resources/UnitySubsystems
[Subsystems] Discovering subsystems at path C:/jh04010421/study/first_study/Assets
GfxDevice: creating device client; kGfxThreadingModeNonThreaded
Direct3D:
Version: Direct3D 11.0 [level 11.1]
Renderer: NVIDIA GeForce RTX 4060 Ti (ID=0x2803)
Vendor: NVIDIA
VRAM: 7949 MB
Driver: 32.0.15.6094
Initialize mono
Mono path[0] = 'C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/Managed'
Mono path[1] = 'C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/MonoBleedingEdge/lib/mono/unityjit-win32'
Mono config path = 'C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/MonoBleedingEdge/etc'
Using monoOptions --debugger-agent=transport=dt_socket,embedding=1,server=y,suspend=n,address=127.0.0.1:56788
Begin MonoManager ReloadAssembly
Registering precompiled unity dll's ...
Register platform support module: C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/PlaybackEngines/WindowsStandaloneSupport/UnityEditor.WindowsStandalone.Extensions.dll
Registered in 0.002345 seconds.
- Loaded All Assemblies, in 0.361 seconds
Native extension for WindowsStandalone target not found
ScheduleIndexationOnStartup MainProcess:False IndexOnStartup:True
Mono: successfully reloaded assembly
- Finished resetting the current domain, in 0.310 seconds
Domain Reload Profiling: 666ms
BeginReloadAssembly (155ms)
ExecutionOrderSort (0ms)
DisableScriptedObjects (0ms)
BackupInstance (0ms)
ReleaseScriptingObjects (0ms)
CreateAndSetChildDomain (1ms)
RebuildCommonClasses (29ms)
RebuildNativeTypeToScriptingClass (9ms)
initialDomainReloadingComplete (37ms)
LoadAllAssembliesAndSetupDomain (126ms)
LoadAssemblies (148ms)
RebuildTransferFunctionScriptingTraits (0ms)
AnalyzeDomain (123ms)
TypeCache.Refresh (122ms)
TypeCache.ScanAssembly (112ms)
BuildScriptInfoCaches (0ms)
ResolveRequiredComponents (0ms)
FinalizeReload (311ms)
ReleaseScriptCaches (0ms)
RebuildScriptCaches (0ms)
SetupLoadedEditorAssemblies (281ms)
LogAssemblyErrors (0ms)
InitializePlatformSupportModulesInManaged (32ms)
SetLoadedEditorAssemblies (2ms)
BeforeProcessingInitializeOnLoad (67ms)
ProcessInitializeOnLoadAttributes (124ms)
ProcessInitializeOnLoadMethodAttributes (56ms)
AfterProcessingInitializeOnLoad (0ms)
EditorAssembliesLoaded (0ms)
ExecutionOrderSort2 (0ms)
AwakeInstancesAfterBackupRestoration (0ms)
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
========================================================================
Worker process is ready to serve import requests
Import Worker Mode flag is 0x00
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
Begin MonoManager ReloadAssembly
[Licensing::Module] Licensing is not yet initialized.
[Licensing::Client] Handshaking with LicensingClient:
Version: 1.17.4+4293ba1
Session Id: 760cb07bec8e467592e2d75862af1631
Correlation Id: b0bc134685555bdbe86c568bf38b4e7e
External correlation Id: 673153323503360731
Machine Id: o6l/d0mCqKDN7y8pWWzEL5TfVSw=
[Licensing::Module] Successfully connected to LicensingClient on channel: "LicenseClient-User" (connect: 0.00s, validation: 0.00s, handshake: 1.46s)
[Licensing::IpcConnector] Successfully connected to: "LicenseClient-User-notifications" at "2026-01-27T00:09:11.2767377Z"
[Licensing::Module] Licensing Background thread has ended after 1.46s
[Licensing::Module] Licensing is initialized (took 0.18s).
[Licensing::Client] Successfully resolved entitlement details
[Licensing::Module] License group:
Id: F4-JH5V-RZ7J-J8U5-8HYN-XXXX
Product: Unity Personal
Type: ULF
Expiration: 2026-03-05T01:08:55Z
[Licensing::Module] License group:
Id: 14568598131100-UnityPersXXXX
Product: Unity Personal
Type: Assigned
Expiration: Unlimited
- Loaded All Assemblies, in 0.688 seconds
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
Refreshing native plugins compatible for Editor in 1.00 ms, found 3 plugins.
Native extension for WindowsStandalone target not found
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
Package Manager log level set to [2]
[Package Manager] Failed to launch server process. Reason: Unity was launched with the -noUpm command-line argument
[Package Manager] Unable to send message (not connected to server process).
[Package Manager] Cannot connect to Unity Package Manager local server
[Package Manager] Failed to launch server process. Reason: Unity was launched with the -noUpm command-line argument
[Package Manager] Unable to send message (not connected to server process).
[Package Manager] Cannot connect to Unity Package Manager local server
ScheduleIndexationOnStartup MainProcess:False IndexOnStartup:True
Mono: successfully reloaded assembly
- Finished resetting the current domain, in 0.451 seconds
Domain Reload Profiling: 1133ms
BeginReloadAssembly (325ms)
ExecutionOrderSort (0ms)
DisableScriptedObjects (3ms)
BackupInstance (0ms)
ReleaseScriptingObjects (0ms)
CreateAndSetChildDomain (21ms)
RebuildCommonClasses (26ms)
RebuildNativeTypeToScriptingClass (9ms)
initialDomainReloadingComplete (29ms)
LoadAllAssembliesAndSetupDomain (294ms)
LoadAssemblies (274ms)
RebuildTransferFunctionScriptingTraits (0ms)
AnalyzeDomain (111ms)
TypeCache.Refresh (86ms)
TypeCache.ScanAssembly (77ms)
BuildScriptInfoCaches (21ms)
ResolveRequiredComponents (3ms)
FinalizeReload (451ms)
ReleaseScriptCaches (0ms)
RebuildScriptCaches (0ms)
SetupLoadedEditorAssemblies (376ms)
LogAssemblyErrors (0ms)
InitializePlatformSupportModulesInManaged (1ms)
SetLoadedEditorAssemblies (2ms)
BeforeProcessingInitializeOnLoad (91ms)
ProcessInitializeOnLoadAttributes (238ms)
ProcessInitializeOnLoadMethodAttributes (37ms)
AfterProcessingInitializeOnLoad (6ms)
EditorAssembliesLoaded (0ms)
ExecutionOrderSort2 (0ms)
AwakeInstancesAfterBackupRestoration (5ms)
Launched and connected shader compiler UnityShaderCompiler.exe after 0.01 seconds
Refreshing native plugins compatible for Editor in 1.02 ms, found 3 plugins.
Preloading 0 native plugins for Editor in 0.00 ms.
Unloading 1 Unused Serialized files (Serialized files now loaded: 0)
Unloading 3820 unused Assets / (1.2 MB). Loaded Objects now: 4411.
Memory consumption went from 98.1 MB to 96.9 MB.
Total: 4.626800 ms (FindLiveObjects: 0.262500 ms CreateObjectMapping: 0.118900 ms MarkObjects: 3.579300 ms DeleteObjects: 0.665600 ms)
========================================================================
Received Prepare
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
Begin MonoManager ReloadAssembly
- Loaded All Assemblies, in 0.606 seconds
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
Refreshing native plugins compatible for Editor in 1.31 ms, found 3 plugins.
Native extension for WindowsStandalone target not found
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
[Package Manager] Failed to launch server process. Reason: Unity was launched with the -noUpm command-line argument
[Package Manager] Unable to send message (not connected to server process).
[Package Manager] Cannot connect to Unity Package Manager local server
[Package Manager] Failed to launch server process. Reason: Unity was launched with the -noUpm command-line argument
[Package Manager] Unable to send message (not connected to server process).
[Package Manager] Cannot connect to Unity Package Manager local server
ScheduleIndexationOnStartup MainProcess:False IndexOnStartup:True
Mono: successfully reloaded assembly
- Finished resetting the current domain, in 0.642 seconds
Domain Reload Profiling: 1238ms
BeginReloadAssembly (187ms)
ExecutionOrderSort (0ms)
DisableScriptedObjects (10ms)
BackupInstance (0ms)
ReleaseScriptingObjects (0ms)
CreateAndSetChildDomain (32ms)
RebuildCommonClasses (25ms)
RebuildNativeTypeToScriptingClass (9ms)
initialDomainReloadingComplete (25ms)
LoadAllAssembliesAndSetupDomain (348ms)
LoadAssemblies (344ms)
RebuildTransferFunctionScriptingTraits (0ms)
AnalyzeDomain (102ms)
TypeCache.Refresh (6ms)
TypeCache.ScanAssembly (0ms)
BuildScriptInfoCaches (92ms)
ResolveRequiredComponents (3ms)
FinalizeReload (642ms)
ReleaseScriptCaches (0ms)
RebuildScriptCaches (0ms)
SetupLoadedEditorAssemblies (515ms)
LogAssemblyErrors (0ms)
InitializePlatformSupportModulesInManaged (1ms)
SetLoadedEditorAssemblies (3ms)
BeforeProcessingInitializeOnLoad (143ms)
ProcessInitializeOnLoadAttributes (308ms)
ProcessInitializeOnLoadMethodAttributes (50ms)
AfterProcessingInitializeOnLoad (9ms)
EditorAssembliesLoaded (0ms)
ExecutionOrderSort2 (0ms)
AwakeInstancesAfterBackupRestoration (7ms)
Refreshing native plugins compatible for Editor in 1.55 ms, found 3 plugins.
Preloading 0 native plugins for Editor in 0.00 ms.
Unloading 1 Unused Serialized files (Serialized files now loaded: 0)
Unloading 3818 unused Assets / (1.0 MB). Loaded Objects now: 4415.
Memory consumption went from 98.1 MB to 97.1 MB.
Total: 4.944800 ms (FindLiveObjects: 0.403400 ms CreateObjectMapping: 0.114100 ms MarkObjects: 3.799700 ms DeleteObjects: 0.626800 ms)
Prepare: number of updated asset objects reloaded= 0
Editor requested this worker to shutdown with reason: Scaling down because of idle timeout
AssetImportWorkerClient::OnTransportError - code=2 error=End of file
AssetImportWorker is now disconnected from the server
Process exiting
Exiting without the bug reporter. Application will terminate with return code 0

View File

@ -1,11 +1,11 @@
[Licensing::Module] Trying to connect to existing licensing client channel... [Licensing::Module] Trying to connect to existing licensing client channel...
Built from '6000.3/staging' branch; Version is '6000.3.4f1 (fdd3b8998ec4) revision 16634808'; Using compiler version '194234433'; Build Type 'Release' Built from '6000.3/staging' branch; Version is '6000.3.4f1 (fdd3b8998ec4) revision 16634808'; Using compiler version '194234433'; Build Type 'Release'
[Licensing::IpcConnector] Successfully connected to: "LicenseClient-User" at "2026-01-26T05:01:34.0421279Z" [Licensing::IpcConnector] Successfully connected to: "LicenseClient-User" at "2026-01-27T08:00:17.1344808Z"
OS: 'Windows 11 (10.0.22631) Education' Language: 'ko' Physical Memory: 32527 MB OS: 'Windows 11 (10.0.22631) Education' Language: 'ko' Physical Memory: 32527 MB
BatchMode: 1, IsHumanControllingUs: 0, StartBugReporterOnCrash: 0, Is64bit: 1 BatchMode: 1, IsHumanControllingUs: 0, StartBugReporterOnCrash: 0, Is64bit: 1
System architecture: x64 System architecture: x64
Process architecture: x64 Process architecture: x64
Date: 2026-01-26T05:01:34Z Date: 2026-01-27T08:00:17Z
COMMAND LINE ARGUMENTS: COMMAND LINE ARGUMENTS:
C:\Program Files\Unity\Hub\Editor\6000.3.4f1\Editor\Unity.exe C:\Program Files\Unity\Hub\Editor\6000.3.4f1\Editor\Unity.exe
@ -19,7 +19,7 @@ C:/jh04010421/study/first_study
-logFile -logFile
Logs/AssetImportWorker2.log Logs/AssetImportWorker2.log
-srvPort -srvPort
13177 6639
-licensingIpc -licensingIpc
LicenseClient-User LicenseClient-User
-job-worker-count -job-worker-count
@ -67,12 +67,12 @@ C:/jh04010421/study/first_study
"memorysetup-job-temp-allocator-block-size-background=1048576" "memorysetup-job-temp-allocator-block-size-background=1048576"
"memorysetup-job-temp-allocator-reduction-small-platforms=262144" "memorysetup-job-temp-allocator-reduction-small-platforms=262144"
"memorysetup-temp-allocator-size-cloud-worker=32768" "memorysetup-temp-allocator-size-cloud-worker=32768"
Player connection [29980] Target information: Player connection [26516] Target information:
Player connection [29980] * "[IP] 220.149.147.175 [Port] 0 [Flags] 2 [Guid] 1601963416 [EditorId] 1601963416 [Version] 1048832 [Id] WindowsEditor(7,arvr-17) [Debug] 1 [PackageName] WindowsEditor [ProjectName] Editor" Player connection [26516] * "[IP] 220.149.147.175 [Port] 0 [Flags] 2 [Guid] 1253083182 [EditorId] 1253083182 [Version] 1048832 [Id] WindowsEditor(7,arvr-17) [Debug] 1 [PackageName] WindowsEditor [ProjectName] Editor"
Player connection [29980] Host joined multi-casting on [225.0.0.222:54997]... Player connection [26516] Host joined multi-casting on [225.0.0.222:54997]...
Player connection [29980] Host joined alternative multi-casting on [225.0.0.222:34997]... Player connection [26516] Host joined alternative multi-casting on [225.0.0.222:34997]...
JobSystem: Creating JobQueue using job-worker-count value 11 JobSystem: Creating JobQueue using job-worker-count value 11
Input System module state changed to: Initialized. Input System module state changed to: Initialized.
[Physics::Module] Initialized fallback backend. [Physics::Module] Initialized fallback backend.
@ -84,7 +84,7 @@ Library Redirect Path: Library/
[Physics::Module] SDK Version: 4.1.2 [Physics::Module] SDK Version: 4.1.2
[Physics::Module] Integration Version: 1.0.0 [Physics::Module] Integration Version: 1.0.0
[Physics::Module] Threading Mode: Multi-Threaded [Physics::Module] Threading Mode: Multi-Threaded
Refreshing native plugins compatible for Editor in 2.51 ms, found 3 plugins. Refreshing native plugins compatible for Editor in 3.15 ms, found 3 plugins.
Preloading 0 native plugins for Editor in 0.00 ms. Preloading 0 native plugins for Editor in 0.00 ms.
Initialize engine version: 6000.3.4f1 (fdd3b8998ec4) Initialize engine version: 6000.3.4f1 (fdd3b8998ec4)
[Subsystems] Discovering subsystems at path C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/Resources/UnitySubsystems [Subsystems] Discovering subsystems at path C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/Resources/UnitySubsystems
@ -100,43 +100,43 @@ Initialize mono
Mono path[0] = 'C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/Managed' Mono path[0] = 'C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/Managed'
Mono path[1] = 'C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/MonoBleedingEdge/lib/mono/unityjit-win32' Mono path[1] = 'C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/MonoBleedingEdge/lib/mono/unityjit-win32'
Mono config path = 'C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/MonoBleedingEdge/etc' Mono config path = 'C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/MonoBleedingEdge/etc'
Using monoOptions --debugger-agent=transport=dt_socket,embedding=1,server=y,suspend=n,address=127.0.0.1:56148 Using monoOptions --debugger-agent=transport=dt_socket,embedding=1,server=y,suspend=n,address=127.0.0.1:56252
Begin MonoManager ReloadAssembly Begin MonoManager ReloadAssembly
Registering precompiled unity dll's ... Registering precompiled unity dll's ...
Register platform support module: C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/PlaybackEngines/WindowsStandaloneSupport/UnityEditor.WindowsStandalone.Extensions.dll Register platform support module: C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/PlaybackEngines/WindowsStandaloneSupport/UnityEditor.WindowsStandalone.Extensions.dll
Registered in 0.001904 seconds. Registered in 0.002492 seconds.
- Loaded All Assemblies, in 0.345 seconds - Loaded All Assemblies, in 0.479 seconds
Native extension for WindowsStandalone target not found Native extension for WindowsStandalone target not found
ScheduleIndexationOnStartup MainProcess:False IndexOnStartup:True ScheduleIndexationOnStartup MainProcess:False IndexOnStartup:True
Mono: successfully reloaded assembly Mono: successfully reloaded assembly
- Finished resetting the current domain, in 0.312 seconds - Finished resetting the current domain, in 0.308 seconds
Domain Reload Profiling: 653ms Domain Reload Profiling: 783ms
BeginReloadAssembly (122ms) BeginReloadAssembly (200ms)
ExecutionOrderSort (0ms) ExecutionOrderSort (0ms)
DisableScriptedObjects (0ms) DisableScriptedObjects (0ms)
BackupInstance (0ms) BackupInstance (0ms)
ReleaseScriptingObjects (0ms) ReleaseScriptingObjects (0ms)
CreateAndSetChildDomain (0ms) CreateAndSetChildDomain (1ms)
RebuildCommonClasses (29ms) RebuildCommonClasses (40ms)
RebuildNativeTypeToScriptingClass (14ms) RebuildNativeTypeToScriptingClass (10ms)
initialDomainReloadingComplete (41ms) initialDomainReloadingComplete (44ms)
LoadAllAssembliesAndSetupDomain (134ms) LoadAllAssembliesAndSetupDomain (181ms)
LoadAssemblies (117ms) LoadAssemblies (196ms)
RebuildTransferFunctionScriptingTraits (0ms) RebuildTransferFunctionScriptingTraits (0ms)
AnalyzeDomain (132ms) AnalyzeDomain (178ms)
TypeCache.Refresh (131ms) TypeCache.Refresh (177ms)
TypeCache.ScanAssembly (120ms) TypeCache.ScanAssembly (158ms)
BuildScriptInfoCaches (0ms) BuildScriptInfoCaches (0ms)
ResolveRequiredComponents (0ms) ResolveRequiredComponents (0ms)
FinalizeReload (313ms) FinalizeReload (308ms)
ReleaseScriptCaches (0ms) ReleaseScriptCaches (0ms)
RebuildScriptCaches (0ms) RebuildScriptCaches (0ms)
SetupLoadedEditorAssemblies (284ms) SetupLoadedEditorAssemblies (276ms)
LogAssemblyErrors (0ms) LogAssemblyErrors (0ms)
InitializePlatformSupportModulesInManaged (34ms) InitializePlatformSupportModulesInManaged (31ms)
SetLoadedEditorAssemblies (3ms) SetLoadedEditorAssemblies (3ms)
BeforeProcessingInitializeOnLoad (63ms) BeforeProcessingInitializeOnLoad (60ms)
ProcessInitializeOnLoadAttributes (118ms) ProcessInitializeOnLoadAttributes (115ms)
ProcessInitializeOnLoadMethodAttributes (67ms) ProcessInitializeOnLoadMethodAttributes (67ms)
AfterProcessingInitializeOnLoad (0ms) AfterProcessingInitializeOnLoad (0ms)
EditorAssembliesLoaded (0ms) EditorAssembliesLoaded (0ms)
@ -152,28 +152,29 @@ Begin MonoManager ReloadAssembly
[Licensing::Module] Licensing is not yet initialized. [Licensing::Module] Licensing is not yet initialized.
[Licensing::Client] Handshaking with LicensingClient: [Licensing::Client] Handshaking with LicensingClient:
Version: 1.17.4+4293ba1 Version: 1.17.4+4293ba1
Session Id: 8790ca849ee74250b6a1b7d3c3993afb Session Id: 1cd310f4ae474f5caa56f9e6fbdd87bc
Correlation Id: b33760c6e58233ff57bd8002ac16102d Correlation Id: b0bc134685555bdbe86c568bf38b4e7e
External correlation Id: 2322072689735895393 External correlation Id: 2020288792952495806
Machine Id: o6l/d0mCqKDN7y8pWWzEL5TfVSw= Machine Id: o6l/d0mCqKDN7y8pWWzEL5TfVSw=
[Licensing::Module] Successfully connected to LicensingClient on channel: "LicenseClient-User" (connect: 0.00s, validation: 0.00s, handshake: 1.56s) [Licensing::Module] Successfully connected to LicensingClient on channel: "LicenseClient-User" (connect: 0.00s, validation: 0.00s, handshake: 1.51s)
[Licensing::IpcConnector] Successfully connected to: "LicenseClient-User-notifications" at "2026-01-26T05:01:35.6006032Z" [Licensing::IpcConnector] Successfully connected to: "LicenseClient-User-notifications" at "2026-01-27T08:00:18.6475593Z"
[Licensing::Module] Licensing Background thread has ended after 1.56s [Licensing::Module] Licensing Background thread has ended after 1.51s
[Licensing::Module] Licensing is initialized (took 0.26s). [Licensing::Module] Licensing is initialized (took 0.00s).
[Licensing::Client] Successfully resolved entitlement details [Licensing::Client] Successfully resolved entitlement details
[Licensing::Module] License group: [Licensing::Module] License group:
Id: F4-JH5V-RZ7J-J8U5-8HYN-XXXX Id: F4-JH5V-RZ7J-J8U5-8HYN-XXXX
Product: Unity Personal Product: Unity Personal
Type: ULF Type: ULF
Expiration: 2026-03-04T01:12:43Z Expiration: 2026-03-05T08:31:33Z
[Licensing::Module] License group: [Licensing::Module] License group:
Id: 14568598131100-UnityPersXXXX Id: 14568598131100-UnityPersXXXX
Product: Unity Personal Product: Unity Personal
Type: Assigned Type: Assigned
Expiration: Unlimited Expiration: Unlimited
- Loaded All Assemblies, in 0.817 seconds Asset path could not be found for script compilation file '/Assets/Scripts/PlayerSc/SimpleExcution.cs'
- Loaded All Assemblies, in 0.527 seconds
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
Refreshing native plugins compatible for Editor in 1.12 ms, found 3 plugins. Refreshing native plugins compatible for Editor in 1.16 ms, found 3 plugins.
Native extension for WindowsStandalone target not found Native extension for WindowsStandalone target not found
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
Package Manager log level set to [2] Package Manager log level set to [2]
@ -185,46 +186,198 @@ Package Manager log level set to [2]
[Package Manager] Cannot connect to Unity Package Manager local server [Package Manager] Cannot connect to Unity Package Manager local server
ScheduleIndexationOnStartup MainProcess:False IndexOnStartup:True ScheduleIndexationOnStartup MainProcess:False IndexOnStartup:True
Mono: successfully reloaded assembly Mono: successfully reloaded assembly
- Finished resetting the current domain, in 0.465 seconds - Finished resetting the current domain, in 0.437 seconds
Domain Reload Profiling: 1275ms Domain Reload Profiling: 958ms
BeginReloadAssembly (422ms) BeginReloadAssembly (150ms)
ExecutionOrderSort (0ms) ExecutionOrderSort (0ms)
DisableScriptedObjects (4ms) DisableScriptedObjects (4ms)
BackupInstance (0ms) BackupInstance (0ms)
ReleaseScriptingObjects (0ms) ReleaseScriptingObjects (0ms)
CreateAndSetChildDomain (23ms) CreateAndSetChildDomain (22ms)
RebuildCommonClasses (28ms) RebuildCommonClasses (25ms)
RebuildNativeTypeToScriptingClass (9ms) RebuildNativeTypeToScriptingClass (9ms)
initialDomainReloadingComplete (35ms) initialDomainReloadingComplete (29ms)
LoadAllAssembliesAndSetupDomain (315ms) LoadAllAssembliesAndSetupDomain (308ms)
LoadAssemblies (295ms) LoadAssemblies (286ms)
RebuildTransferFunctionScriptingTraits (0ms) RebuildTransferFunctionScriptingTraits (0ms)
AnalyzeDomain (117ms) AnalyzeDomain (110ms)
TypeCache.Refresh (91ms) TypeCache.Refresh (84ms)
TypeCache.ScanAssembly (82ms) TypeCache.ScanAssembly (75ms)
BuildScriptInfoCaches (21ms) BuildScriptInfoCaches (21ms)
ResolveRequiredComponents (3ms) ResolveRequiredComponents (3ms)
FinalizeReload (465ms) FinalizeReload (437ms)
ReleaseScriptCaches (0ms) ReleaseScriptCaches (0ms)
RebuildScriptCaches (0ms) RebuildScriptCaches (0ms)
SetupLoadedEditorAssemblies (394ms) SetupLoadedEditorAssemblies (370ms)
LogAssemblyErrors (0ms) LogAssemblyErrors (0ms)
InitializePlatformSupportModulesInManaged (1ms) InitializePlatformSupportModulesInManaged (1ms)
SetLoadedEditorAssemblies (2ms) SetLoadedEditorAssemblies (2ms)
BeforeProcessingInitializeOnLoad (104ms) BeforeProcessingInitializeOnLoad (95ms)
ProcessInitializeOnLoadAttributes (242ms) ProcessInitializeOnLoadAttributes (227ms)
ProcessInitializeOnLoadMethodAttributes (38ms) ProcessInitializeOnLoadMethodAttributes (37ms)
AfterProcessingInitializeOnLoad (7ms) AfterProcessingInitializeOnLoad (8ms)
EditorAssembliesLoaded (0ms) EditorAssembliesLoaded (0ms)
ExecutionOrderSort2 (0ms) ExecutionOrderSort2 (0ms)
AwakeInstancesAfterBackupRestoration (4ms) AwakeInstancesAfterBackupRestoration (4ms)
Launched and connected shader compiler UnityShaderCompiler.exe after 0.01 seconds Launched and connected shader compiler UnityShaderCompiler.exe after 0.01 seconds
Refreshing native plugins compatible for Editor in 1.52 ms, found 3 plugins. Refreshing native plugins compatible for Editor in 1.25 ms, found 3 plugins.
Preloading 0 native plugins for Editor in 0.00 ms. Preloading 0 native plugins for Editor in 0.00 ms.
Unloading 1 Unused Serialized files (Serialized files now loaded: 0) Unloading 1 Unused Serialized files (Serialized files now loaded: 0)
Unloading 3820 unused Assets / (1.2 MB). Loaded Objects now: 4410. Unloading 3825 unused Assets / (1.2 MB). Loaded Objects now: 4417.
Memory consumption went from 98.1 MB to 96.8 MB. Memory consumption went from 100.0 MB to 98.8 MB.
Total: 5.579000 ms (FindLiveObjects: 0.518400 ms CreateObjectMapping: 0.179000 ms MarkObjects: 4.184200 ms DeleteObjects: 0.696200 ms) Total: 4.800900 ms (FindLiveObjects: 0.277200 ms CreateObjectMapping: 0.122700 ms MarkObjects: 3.714200 ms DeleteObjects: 0.686200 ms)
========================================================================
Received Import Request.
Time since last request: 28767.898286 seconds.
path: Assets/Player/Excution/speedeffect.mat
artifactKey: Guid(238e1ff9a347fa34fb211c90fbc4bf9c) Importer(815301076,1909f56bfc062723c751e8b465ee728b)
Start importing Assets/Player/Excution/speedeffect.mat using Guid(238e1ff9a347fa34fb211c90fbc4bf9c) Importer(815301076,1909f56bfc062723c751e8b465ee728b) (PreviewImporter) -> (artifact id: 'c1673301a1d4b3a8bd46b86c0dc1c9a4') in 0.0610875 seconds
Number of updated asset objects reloaded before import = 0Number of asset objects unloaded after import = 2
========================================================================
Received Import Request.
Time since last request: 42.753890 seconds.
path: Assets/Player/Excution/airAttack3_0.controller
artifactKey: Guid(0a1de281b5b4b8640baba56b1e0ec9c9) Importer(815301076,1909f56bfc062723c751e8b465ee728b)
Start importing Assets/Player/Excution/airAttack3_0.controller using Guid(0a1de281b5b4b8640baba56b1e0ec9c9) Importer(815301076,1909f56bfc062723c751e8b465ee728b) (PreviewImporter) -> (artifact id: 'ec5ce1399833bf03e74119a6c42a3667') in 0.0016895 seconds
Number of updated asset objects reloaded before import = 0Number of asset objects unloaded after import = 4
========================================================================
Received Import Request.
Time since last request: 1.209586 seconds.
path: Assets/Player/Excution/airAttackEffect_0.controller
artifactKey: Guid(cb69f83b12413a7419be69dff894d1f1) Importer(815301076,1909f56bfc062723c751e8b465ee728b)
Start importing Assets/Player/Excution/airAttackEffect_0.controller using Guid(cb69f83b12413a7419be69dff894d1f1) Importer(815301076,1909f56bfc062723c751e8b465ee728b) (PreviewImporter) -> (artifact id: 'bdd3991f6ea25d08c1c91c96d2d78d39') in 0.0010509 seconds
Number of updated asset objects reloaded before import = 0Number of asset objects unloaded after import = 4
========================================================================
Received Import Request.
Time since last request: 1.119774 seconds.
path: Assets/Player/Excution/airA_Eff.anim
artifactKey: Guid(f2bc7854d56feb3428394cc35c3e700b) Importer(815301076,1909f56bfc062723c751e8b465ee728b)
Start importing Assets/Player/Excution/airA_Eff.anim using Guid(f2bc7854d56feb3428394cc35c3e700b) Importer(815301076,1909f56bfc062723c751e8b465ee728b) (PreviewImporter) -> (artifact id: 'b2abae52032e3f2d556893bd50e8b367') in 0.0008899 seconds
Number of updated asset objects reloaded before import = 0Number of asset objects unloaded after import = 1
========================================================================
Received Import Request.
Time since last request: 33.941535 seconds.
path: Assets/Player/Excution/SimpleThrowNiddle.cs
artifactKey: Guid(41d1e89eb7655cc42b07bd91349799cd) Importer(815301076,1909f56bfc062723c751e8b465ee728b)
Start importing Assets/Player/Excution/SimpleThrowNiddle.cs using Guid(41d1e89eb7655cc42b07bd91349799cd) Importer(815301076,1909f56bfc062723c751e8b465ee728b) (PreviewImporter) -> (artifact id: '0d46986fb62081206590d400fa7abdbd') in 0.0004365 seconds
Number of updated asset objects reloaded before import = 0Number of asset objects unloaded after import = 0
========================================================================
Received Import Request.
Time since last request: 1146.495014 seconds.
path: Assets/Player/Excution/nano_weakAttack2.png
artifactKey: Guid(7641a5d3eb9ee7643abb19a19e08267d) Importer(815301076,1909f56bfc062723c751e8b465ee728b)
Start importing Assets/Player/Excution/nano_weakAttack2.png using Guid(7641a5d3eb9ee7643abb19a19e08267d) Importer(815301076,1909f56bfc062723c751e8b465ee728b) (PreviewImporter) -> (artifact id: '3da1508517380ee42ff089c6d58cbe87') in 0.0278427 seconds
Number of updated asset objects reloaded before import = 0Number of asset objects unloaded after import = 6
========================================================================
Received Import Request.
Time since last request: 50.956801 seconds.
path: Assets/Player/img/nano_weakAttack2_0.asset
artifactKey: Guid(eaa8ab217c3223f479354e5699dd400e) Importer(815301076,1909f56bfc062723c751e8b465ee728b)
Start importing Assets/Player/img/nano_weakAttack2_0.asset using Guid(eaa8ab217c3223f479354e5699dd400e) Importer(815301076,1909f56bfc062723c751e8b465ee728b) (PreviewImporter) -> (artifact id: 'caabf5521540d020eac8edd9a23b1643') in 0.0052385 seconds
Number of updated asset objects reloaded before import = 0Number of asset objects unloaded after import = 3
========================================================================
Received Import Request.
Time since last request: 26.198718 seconds.
path: Assets/Player/img/nano_tag.asset
artifactKey: Guid(eaa8ab217c3223f479354e5699dd400e) Importer(815301076,1909f56bfc062723c751e8b465ee728b)
Start importing Assets/Player/img/nano_tag.asset using Guid(eaa8ab217c3223f479354e5699dd400e) Importer(815301076,1909f56bfc062723c751e8b465ee728b) (PreviewImporter) -> (artifact id: '5c48235ed443f669ff1d6891727c7b0b') in 0.0083161 seconds
Number of updated asset objects reloaded before import = 0Number of asset objects unloaded after import = 3
========================================================================
Received Import Request.
Time since last request: 361.545884 seconds.
path: Assets/Player/Excution/SimpleExcution.cs
artifactKey: Guid(29479b480accc734a83fd30f50a63fe6) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e)
Start importing Assets/Player/Excution/SimpleExcution.cs using Guid(29479b480accc734a83fd30f50a63fe6) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e) (ScriptedImporter) -> (artifact id: '35f63f5717ff1962e09c773e31b7f9d3') in 0.0633097 seconds
Number of updated asset objects reloaded before import = 0Number of asset objects unloaded after import = 0
========================================================================
Received Import Request.
Time since last request: 0.000049 seconds.
path: Assets/Player/Excution/speedLine.prefab
artifactKey: Guid(e8f07c107e1f3bc439f3c2cc5cd47138) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e)
Start importing Assets/Player/Excution/speedLine.prefab using Guid(e8f07c107e1f3bc439f3c2cc5cd47138) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e) (ScriptedImporter) -> (artifact id: 'ec3b97c31e078a98cd10c91cce72b652') in 0.0305903 seconds
Number of updated asset objects reloaded before import = 0Number of asset objects unloaded after import = 6
========================================================================
Received Import Request.
Time since last request: 0.000045 seconds.
path: Assets/Scenes/Stage1.unity
artifactKey: Guid(6974864f42d5340b5aa85852458f9b0c) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e)
Start importing Assets/Scenes/Stage1.unity using Guid(6974864f42d5340b5aa85852458f9b0c) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e) (ScriptedImporter) -> (artifact id: 'a2d6af2e24f476f8357e0531544907ac') in 0.0035437 seconds
Number of updated asset objects reloaded before import = 0Number of asset objects unloaded after import = 1
========================================================================
Received Import Request.
Time since last request: 0.000065 seconds.
path: Assets/Player/Excution/line.prefab
artifactKey: Guid(fbe0095efd293ed498c18ad87dee8120) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e)
Start importing Assets/Player/Excution/line.prefab using Guid(fbe0095efd293ed498c18ad87dee8120) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e) (ScriptedImporter) -> (artifact id: 'fc71b2e51f05492f19aa0a8f9388e72f') in 0.0076394 seconds
Number of updated asset objects reloaded before import = 0Number of asset objects unloaded after import = 6
========================================================================
Received Import Request.
Time since last request: 0.000031 seconds.
path: Assets/Player/img/speedEffect.png
artifactKey: Guid(b7e58f741cb988849be43ec08d655647) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e)
Start importing Assets/Player/img/speedEffect.png using Guid(b7e58f741cb988849be43ec08d655647) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e) (ScriptedImporter) -> (artifact id: '26b89dab2a55507ce4a0d464280d732d') in 0.0302341 seconds
Number of updated asset objects reloaded before import = 0Number of asset objects unloaded after import = 3
========================================================================
Received Import Request.
Time since last request: 0.000018 seconds.
path: Assets/Player/Excution/airAttackEffect_0.prefab
artifactKey: Guid(308b9c161be727b4d936df2d1177991d) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e)
Start importing Assets/Player/Excution/airAttackEffect_0.prefab using Guid(308b9c161be727b4d936df2d1177991d) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e) (ScriptedImporter) -> (artifact id: '6107efb404989e9809e9a7703193b094') in 0.0154665 seconds
Number of updated asset objects reloaded before import = 0Number of asset objects unloaded after import = 13
========================================================================
Received Import Request.
Time since last request: 0.000019 seconds.
path: Assets/Player/Excution/execution_0.prefab
artifactKey: Guid(7887462c6ccef934b8947c68bdc677eb) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e)
Start importing Assets/Player/Excution/execution_0.prefab using Guid(7887462c6ccef934b8947c68bdc677eb) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e) (ScriptedImporter) -> (artifact id: '3f14ccf41dafd97a1115285b6ec98a00') in 0.0089012 seconds
Number of updated asset objects reloaded before import = 0Number of asset objects unloaded after import = 5
========================================================================
Received Import Request.
Time since last request: 0.000034 seconds.
path: Assets/Player/Excution/SimpleEffect.cs
artifactKey: Guid(35030e093493b2c4c9a9c926252d13c5) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e)
Start importing Assets/Player/Excution/SimpleEffect.cs using Guid(35030e093493b2c4c9a9c926252d13c5) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e) (ScriptedImporter) -> (artifact id: 'e3442efc32e5c06074d7fd2b4b199ee5') in 0.0047799 seconds
Number of updated asset objects reloaded before import = 0Number of asset objects unloaded after import = 0
========================================================================
Received Import Request.
Time since last request: 0.000118 seconds.
path: Assets/Player/Excution/m1_0 1.prefab
artifactKey: Guid(a685aa96b2fecf84a8ca454423f6b20a) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e)
Start importing Assets/Player/Excution/m1_0 1.prefab using Guid(a685aa96b2fecf84a8ca454423f6b20a) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e) (ScriptedImporter) -> (artifact id: '0c1b5df6d2d0d6ce79f4ac9b219f3c75') in 0.0072155 seconds
Number of updated asset objects reloaded before import = 0Number of asset objects unloaded after import = 8
========================================================================
Received Import Request.
Time since last request: 0.000042 seconds.
path: Assets/Player/img/nano_tag.asset
artifactKey: Guid(eaa8ab217c3223f479354e5699dd400e) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e)
Start importing Assets/Player/img/nano_tag.asset using Guid(eaa8ab217c3223f479354e5699dd400e) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e) (ScriptedImporter) -> (artifact id: '84aedaed8d48ab6995acd1ae625f4c19') in 0.0055304 seconds
Number of updated asset objects reloaded before import = 0Number of asset objects unloaded after import = 2
========================================================================
Received Import Request.
Time since last request: 0.000013 seconds.
path: Assets/Player/img/nano_weakAttack2.png
artifactKey: Guid(7641a5d3eb9ee7643abb19a19e08267d) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e)
Start importing Assets/Player/img/nano_weakAttack2.png using Guid(7641a5d3eb9ee7643abb19a19e08267d) Importer(2089858483,d624ce77472d68a35037170ec1d2d27e) (ScriptedImporter) -> (artifact id: 'f586054882c5a3e7f45b2b15c41733c3') in 0.010462 seconds
Number of updated asset objects reloaded before import = 0Number of asset objects unloaded after import = 6
Editor requested this worker to shutdown with reason: Scaling down because of idle timeout Editor requested this worker to shutdown with reason: Scaling down because of idle timeout
AssetImportWorker is now disconnected from the server AssetImportWorker is now disconnected from the server

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

File diff suppressed because it is too large Load Diff

View File

@ -0,0 +1,292 @@
[Licensing::Module] Trying to connect to existing licensing client channel...
Built from '6000.3/staging' branch; Version is '6000.3.4f1 (fdd3b8998ec4) revision 16634808'; Using compiler version '194234433'; Build Type 'Release'
[Licensing::IpcConnector] Successfully connected to: "LicenseClient-User" at "2026-01-27T00:09:09.8363929Z"
OS: 'Windows 11 (10.0.22631) Education' Language: 'ko' Physical Memory: 32527 MB
BatchMode: 1, IsHumanControllingUs: 0, StartBugReporterOnCrash: 0, Is64bit: 1
System architecture: x64
Process architecture: x64
Date: 2026-01-27T00:09:09Z
COMMAND LINE ARGUMENTS:
C:\Program Files\Unity\Hub\Editor\6000.3.4f1\Editor\Unity.exe
-adb2
-batchMode
-noUpm
-name
AssetImportWorker5
-projectPath
C:/jh04010421/study/first_study
-logFile
Logs/AssetImportWorker5.log
-srvPort
3325
-licensingIpc
LicenseClient-User
-job-worker-count
11
-background-job-worker-count
8
-gc-helper-count
1
-name
AssetImport
Successfully changed project path to: C:/jh04010421/study/first_study
C:/jh04010421/study/first_study
[UnityMemory] Configuration Parameters - Can be set up in boot.config
"memorysetup-temp-allocator-size-nav-mesh-worker=65536"
"memorysetup-temp-allocator-size-audio-worker=65536"
"memorysetup-temp-allocator-size-gfx=262144"
"memorysetup-allocator-temp-initial-block-size-main=262144"
"memorysetup-allocator-temp-initial-block-size-worker=262144"
"memorysetup-temp-allocator-size-background-worker=32768"
"memorysetup-temp-allocator-size-job-worker=262144"
"memorysetup-temp-allocator-size-preload-manager=33554432"
"memorysetup-temp-allocator-size-gi-baking-worker=262144"
"memorysetup-temp-allocator-size-gi-baking-worker=262144"
"memorysetup-temp-allocator-size-gi-baking-worker=262144"
"memorysetup-temp-allocator-size-gi-baking-worker=262144"
"memorysetup-temp-allocator-size-gi-baking-worker=262144"
"memorysetup-bucket-allocator-granularity=16"
"memorysetup-bucket-allocator-bucket-count=8"
"memorysetup-bucket-allocator-block-size=33554432"
"memorysetup-bucket-allocator-block-count=8"
"memorysetup-main-allocator-block-size=16777216"
"memorysetup-thread-allocator-block-size=16777216"
"memorysetup-gfx-main-allocator-block-size=16777216"
"memorysetup-gfx-thread-allocator-block-size=16777216"
"memorysetup-cache-allocator-block-size=4194304"
"memorysetup-typetree-allocator-block-size=2097152"
"memorysetup-profiler-bucket-allocator-granularity=16"
"memorysetup-profiler-bucket-allocator-bucket-count=8"
"memorysetup-profiler-bucket-allocator-block-size=33554432"
"memorysetup-profiler-bucket-allocator-block-count=8"
"memorysetup-profiler-allocator-block-size=16777216"
"memorysetup-profiler-editor-allocator-block-size=1048576"
"memorysetup-temp-allocator-size-main=16777216"
"memorysetup-job-temp-allocator-block-size=2097152"
"memorysetup-job-temp-allocator-block-size-background=1048576"
"memorysetup-job-temp-allocator-reduction-small-platforms=262144"
"memorysetup-temp-allocator-size-cloud-worker=32768"
Player connection [21900] Target information:
Player connection [21900] * "[IP] 220.149.147.175 [Port] 0 [Flags] 2 [Guid] 4106797865 [EditorId] 4106797865 [Version] 1048832 [Id] WindowsEditor(7,arvr-17) [Debug] 1 [PackageName] WindowsEditor [ProjectName] Editor"
Player connection [21900] Host joined multi-casting on [225.0.0.222:54997]...
Player connection [21900] Host joined alternative multi-casting on [225.0.0.222:34997]...
JobSystem: Creating JobQueue using job-worker-count value 11
Input System module state changed to: Initialized.
[Physics::Module] Initialized fallback backend.
[Physics::Module] Id: 0xdecafbad
Library Redirect Path: Library/
[Physics::Module] Selected backend.
[Physics::Module] Name: PhysX
[Physics::Module] Id: 0xf2b8ea05
[Physics::Module] SDK Version: 4.1.2
[Physics::Module] Integration Version: 1.0.0
[Physics::Module] Threading Mode: Multi-Threaded
Refreshing native plugins compatible for Editor in 1.97 ms, found 3 plugins.
Preloading 0 native plugins for Editor in 0.00 ms.
Initialize engine version: 6000.3.4f1 (fdd3b8998ec4)
[Subsystems] Discovering subsystems at path C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/Resources/UnitySubsystems
[Subsystems] Discovering subsystems at path C:/jh04010421/study/first_study/Assets
GfxDevice: creating device client; kGfxThreadingModeNonThreaded
Direct3D:
Version: Direct3D 11.0 [level 11.1]
Renderer: NVIDIA GeForce RTX 4060 Ti (ID=0x2803)
Vendor: NVIDIA
VRAM: 7949 MB
Driver: 32.0.15.6094
Initialize mono
Mono path[0] = 'C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/Managed'
Mono path[1] = 'C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/MonoBleedingEdge/lib/mono/unityjit-win32'
Mono config path = 'C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/MonoBleedingEdge/etc'
Using monoOptions --debugger-agent=transport=dt_socket,embedding=1,server=y,suspend=n,address=127.0.0.1:56896
Begin MonoManager ReloadAssembly
Registering precompiled unity dll's ...
Register platform support module: C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/PlaybackEngines/WindowsStandaloneSupport/UnityEditor.WindowsStandalone.Extensions.dll
Registered in 0.001997 seconds.
- Loaded All Assemblies, in 0.361 seconds
Native extension for WindowsStandalone target not found
ScheduleIndexationOnStartup MainProcess:False IndexOnStartup:True
Mono: successfully reloaded assembly
- Finished resetting the current domain, in 0.298 seconds
Domain Reload Profiling: 655ms
BeginReloadAssembly (150ms)
ExecutionOrderSort (0ms)
DisableScriptedObjects (0ms)
BackupInstance (0ms)
ReleaseScriptingObjects (0ms)
CreateAndSetChildDomain (1ms)
RebuildCommonClasses (30ms)
RebuildNativeTypeToScriptingClass (9ms)
initialDomainReloadingComplete (38ms)
LoadAllAssembliesAndSetupDomain (129ms)
LoadAssemblies (142ms)
RebuildTransferFunctionScriptingTraits (0ms)
AnalyzeDomain (127ms)
TypeCache.Refresh (126ms)
TypeCache.ScanAssembly (116ms)
BuildScriptInfoCaches (0ms)
ResolveRequiredComponents (0ms)
FinalizeReload (298ms)
ReleaseScriptCaches (0ms)
RebuildScriptCaches (0ms)
SetupLoadedEditorAssemblies (274ms)
LogAssemblyErrors (0ms)
InitializePlatformSupportModulesInManaged (32ms)
SetLoadedEditorAssemblies (3ms)
BeforeProcessingInitializeOnLoad (68ms)
ProcessInitializeOnLoadAttributes (117ms)
ProcessInitializeOnLoadMethodAttributes (54ms)
AfterProcessingInitializeOnLoad (0ms)
EditorAssembliesLoaded (0ms)
ExecutionOrderSort2 (0ms)
AwakeInstancesAfterBackupRestoration (0ms)
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
========================================================================
Worker process is ready to serve import requests
Import Worker Mode flag is 0x00
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
Begin MonoManager ReloadAssembly
[Licensing::Module] Licensing is not yet initialized.
[Licensing::Client] Handshaking with LicensingClient:
Version: 1.17.4+4293ba1
Session Id: b4ec611e112c41a58be9411ba89420f6
Correlation Id: b0bc134685555bdbe86c568bf38b4e7e
External correlation Id: 3196277971639331232
Machine Id: o6l/d0mCqKDN7y8pWWzEL5TfVSw=
[Licensing::Module] Successfully connected to LicensingClient on channel: "LicenseClient-User" (connect: 0.00s, validation: 0.00s, handshake: 1.47s)
[Licensing::IpcConnector] Successfully connected to: "LicenseClient-User-notifications" at "2026-01-27T00:09:11.3094956Z"
[Licensing::Module] Licensing Background thread has ended after 1.47s
[Licensing::Module] Licensing is initialized (took 0.20s).
[Licensing::Client] Successfully resolved entitlement details
[Licensing::Module] License group:
Id: F4-JH5V-RZ7J-J8U5-8HYN-XXXX
Product: Unity Personal
Type: ULF
Expiration: 2026-03-05T01:08:55Z
[Licensing::Module] License group:
Id: 14568598131100-UnityPersXXXX
Product: Unity Personal
Type: Assigned
Expiration: Unlimited
- Loaded All Assemblies, in 0.722 seconds
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
Refreshing native plugins compatible for Editor in 1.00 ms, found 3 plugins.
Native extension for WindowsStandalone target not found
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
Package Manager log level set to [2]
[Package Manager] Failed to launch server process. Reason: Unity was launched with the -noUpm command-line argument
[Package Manager] Unable to send message (not connected to server process).
[Package Manager] Cannot connect to Unity Package Manager local server
[Package Manager] Failed to launch server process. Reason: Unity was launched with the -noUpm command-line argument
[Package Manager] Unable to send message (not connected to server process).
[Package Manager] Cannot connect to Unity Package Manager local server
ScheduleIndexationOnStartup MainProcess:False IndexOnStartup:True
Mono: successfully reloaded assembly
- Finished resetting the current domain, in 0.450 seconds
Domain Reload Profiling: 1164ms
BeginReloadAssembly (354ms)
ExecutionOrderSort (0ms)
DisableScriptedObjects (4ms)
BackupInstance (0ms)
ReleaseScriptingObjects (0ms)
CreateAndSetChildDomain (20ms)
RebuildCommonClasses (32ms)
RebuildNativeTypeToScriptingClass (9ms)
initialDomainReloadingComplete (29ms)
LoadAllAssembliesAndSetupDomain (291ms)
LoadAssemblies (269ms)
RebuildTransferFunctionScriptingTraits (0ms)
AnalyzeDomain (111ms)
TypeCache.Refresh (85ms)
TypeCache.ScanAssembly (75ms)
BuildScriptInfoCaches (21ms)
ResolveRequiredComponents (3ms)
FinalizeReload (450ms)
ReleaseScriptCaches (0ms)
RebuildScriptCaches (0ms)
SetupLoadedEditorAssemblies (384ms)
LogAssemblyErrors (0ms)
InitializePlatformSupportModulesInManaged (1ms)
SetLoadedEditorAssemblies (2ms)
BeforeProcessingInitializeOnLoad (99ms)
ProcessInitializeOnLoadAttributes (232ms)
ProcessInitializeOnLoadMethodAttributes (43ms)
AfterProcessingInitializeOnLoad (6ms)
EditorAssembliesLoaded (0ms)
ExecutionOrderSort2 (0ms)
AwakeInstancesAfterBackupRestoration (4ms)
Launched and connected shader compiler UnityShaderCompiler.exe after 0.01 seconds
Refreshing native plugins compatible for Editor in 1.19 ms, found 3 plugins.
Preloading 0 native plugins for Editor in 0.00 ms.
Unloading 1 Unused Serialized files (Serialized files now loaded: 0)
Unloading 3820 unused Assets / (1.3 MB). Loaded Objects now: 4411.
Memory consumption went from 98.1 MB to 96.8 MB.
Total: 4.902800 ms (FindLiveObjects: 0.260900 ms CreateObjectMapping: 0.130700 ms MarkObjects: 3.799000 ms DeleteObjects: 0.711500 ms)
========================================================================
Received Prepare
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
Begin MonoManager ReloadAssembly
- Loaded All Assemblies, in 0.609 seconds
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
Refreshing native plugins compatible for Editor in 1.71 ms, found 3 plugins.
Native extension for WindowsStandalone target not found
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
[Package Manager] Failed to launch server process. Reason: Unity was launched with the -noUpm command-line argument
[Package Manager] Unable to send message (not connected to server process).
[Package Manager] Cannot connect to Unity Package Manager local server
[Package Manager] Failed to launch server process. Reason: Unity was launched with the -noUpm command-line argument
[Package Manager] Unable to send message (not connected to server process).
[Package Manager] Cannot connect to Unity Package Manager local server
ScheduleIndexationOnStartup MainProcess:False IndexOnStartup:True
Mono: successfully reloaded assembly
- Finished resetting the current domain, in 0.642 seconds
Domain Reload Profiling: 1240ms
BeginReloadAssembly (186ms)
ExecutionOrderSort (0ms)
DisableScriptedObjects (9ms)
BackupInstance (0ms)
ReleaseScriptingObjects (0ms)
CreateAndSetChildDomain (31ms)
RebuildCommonClasses (24ms)
RebuildNativeTypeToScriptingClass (10ms)
initialDomainReloadingComplete (26ms)
LoadAllAssembliesAndSetupDomain (351ms)
LoadAssemblies (345ms)
RebuildTransferFunctionScriptingTraits (0ms)
AnalyzeDomain (101ms)
TypeCache.Refresh (6ms)
TypeCache.ScanAssembly (0ms)
BuildScriptInfoCaches (90ms)
ResolveRequiredComponents (3ms)
FinalizeReload (643ms)
ReleaseScriptCaches (0ms)
RebuildScriptCaches (0ms)
SetupLoadedEditorAssemblies (517ms)
LogAssemblyErrors (0ms)
InitializePlatformSupportModulesInManaged (2ms)
SetLoadedEditorAssemblies (4ms)
BeforeProcessingInitializeOnLoad (144ms)
ProcessInitializeOnLoadAttributes (307ms)
ProcessInitializeOnLoadMethodAttributes (51ms)
AfterProcessingInitializeOnLoad (9ms)
EditorAssembliesLoaded (0ms)
ExecutionOrderSort2 (0ms)
AwakeInstancesAfterBackupRestoration (7ms)
Refreshing native plugins compatible for Editor in 2.29 ms, found 3 plugins.
Preloading 0 native plugins for Editor in 0.00 ms.
Unloading 1 Unused Serialized files (Serialized files now loaded: 0)
Unloading 3818 unused Assets / (0.9 MB). Loaded Objects now: 4415.
Memory consumption went from 98.0 MB to 97.1 MB.
Total: 5.317300 ms (FindLiveObjects: 0.418400 ms CreateObjectMapping: 0.181000 ms MarkObjects: 4.058000 ms DeleteObjects: 0.658800 ms)
Prepare: number of updated asset objects reloaded= 0
Editor requested this worker to shutdown with reason: Scaling down because of idle timeout
AssetImportWorkerClient::OnTransportError - code=2 error=End of file
AssetImportWorker is now disconnected from the server
Process exiting
Exiting without the bug reporter. Application will terminate with return code 0

View File

@ -0,0 +1,234 @@
[Licensing::Module] Trying to connect to existing licensing client channel...
Built from '6000.3/staging' branch; Version is '6000.3.4f1 (fdd3b8998ec4) revision 16634808'; Using compiler version '194234433'; Build Type 'Release'
[Licensing::IpcConnector] Successfully connected to: "LicenseClient-User" at "2026-01-27T08:28:04.4126036Z"
OS: 'Windows 11 (10.0.22631) Education' Language: 'ko' Physical Memory: 32527 MB
BatchMode: 1, IsHumanControllingUs: 0, StartBugReporterOnCrash: 0, Is64bit: 1
System architecture: x64
Process architecture: x64
Date: 2026-01-27T08:28:04Z
COMMAND LINE ARGUMENTS:
C:\Program Files\Unity\Hub\Editor\6000.3.4f1\Editor\Unity.exe
-adb2
-batchMode
-noUpm
-name
AssetImportWorker5
-projectPath
C:/jh04010421/study/first_study
-logFile
Logs/AssetImportWorker5.log
-srvPort
6639
-licensingIpc
LicenseClient-User
-job-worker-count
11
-background-job-worker-count
8
-gc-helper-count
1
-name
AssetImport
Successfully changed project path to: C:/jh04010421/study/first_study
C:/jh04010421/study/first_study
[UnityMemory] Configuration Parameters - Can be set up in boot.config
"memorysetup-temp-allocator-size-nav-mesh-worker=65536"
"memorysetup-temp-allocator-size-audio-worker=65536"
"memorysetup-temp-allocator-size-gfx=262144"
"memorysetup-allocator-temp-initial-block-size-main=262144"
"memorysetup-allocator-temp-initial-block-size-worker=262144"
"memorysetup-temp-allocator-size-background-worker=32768"
"memorysetup-temp-allocator-size-job-worker=262144"
"memorysetup-temp-allocator-size-preload-manager=33554432"
"memorysetup-temp-allocator-size-gi-baking-worker=262144"
"memorysetup-temp-allocator-size-gi-baking-worker=262144"
"memorysetup-temp-allocator-size-gi-baking-worker=262144"
"memorysetup-temp-allocator-size-gi-baking-worker=262144"
"memorysetup-temp-allocator-size-gi-baking-worker=262144"
"memorysetup-bucket-allocator-granularity=16"
"memorysetup-bucket-allocator-bucket-count=8"
"memorysetup-bucket-allocator-block-size=33554432"
"memorysetup-bucket-allocator-block-count=8"
"memorysetup-main-allocator-block-size=16777216"
"memorysetup-thread-allocator-block-size=16777216"
"memorysetup-gfx-main-allocator-block-size=16777216"
"memorysetup-gfx-thread-allocator-block-size=16777216"
"memorysetup-cache-allocator-block-size=4194304"
"memorysetup-typetree-allocator-block-size=2097152"
"memorysetup-profiler-bucket-allocator-granularity=16"
"memorysetup-profiler-bucket-allocator-bucket-count=8"
"memorysetup-profiler-bucket-allocator-block-size=33554432"
"memorysetup-profiler-bucket-allocator-block-count=8"
"memorysetup-profiler-allocator-block-size=16777216"
"memorysetup-profiler-editor-allocator-block-size=1048576"
"memorysetup-temp-allocator-size-main=16777216"
"memorysetup-job-temp-allocator-block-size=2097152"
"memorysetup-job-temp-allocator-block-size-background=1048576"
"memorysetup-job-temp-allocator-reduction-small-platforms=262144"
"memorysetup-temp-allocator-size-cloud-worker=32768"
Player connection [24552] Target information:
Player connection [24552] * "[IP] 220.149.147.175 [Port] 0 [Flags] 2 [Guid] 57871657 [EditorId] 57871657 [Version] 1048832 [Id] WindowsEditor(7,arvr-17) [Debug] 1 [PackageName] WindowsEditor [ProjectName] Editor"
Player connection [24552] Host joined multi-casting on [225.0.0.222:54997]...
Player connection [24552] Host joined alternative multi-casting on [225.0.0.222:34997]...
JobSystem: Creating JobQueue using job-worker-count value 11
Input System module state changed to: Initialized.
[Physics::Module] Initialized fallback backend.
[Physics::Module] Id: 0xdecafbad
Library Redirect Path: Library/
[Physics::Module] Selected backend.
[Physics::Module] Name: PhysX
[Physics::Module] Id: 0xf2b8ea05
[Physics::Module] SDK Version: 4.1.2
[Physics::Module] Integration Version: 1.0.0
[Physics::Module] Threading Mode: Multi-Threaded
Refreshing native plugins compatible for Editor in 3.17 ms, found 3 plugins.
Preloading 0 native plugins for Editor in 0.00 ms.
Initialize engine version: 6000.3.4f1 (fdd3b8998ec4)
[Subsystems] Discovering subsystems at path C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/Resources/UnitySubsystems
[Subsystems] Discovering subsystems at path C:/jh04010421/study/first_study/Assets
GfxDevice: creating device client; kGfxThreadingModeNonThreaded
Direct3D:
Version: Direct3D 11.0 [level 11.1]
Renderer: NVIDIA GeForce RTX 4060 Ti (ID=0x2803)
Vendor: NVIDIA
VRAM: 7949 MB
Driver: 32.0.15.6094
Initialize mono
Mono path[0] = 'C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/Managed'
Mono path[1] = 'C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/MonoBleedingEdge/lib/mono/unityjit-win32'
Mono config path = 'C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/MonoBleedingEdge/etc'
Using monoOptions --debugger-agent=transport=dt_socket,embedding=1,server=y,suspend=n,address=127.0.0.1:56500
Begin MonoManager ReloadAssembly
Registering precompiled unity dll's ...
Register platform support module: C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/PlaybackEngines/WindowsStandaloneSupport/UnityEditor.WindowsStandalone.Extensions.dll
Registered in 0.003029 seconds.
- Loaded All Assemblies, in 0.402 seconds
Native extension for WindowsStandalone target not found
ScheduleIndexationOnStartup MainProcess:False IndexOnStartup:True
Mono: successfully reloaded assembly
- Finished resetting the current domain, in 0.328 seconds
Domain Reload Profiling: 725ms
BeginReloadAssembly (175ms)
ExecutionOrderSort (0ms)
DisableScriptedObjects (0ms)
BackupInstance (0ms)
ReleaseScriptingObjects (0ms)
CreateAndSetChildDomain (0ms)
RebuildCommonClasses (31ms)
RebuildNativeTypeToScriptingClass (10ms)
initialDomainReloadingComplete (44ms)
LoadAllAssembliesAndSetupDomain (137ms)
LoadAssemblies (166ms)
RebuildTransferFunctionScriptingTraits (0ms)
AnalyzeDomain (135ms)
TypeCache.Refresh (133ms)
TypeCache.ScanAssembly (122ms)
BuildScriptInfoCaches (0ms)
ResolveRequiredComponents (1ms)
FinalizeReload (328ms)
ReleaseScriptCaches (0ms)
RebuildScriptCaches (0ms)
SetupLoadedEditorAssemblies (298ms)
LogAssemblyErrors (0ms)
InitializePlatformSupportModulesInManaged (34ms)
SetLoadedEditorAssemblies (3ms)
BeforeProcessingInitializeOnLoad (69ms)
ProcessInitializeOnLoadAttributes (134ms)
ProcessInitializeOnLoadMethodAttributes (59ms)
AfterProcessingInitializeOnLoad (0ms)
EditorAssembliesLoaded (0ms)
ExecutionOrderSort2 (0ms)
AwakeInstancesAfterBackupRestoration (0ms)
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
========================================================================
Worker process is ready to serve import requests
Import Worker Mode flag is 0x00
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
Begin MonoManager ReloadAssembly
[Licensing::Module] Licensing is not yet initialized.
[Licensing::Client] Handshaking with LicensingClient:
Version: 1.17.4+4293ba1
Session Id: 939d068f0601485d9c30174248261275
Correlation Id: b0bc134685555bdbe86c568bf38b4e7e
External correlation Id: 6248500906907652102
Machine Id: o6l/d0mCqKDN7y8pWWzEL5TfVSw=
[Licensing::Module] Successfully connected to LicensingClient on channel: "LicenseClient-User" (connect: 0.00s, validation: 0.00s, handshake: 1.52s)
[Licensing::IpcConnector] Successfully connected to: "LicenseClient-User-notifications" at "2026-01-27T08:28:05.9322086Z"
[Licensing::Module] Licensing Background thread has ended after 1.52s
[Licensing::Module] Licensing is initialized (took 0.14s).
[Licensing::Client] Successfully resolved entitlement details
[Licensing::Module] License group:
Id: F4-JH5V-RZ7J-J8U5-8HYN-XXXX
Product: Unity Personal
Type: ULF
Expiration: 2026-03-05T08:31:33Z
[Licensing::Module] License group:
Id: 14568598131100-UnityPersXXXX
Product: Unity Personal
Type: Assigned
Expiration: Unlimited
Asset path could not be found for script compilation file '/Assets/Scripts/PlayerSc/SimpleExcution.cs'
- Loaded All Assemblies, in 0.714 seconds
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
Refreshing native plugins compatible for Editor in 1.01 ms, found 3 plugins.
Native extension for WindowsStandalone target not found
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
Package Manager log level set to [2]
[Package Manager] Failed to launch server process. Reason: Unity was launched with the -noUpm command-line argument
[Package Manager] Unable to send message (not connected to server process).
[Package Manager] Cannot connect to Unity Package Manager local server
[Package Manager] Failed to launch server process. Reason: Unity was launched with the -noUpm command-line argument
[Package Manager] Unable to send message (not connected to server process).
[Package Manager] Cannot connect to Unity Package Manager local server
ScheduleIndexationOnStartup MainProcess:False IndexOnStartup:True
Mono: successfully reloaded assembly
- Finished resetting the current domain, in 0.447 seconds
Domain Reload Profiling: 1152ms
BeginReloadAssembly (309ms)
ExecutionOrderSort (0ms)
DisableScriptedObjects (4ms)
BackupInstance (0ms)
ReleaseScriptingObjects (0ms)
CreateAndSetChildDomain (22ms)
RebuildCommonClasses (30ms)
RebuildNativeTypeToScriptingClass (10ms)
initialDomainReloadingComplete (34ms)
LoadAllAssembliesAndSetupDomain (321ms)
LoadAssemblies (310ms)
RebuildTransferFunctionScriptingTraits (0ms)
AnalyzeDomain (117ms)
TypeCache.Refresh (92ms)
TypeCache.ScanAssembly (82ms)
BuildScriptInfoCaches (20ms)
ResolveRequiredComponents (3ms)
FinalizeReload (447ms)
ReleaseScriptCaches (0ms)
RebuildScriptCaches (0ms)
SetupLoadedEditorAssemblies (380ms)
LogAssemblyErrors (0ms)
InitializePlatformSupportModulesInManaged (1ms)
SetLoadedEditorAssemblies (3ms)
BeforeProcessingInitializeOnLoad (93ms)
ProcessInitializeOnLoadAttributes (238ms)
ProcessInitializeOnLoadMethodAttributes (38ms)
AfterProcessingInitializeOnLoad (6ms)
EditorAssembliesLoaded (0ms)
ExecutionOrderSort2 (0ms)
AwakeInstancesAfterBackupRestoration (4ms)
Launched and connected shader compiler UnityShaderCompiler.exe after 0.01 seconds
Refreshing native plugins compatible for Editor in 2.21 ms, found 3 plugins.
Preloading 0 native plugins for Editor in 0.00 ms.
Unloading 1 Unused Serialized files (Serialized files now loaded: 0)
Unloading 3825 unused Assets / (1.4 MB). Loaded Objects now: 4417.
Memory consumption went from 96.2 MB to 94.8 MB.
Total: 5.747400 ms (FindLiveObjects: 0.242800 ms CreateObjectMapping: 0.138200 ms MarkObjects: 4.187800 ms DeleteObjects: 1.177400 ms)
Editor requested this worker to shutdown with reason: Scaling down because of idle timeout
AssetImportWorkerClient::OnTransportError - code=2 error=End of file
AssetImportWorker is now disconnected from the server
Process exiting
Exiting without the bug reporter. Application will terminate with return code 0

File diff suppressed because it is too large Load Diff

View File

@ -0,0 +1,233 @@
[Licensing::Module] Trying to connect to existing licensing client channel...
Built from '6000.3/staging' branch; Version is '6000.3.4f1 (fdd3b8998ec4) revision 16634808'; Using compiler version '194234433'; Build Type 'Release'
[Licensing::IpcConnector] Successfully connected to: "LicenseClient-User" at "2026-01-27T08:28:04.4339562Z"
OS: 'Windows 11 (10.0.22631) Education' Language: 'ko' Physical Memory: 32527 MB
BatchMode: 1, IsHumanControllingUs: 0, StartBugReporterOnCrash: 0, Is64bit: 1
System architecture: x64
Process architecture: x64
Date: 2026-01-27T08:28:04Z
COMMAND LINE ARGUMENTS:
C:\Program Files\Unity\Hub\Editor\6000.3.4f1\Editor\Unity.exe
-adb2
-batchMode
-noUpm
-name
AssetImportWorker7
-projectPath
C:/jh04010421/study/first_study
-logFile
Logs/AssetImportWorker7.log
-srvPort
6639
-licensingIpc
LicenseClient-User
-job-worker-count
11
-background-job-worker-count
8
-gc-helper-count
1
-name
AssetImport
Successfully changed project path to: C:/jh04010421/study/first_study
C:/jh04010421/study/first_study
[UnityMemory] Configuration Parameters - Can be set up in boot.config
"memorysetup-temp-allocator-size-nav-mesh-worker=65536"
"memorysetup-temp-allocator-size-audio-worker=65536"
"memorysetup-temp-allocator-size-gfx=262144"
"memorysetup-allocator-temp-initial-block-size-main=262144"
"memorysetup-allocator-temp-initial-block-size-worker=262144"
"memorysetup-temp-allocator-size-background-worker=32768"
"memorysetup-temp-allocator-size-job-worker=262144"
"memorysetup-temp-allocator-size-preload-manager=33554432"
"memorysetup-temp-allocator-size-gi-baking-worker=262144"
"memorysetup-temp-allocator-size-gi-baking-worker=262144"
"memorysetup-temp-allocator-size-gi-baking-worker=262144"
"memorysetup-temp-allocator-size-gi-baking-worker=262144"
"memorysetup-temp-allocator-size-gi-baking-worker=262144"
"memorysetup-bucket-allocator-granularity=16"
"memorysetup-bucket-allocator-bucket-count=8"
"memorysetup-bucket-allocator-block-size=33554432"
"memorysetup-bucket-allocator-block-count=8"
"memorysetup-main-allocator-block-size=16777216"
"memorysetup-thread-allocator-block-size=16777216"
"memorysetup-gfx-main-allocator-block-size=16777216"
"memorysetup-gfx-thread-allocator-block-size=16777216"
"memorysetup-cache-allocator-block-size=4194304"
"memorysetup-typetree-allocator-block-size=2097152"
"memorysetup-profiler-bucket-allocator-granularity=16"
"memorysetup-profiler-bucket-allocator-bucket-count=8"
"memorysetup-profiler-bucket-allocator-block-size=33554432"
"memorysetup-profiler-bucket-allocator-block-count=8"
"memorysetup-profiler-allocator-block-size=16777216"
"memorysetup-profiler-editor-allocator-block-size=1048576"
"memorysetup-temp-allocator-size-main=16777216"
"memorysetup-job-temp-allocator-block-size=2097152"
"memorysetup-job-temp-allocator-block-size-background=1048576"
"memorysetup-job-temp-allocator-reduction-small-platforms=262144"
"memorysetup-temp-allocator-size-cloud-worker=32768"
Player connection [25188] Target information:
Player connection [25188] * "[IP] 220.149.147.175 [Port] 0 [Flags] 2 [Guid] 4149593015 [EditorId] 4149593015 [Version] 1048832 [Id] WindowsEditor(7,arvr-17) [Debug] 1 [PackageName] WindowsEditor [ProjectName] Editor"
Player connection [25188] Host joined multi-casting on [225.0.0.222:54997]...
Player connection [25188] Host joined alternative multi-casting on [225.0.0.222:34997]...
JobSystem: Creating JobQueue using job-worker-count value 11
Input System module state changed to: Initialized.
[Physics::Module] Initialized fallback backend.
[Physics::Module] Id: 0xdecafbad
Library Redirect Path: Library/
[Physics::Module] Selected backend.
[Physics::Module] Name: PhysX
[Physics::Module] Id: 0xf2b8ea05
[Physics::Module] SDK Version: 4.1.2
[Physics::Module] Integration Version: 1.0.0
[Physics::Module] Threading Mode: Multi-Threaded
Refreshing native plugins compatible for Editor in 4.23 ms, found 3 plugins.
Preloading 0 native plugins for Editor in 0.00 ms.
Initialize engine version: 6000.3.4f1 (fdd3b8998ec4)
[Subsystems] Discovering subsystems at path C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/Resources/UnitySubsystems
[Subsystems] Discovering subsystems at path C:/jh04010421/study/first_study/Assets
GfxDevice: creating device client; kGfxThreadingModeNonThreaded
Direct3D:
Version: Direct3D 11.0 [level 11.1]
Renderer: NVIDIA GeForce RTX 4060 Ti (ID=0x2803)
Vendor: NVIDIA
VRAM: 7949 MB
Driver: 32.0.15.6094
Initialize mono
Mono path[0] = 'C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/Managed'
Mono path[1] = 'C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/MonoBleedingEdge/lib/mono/unityjit-win32'
Mono config path = 'C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/MonoBleedingEdge/etc'
Using monoOptions --debugger-agent=transport=dt_socket,embedding=1,server=y,suspend=n,address=127.0.0.1:56112
Begin MonoManager ReloadAssembly
Registering precompiled unity dll's ...
Register platform support module: C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/PlaybackEngines/WindowsStandaloneSupport/UnityEditor.WindowsStandalone.Extensions.dll
Registered in 0.003335 seconds.
- Loaded All Assemblies, in 0.406 seconds
Native extension for WindowsStandalone target not found
ScheduleIndexationOnStartup MainProcess:False IndexOnStartup:True
Mono: successfully reloaded assembly
- Finished resetting the current domain, in 0.320 seconds
Domain Reload Profiling: 721ms
BeginReloadAssembly (168ms)
ExecutionOrderSort (0ms)
DisableScriptedObjects (0ms)
BackupInstance (0ms)
ReleaseScriptingObjects (0ms)
CreateAndSetChildDomain (0ms)
RebuildCommonClasses (30ms)
RebuildNativeTypeToScriptingClass (9ms)
initialDomainReloadingComplete (50ms)
LoadAllAssembliesAndSetupDomain (144ms)
LoadAssemblies (161ms)
RebuildTransferFunctionScriptingTraits (0ms)
AnalyzeDomain (142ms)
TypeCache.Refresh (140ms)
TypeCache.ScanAssembly (125ms)
BuildScriptInfoCaches (0ms)
ResolveRequiredComponents (1ms)
FinalizeReload (320ms)
ReleaseScriptCaches (0ms)
RebuildScriptCaches (0ms)
SetupLoadedEditorAssemblies (290ms)
LogAssemblyErrors (0ms)
InitializePlatformSupportModulesInManaged (38ms)
SetLoadedEditorAssemblies (3ms)
BeforeProcessingInitializeOnLoad (73ms)
ProcessInitializeOnLoadAttributes (116ms)
ProcessInitializeOnLoadMethodAttributes (60ms)
AfterProcessingInitializeOnLoad (0ms)
EditorAssembliesLoaded (0ms)
ExecutionOrderSort2 (0ms)
AwakeInstancesAfterBackupRestoration (0ms)
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
========================================================================
Worker process is ready to serve import requests
Import Worker Mode flag is 0x00
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
Begin MonoManager ReloadAssembly
[Licensing::Module] Licensing is not yet initialized.
[Licensing::Client] Handshaking with LicensingClient:
Version: 1.17.4+4293ba1
Session Id: b20d8073a8f9447d911e21cb90e9b256
Correlation Id: b0bc134685555bdbe86c568bf38b4e7e
External correlation Id: 5323426392178330500
Machine Id: o6l/d0mCqKDN7y8pWWzEL5TfVSw=
[Licensing::Module] Successfully connected to LicensingClient on channel: "LicenseClient-User" (connect: 0.00s, validation: 0.00s, handshake: 1.51s)
[Licensing::IpcConnector] Successfully connected to: "LicenseClient-User-notifications" at "2026-01-27T08:28:05.946731Z"
[Licensing::Module] Licensing Background thread has ended after 1.51s
[Licensing::Module] Licensing is initialized (took 0.17s).
[Licensing::Client] Successfully resolved entitlement details
[Licensing::Module] License group:
Id: F4-JH5V-RZ7J-J8U5-8HYN-XXXX
Product: Unity Personal
Type: ULF
Expiration: 2026-03-05T08:31:33Z
[Licensing::Module] License group:
Id: 14568598131100-UnityPersXXXX
Product: Unity Personal
Type: Assigned
Expiration: Unlimited
Asset path could not be found for script compilation file '/Assets/Scripts/PlayerSc/SimpleExcution.cs'
- Loaded All Assemblies, in 0.728 seconds
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
Refreshing native plugins compatible for Editor in 0.99 ms, found 3 plugins.
Native extension for WindowsStandalone target not found
Assembly reference Packages/com.unity.cinemachine/Editor/Samples/ExposeHDRPInternals/HDRP-Editor-ref.asmref has no target assembly definition
Package Manager log level set to [2]
[Package Manager] Failed to launch server process. Reason: Unity was launched with the -noUpm command-line argument
[Package Manager] Unable to send message (not connected to server process).
[Package Manager] Cannot connect to Unity Package Manager local server
[Package Manager] Failed to launch server process. Reason: Unity was launched with the -noUpm command-line argument
[Package Manager] Unable to send message (not connected to server process).
[Package Manager] Cannot connect to Unity Package Manager local server
ScheduleIndexationOnStartup MainProcess:False IndexOnStartup:True
Mono: successfully reloaded assembly
- Finished resetting the current domain, in 0.443 seconds
Domain Reload Profiling: 1163ms
BeginReloadAssembly (332ms)
ExecutionOrderSort (0ms)
DisableScriptedObjects (4ms)
BackupInstance (0ms)
ReleaseScriptingObjects (0ms)
CreateAndSetChildDomain (23ms)
RebuildCommonClasses (30ms)
RebuildNativeTypeToScriptingClass (10ms)
initialDomainReloadingComplete (36ms)
LoadAllAssembliesAndSetupDomain (310ms)
LoadAssemblies (304ms)
RebuildTransferFunctionScriptingTraits (0ms)
AnalyzeDomain (110ms)
TypeCache.Refresh (85ms)
TypeCache.ScanAssembly (76ms)
BuildScriptInfoCaches (20ms)
ResolveRequiredComponents (3ms)
FinalizeReload (444ms)
ReleaseScriptCaches (0ms)
RebuildScriptCaches (0ms)
SetupLoadedEditorAssemblies (370ms)
LogAssemblyErrors (0ms)
InitializePlatformSupportModulesInManaged (1ms)
SetLoadedEditorAssemblies (2ms)
BeforeProcessingInitializeOnLoad (93ms)
ProcessInitializeOnLoadAttributes (230ms)
ProcessInitializeOnLoadMethodAttributes (37ms)
AfterProcessingInitializeOnLoad (6ms)
EditorAssembliesLoaded (0ms)
ExecutionOrderSort2 (0ms)
AwakeInstancesAfterBackupRestoration (4ms)
Launched and connected shader compiler UnityShaderCompiler.exe after 0.01 seconds
Refreshing native plugins compatible for Editor in 1.34 ms, found 3 plugins.
Preloading 0 native plugins for Editor in 0.00 ms.
Unloading 1 Unused Serialized files (Serialized files now loaded: 0)
Unloading 3825 unused Assets / (1.3 MB). Loaded Objects now: 4417.
Memory consumption went from 96.1 MB to 94.8 MB.
Total: 4.810200 ms (FindLiveObjects: 0.246000 ms CreateObjectMapping: 0.121100 ms MarkObjects: 3.729100 ms DeleteObjects: 0.713200 ms)
Editor requested this worker to shutdown with reason: Scaling down because of idle timeout
AssetImportWorker is now disconnected from the server
Process exiting
Exiting without the bug reporter. Application will terminate with return code 0

View File

@ -7,154 +7,6 @@ Cmd: initializeCompiler
Cmd: initializeCompiler Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Unhandled exception: Protocol error - failed to read magic number. Error code 0x80000004 (Not connected). (transferred 0/4) Unhandled exception: Protocol error - failed to read magic number. Error code 0x80000004 (Not connected). (transferred 0/4)
Quitting shader compiler process Quitting shader compiler process

View File

@ -7,154 +7,6 @@ Cmd: initializeCompiler
Cmd: initializeCompiler Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Unhandled exception: Protocol error - failed to read magic number. Error code 0x80000004 (Not connected). (transferred 0/4) Unhandled exception: Protocol error - failed to read magic number. Error code 0x80000004 (Not connected). (transferred 0/4)
Quitting shader compiler process Quitting shader compiler process

View File

@ -1,90 +1,6 @@
Base path: 'C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data', plugins path 'C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/PlaybackEngines', jobs: y Base path: 'C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data', plugins path 'C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/PlaybackEngines', jobs: y
Cmd: initializeCompiler Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Unhandled exception: Protocol error - failed to read magic number. Error code 0x80000004 (Not connected). (transferred 0/4) Unhandled exception: Protocol error - failed to read magic number. Error code 0x80000004 (Not connected). (transferred 0/4)
Quitting shader compiler process Quitting shader compiler process

View File

@ -85,6 +85,66 @@ Cmd: initializeCompiler
Cmd: initializeCompiler Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Unhandled exception: Protocol error - failed to read magic number. Error code 0x80000004 (Not connected). (transferred 0/4) Unhandled exception: Protocol error - failed to read magic number. Error code 0x80000004 (Not connected). (transferred 0/4)
Quitting shader compiler process Quitting shader compiler process

View File

@ -0,0 +1,6 @@
Base path: 'C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data', plugins path 'C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/PlaybackEngines', jobs: y
Cmd: initializeCompiler
Unhandled exception: Protocol error - failed to read magic number. Error code 0x80000004 (Not connected). (transferred 0/4)
Quitting shader compiler process

View File

@ -0,0 +1,150 @@
Base path: 'C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data', plugins path 'C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/PlaybackEngines', jobs: y
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Cmd: initializeCompiler
Unhandled exception: Protocol error - failed to read magic number. Error code 0x80000004 (Not connected). (transferred 0/4)
Quitting shader compiler process

View File

@ -0,0 +1,6 @@
Base path: 'C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data', plugins path 'C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/PlaybackEngines', jobs: y
Cmd: initializeCompiler
Unhandled exception: Protocol error - failed to read magic number. Error code 0x80000004 (Not connected). (transferred 0/4)
Quitting shader compiler process

View File

@ -1,3 +1,9 @@
Base path: 'C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data', plugins path 'C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/PlaybackEngines', jobs: y Base path: 'C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data', plugins path 'C:/Program Files/Unity/Hub/Editor/6000.3.4f1/Editor/Data/PlaybackEngines', jobs: y
Cmd: initializeCompiler Cmd: initializeCompiler
Cmd: compileSnippet
insize=16965 file=Assets/DefaultResourcesExtra/Skybox-Procedural.shader name=Skybox/Procedural pass=<Unnamed Pass 0> ppOnly=0 stripLineD=0 buildPlatform=19 rsLen=0 pKW=UNITY_ENABLE_REFLECTION_BUFFERS UNITY_USE_DITHER_MASK_FOR_ALPHABLENDED_SHADOWS UNITY_PBS_USE_BRDF1 UNITY_SPECCUBE_BOX_PROJECTION UNITY_SPECCUBE_BLENDING UNITY_ENABLE_DETAIL_NORMALMAP SHADER_API_DESKTOP UNITY_COLORSPACE_GAMMA UNITY_LIGHT_PROBE_PROXY_VOLUME UNITY_LIGHTMAP_FULL_HDR UNITY_PLATFORM_SUPPORTS_DEPTH_FETCH uKW=_SUNDISK_SIMPLE dKW=_SUNDISK_NONE _SUNDISK_HIGH_QUALITY UNITY_NO_DXT5nm UNITY_FRAMEBUFFER_FETCH_AVAILABLE UNITY_METAL_SHADOWS_USE_POINT_FILTERING UNITY_NO_SCREENSPACE_SHADOWS UNITY_PBS_USE_BRDF2 UNITY_PBS_USE_BRDF3 UNITY_HARDWARE_TIER1 UNITY_HARDWARE_TIER2 UNITY_HARDWARE_TIER3 UNITY_LIGHTMAP_DLDR_ENCODING UNITY_LIGHTMAP_RGBM_ENCODING UNITY_VIRTUAL_TEXTURING UNITY_PRETRANSFORM_TO_DISPLAY_ORIENTATION UNITY_ASTC_NORMALMAP_ENCODING SHADER_API_GLES30 SHADER_API_GLES31 SHADER_API_GLES32 UNITY_UNIFIED_SHADER_PRECISION_MODEL flags=0 lang=0 type=Vertex platform=d3d11 reqs=33 mask=6 start=20 ok=1 outsize=5698
Cmd: compileSnippet
insize=16965 file=Assets/DefaultResourcesExtra/Skybox-Procedural.shader name=Skybox/Procedural pass=<Unnamed Pass 0> ppOnly=0 stripLineD=0 buildPlatform=19 rsLen=0 pKW=UNITY_ENABLE_REFLECTION_BUFFERS UNITY_USE_DITHER_MASK_FOR_ALPHABLENDED_SHADOWS UNITY_PBS_USE_BRDF1 UNITY_SPECCUBE_BOX_PROJECTION UNITY_SPECCUBE_BLENDING UNITY_ENABLE_DETAIL_NORMALMAP SHADER_API_DESKTOP UNITY_COLORSPACE_GAMMA UNITY_LIGHT_PROBE_PROXY_VOLUME UNITY_LIGHTMAP_FULL_HDR UNITY_PLATFORM_SUPPORTS_DEPTH_FETCH uKW=_SUNDISK_SIMPLE dKW=_SUNDISK_NONE _SUNDISK_HIGH_QUALITY UNITY_NO_DXT5nm UNITY_FRAMEBUFFER_FETCH_AVAILABLE UNITY_METAL_SHADOWS_USE_POINT_FILTERING UNITY_NO_SCREENSPACE_SHADOWS UNITY_PBS_USE_BRDF2 UNITY_PBS_USE_BRDF3 UNITY_HARDWARE_TIER1 UNITY_HARDWARE_TIER2 UNITY_HARDWARE_TIER3 UNITY_LIGHTMAP_DLDR_ENCODING UNITY_LIGHTMAP_RGBM_ENCODING UNITY_VIRTUAL_TEXTURING UNITY_PRETRANSFORM_TO_DISPLAY_ORIENTATION UNITY_ASTC_NORMALMAP_ENCODING SHADER_API_GLES30 SHADER_API_GLES31 SHADER_API_GLES32 UNITY_UNIFIED_SHADER_PRECISION_MODEL flags=0 lang=0 type=Fragment platform=d3d11 reqs=33 mask=6 start=20 ok=1 outsize=934

View File

@ -19,7 +19,7 @@ MonoBehaviour:
width: 1920 width: 1920
height: 989 height: 989
m_ShowMode: 4 m_ShowMode: 4
m_Title: Game m_Title: Hierarchy
m_RootView: {fileID: 2} m_RootView: {fileID: 2}
m_MinSize: {x: 875, y: 300} m_MinSize: {x: 875, y: 300}
m_MaxSize: {x: 10000, y: 10000} m_MaxSize: {x: 10000, y: 10000}
@ -120,7 +120,7 @@ MonoBehaviour:
m_MinSize: {x: 300, y: 112} m_MinSize: {x: 300, y: 112}
m_MaxSize: {x: 24288, y: 16192} m_MaxSize: {x: 24288, y: 16192}
vertical: 0 vertical: 0
controlID: 167 controlID: 142
draggingID: 0 draggingID: 0
--- !u!114 &6 --- !u!114 &6
MonoBehaviour: MonoBehaviour:
@ -146,7 +146,7 @@ MonoBehaviour:
m_MinSize: {x: 100, y: 112} m_MinSize: {x: 100, y: 112}
m_MaxSize: {x: 8096, y: 16192} m_MaxSize: {x: 8096, y: 16192}
vertical: 1 vertical: 1
controlID: 138 controlID: 18
draggingID: 0 draggingID: 0
--- !u!114 &7 --- !u!114 &7
MonoBehaviour: MonoBehaviour:
@ -167,8 +167,8 @@ MonoBehaviour:
y: 0 y: 0
width: 1058 width: 1058
height: 476 height: 476
m_MinSize: {x: 201, y: 226} m_MinSize: {x: 200, y: 200}
m_MaxSize: {x: 4001, y: 4026} m_MaxSize: {x: 4000, y: 4000}
m_ActualView: {fileID: 17} m_ActualView: {fileID: 17}
m_Panes: m_Panes:
- {fileID: 17} - {fileID: 17}
@ -226,7 +226,7 @@ MonoBehaviour:
m_MinSize: {x: 100, y: 112} m_MinSize: {x: 100, y: 112}
m_MaxSize: {x: 8096, y: 16192} m_MaxSize: {x: 8096, y: 16192}
vertical: 1 vertical: 1
controlID: 168 controlID: 57
draggingID: 0 draggingID: 0
--- !u!114 &10 --- !u!114 &10
MonoBehaviour: MonoBehaviour:
@ -247,8 +247,8 @@ MonoBehaviour:
y: 0 y: 0
width: 448 width: 448
height: 622 height: 622
m_MinSize: {x: 202, y: 226} m_MinSize: {x: 200, y: 200}
m_MaxSize: {x: 4002, y: 4026} m_MaxSize: {x: 4000, y: 4000}
m_ActualView: {fileID: 20} m_ActualView: {fileID: 20}
m_Panes: m_Panes:
- {fileID: 20} - {fileID: 20}
@ -304,7 +304,7 @@ MonoBehaviour:
m_MinSize: {x: 100, y: 112} m_MinSize: {x: 100, y: 112}
m_MaxSize: {x: 8096, y: 16192} m_MaxSize: {x: 8096, y: 16192}
vertical: 1 vertical: 1
controlID: 256 controlID: 143
draggingID: 0 draggingID: 0
--- !u!114 &13 --- !u!114 &13
MonoBehaviour: MonoBehaviour:
@ -325,8 +325,8 @@ MonoBehaviour:
y: 0 y: 0
width: 414 width: 414
height: 622 height: 622
m_MinSize: {x: 276, y: 76} m_MinSize: {x: 275, y: 50}
m_MaxSize: {x: 4001, y: 4026} m_MaxSize: {x: 4000, y: 4000}
m_ActualView: {fileID: 22} m_ActualView: {fileID: 22}
m_Panes: m_Panes:
- {fileID: 22} - {fileID: 22}
@ -351,8 +351,8 @@ MonoBehaviour:
y: 622 y: 622
width: 414 width: 414
height: 311 height: 311
m_MinSize: {x: 51, y: 76} m_MinSize: {x: 50, y: 50}
m_MaxSize: {x: 4001, y: 4026} m_MaxSize: {x: 4000, y: 4000}
m_ActualView: {fileID: 23} m_ActualView: {fileID: 23}
m_Panes: m_Panes:
- {fileID: 23} - {fileID: 23}
@ -1366,9 +1366,9 @@ MonoBehaviour:
m_AudioPlay: 0 m_AudioPlay: 0
m_DebugDrawModesUseInteractiveLightBakingData: 0 m_DebugDrawModesUseInteractiveLightBakingData: 0
m_Position: m_Position:
m_Target: {x: -5.108535, y: -0.83172476, z: -4.5998373} m_Target: {x: -4.754413, y: -1.5933942, z: 0}
speed: 2 speed: 2
m_Value: {x: -5.108535, y: -0.83172476, z: -4.5998373} m_Value: {x: -4.754413, y: -1.5933942, z: 0}
m_RenderMode: 0 m_RenderMode: 0
m_CameraMode: m_CameraMode:
drawMode: 0 drawMode: 0
@ -1418,9 +1418,9 @@ MonoBehaviour:
speed: 2 speed: 2
m_Value: {x: 0, y: 0, z: 0, w: 1} m_Value: {x: 0, y: 0, z: 0, w: 1}
m_Size: m_Size:
m_Target: 2.6454077 m_Target: 2.2631152
speed: 2 speed: 2
m_Value: 2.6454077 m_Value: 2.2631152
m_Ortho: m_Ortho:
m_Target: 1 m_Target: 1
speed: 2 speed: 2
@ -1639,9 +1639,9 @@ MonoBehaviour:
e32: 0 e32: 0
e33: 1 e33: 1
m_PreviewAnimator: {fileID: 0} m_PreviewAnimator: {fileID: 0}
m_AnimatorController: {fileID: 9100000, guid: 5b3ab30456836f949b6931934afc3a7a, type: 2} m_AnimatorController: {fileID: 9100000, guid: 371a71d6cdc800644a1e6afe649c7182, type: 2}
m_BreadCrumbs: m_BreadCrumbs:
- m_Target: {fileID: -4356369598231487850, guid: 5b3ab30456836f949b6931934afc3a7a, type: 2} - m_Target: {fileID: -8098372670595434481, guid: 371a71d6cdc800644a1e6afe649c7182, type: 2}
m_ScrollPosition: {x: 0, y: 0} m_ScrollPosition: {x: 0, y: 0}
stateMachineGraph: {fileID: 0} stateMachineGraph: {fileID: 0}
stateMachineGraphGUI: {fileID: 0} stateMachineGraphGUI: {fileID: 0}
@ -1695,19 +1695,17 @@ MonoBehaviour:
m_SceneHierarchy: m_SceneHierarchy:
m_TreeViewState: m_TreeViewState:
scrollPos: {x: 0, y: 0} scrollPos: {x: 0, y: 0}
m_SelectedIDs: m_SelectedIDs: []
- m_Data: 35476
m_LastClickedID: m_LastClickedID:
m_Data: 35476 m_Data: 0
m_ExpandedIDs: m_ExpandedIDs:
- m_Data: -27964 - m_Data: -14804
- m_Data: -1824 - m_Data: -1316
- m_Data: 35470 - m_Data: 35744
- m_Data: 35476
m_RenameOverlay: m_RenameOverlay:
m_UserAcceptedRename: 0 m_UserAcceptedRename: 0
m_Name: m_Name: player_tera
m_OriginalName: m_OriginalName: player_tera
m_EditFieldRect: m_EditFieldRect:
serializedVersion: 2 serializedVersion: 2
x: 0 x: 0
@ -1715,10 +1713,10 @@ MonoBehaviour:
width: 0 width: 0
height: 0 height: 0
m_UserData: m_UserData:
m_Data: 0 m_Data: -6744
m_IsWaitingForDelay: 0 m_IsWaitingForDelay: 0
m_IsRenaming: 0 m_IsRenaming: 0
m_OriginalEventType: 11 m_OriginalEventType: 0
m_IsRenamingFilename: 0 m_IsRenamingFilename: 0
m_TrimLeadingAndTrailingWhitespace: 0 m_TrimLeadingAndTrailingWhitespace: 0
m_ClientGUIView: {fileID: 10} m_ClientGUIView: {fileID: 10}
@ -1778,7 +1776,7 @@ MonoBehaviour:
m_SkipHidden: 0 m_SkipHidden: 0
m_SearchArea: 1 m_SearchArea: 1
m_Folders: m_Folders:
- Assets/Player/anicon - Assets/Scripts/PlayerSc
m_Globs: [] m_Globs: []
m_ProductIds: m_ProductIds:
m_AnyWithAssetOrigin: 0 m_AnyWithAssetOrigin: 0
@ -1786,26 +1784,30 @@ MonoBehaviour:
m_ImportLogFlags: 0 m_ImportLogFlags: 0
m_FilterByTypeIntersection: 0 m_FilterByTypeIntersection: 0
m_ViewMode: 1 m_ViewMode: 1
m_StartGridSize: 78 m_StartGridSize: 67
m_LastFolders: m_LastFolders:
- Assets/Player/anicon - Assets/Scripts/PlayerSc
m_LastFoldersGridSize: 78 m_LastFoldersGridSize: 67
m_LastProjectPath: C:\jh04010421\study\first_study m_LastProjectPath: C:\jh04010421\study\first_study
m_LockTracker: m_LockTracker:
m_IsLocked: 0 m_IsLocked: 0
m_LastLocalAssetsSearchArea: 1 m_LastLocalAssetsSearchArea: 1
m_FolderTreeState: m_FolderTreeState:
scrollPos: {x: 0, y: 59} scrollPos: {x: 0, y: 319}
m_SelectedIDs: m_SelectedIDs:
- m_Data: 36204 - m_Data: 36184
m_LastClickedID: m_LastClickedID:
m_Data: 36204 m_Data: 36184
m_ExpandedIDs: m_ExpandedIDs:
- m_Data: 0 - m_Data: 0
- m_Data: 35332 - m_Data: 36046
- m_Data: 35334 - m_Data: 36048
- m_Data: 35338 - m_Data: 36050
- m_Data: 36052
- m_Data: 36054
- m_Data: 36178
- m_Data: 1000000000 - m_Data: 1000000000
- m_Data: 2147483647
m_RenameOverlay: m_RenameOverlay:
m_UserAcceptedRename: 0 m_UserAcceptedRename: 0
m_Name: m_Name:
@ -1838,9 +1840,11 @@ MonoBehaviour:
m_Data: 0 m_Data: 0
m_ExpandedIDs: m_ExpandedIDs:
- m_Data: 0 - m_Data: 0
- m_Data: 35332 - m_Data: 36046
- m_Data: 1000000000 - m_Data: 36048
- m_Data: 2147483647 - m_Data: 36050
- m_Data: 36052
- m_Data: 36054
m_RenameOverlay: m_RenameOverlay:
m_UserAcceptedRename: 0 m_UserAcceptedRename: 0
m_Name: m_Name:
@ -1867,12 +1871,13 @@ MonoBehaviour:
m_Icon: {fileID: 0} m_Icon: {fileID: 0}
m_ResourceFile: m_ResourceFile:
m_ListAreaState: m_ListAreaState:
m_SelectedInstanceIDs: m_SelectedInstanceIDs: []
- m_Data: 35476 m_LastClickedInstanceID: 0
m_LastClickedInstanceID: 35476
m_HadKeyboardFocusLastEvent: 1 m_HadKeyboardFocusLastEvent: 1
m_ExpandedInstanceIDs: m_ExpandedInstanceIDs:
- m_Data: 36080 - m_Data: 36080
- m_Data: 35614
- m_Data: 35446
m_RenameOverlay: m_RenameOverlay:
m_UserAcceptedRename: 0 m_UserAcceptedRename: 0
m_Name: m_Name:
@ -1899,7 +1904,7 @@ MonoBehaviour:
m_ResourceFile: m_ResourceFile:
m_NewAssetIndexInList: -1 m_NewAssetIndexInList: -1
m_ScrollPosition: {x: 0, y: 0} m_ScrollPosition: {x: 0, y: 0}
m_GridSize: 78 m_GridSize: 67
m_SkipHiddenPackages: 0 m_SkipHiddenPackages: 0
m_DirectoriesAreaWidth: 143 m_DirectoriesAreaWidth: 143
--- !u!114 &22 --- !u!114 &22

View File

@ -11,7 +11,7 @@ showStatusBar = false
scopes = { scopes = {
"picker_window_position_offset.00000000" = "93;180;320;550" "picker_window_position_offset.00000000" = "93;180;320;550"
"picker_visibility_flags.00000000" = "0" "picker_visibility_flags.00000000" = "0"
"picker_item_size.00000000" = "32" "picker_item_size.00000000" = "1"
"picker_inspector.00000000" = "0" "picker_inspector.00000000" = "0"
} }
providers = { providers = {