묻고 답해요
164만명의 커뮤니티!! 함께 토론해봐요.
인프런 TOP Writers
-
미해결[라이브 멘토링] 유니티 뱀파이어 서바이벌 장르 모작
스프라이트 로그가 안됩니다. 이유를 모르겠어요...
아래와 같이 강좌를 통해서 이유를 찾고있는데요. 폴더에 있는 최신 참조 파일과도 다른 점이 없었고,유니티를 재부팅을 통해서도 확인해보았으나 현상은 동일했습니다. 33:40분에 이야기한 소문자 이야기에 계속 돌려서 보았으나 소문자 부분을 찾지 못하였습니다. 혹시 문제가 무엇일까요....? 디버그.로그를 통해서 확인해보니 최초에 정상 로드가 확인되지만, 이후 생성할려고 할때 Null 값이 노출되는 것을 확인하였습니다.. using System; using System.Collections; using System.Collections.Generic; using System.Diagnostics; using Unity.Mathematics; using Unity.VisualScripting; using UnityEngine; public class ObjectManager { public PlayerController Player { get; private set; } // 플레이어는 따로 관리 public HashSet<MonsterController> Monsters { get; } = new HashSet<MonsterController>(); // 몬스터도 따로 관리 public HashSet<ProjectileController> Projectiles { get; } = new HashSet<ProjectileController>(); // 발사체도 따로 관리 public HashSet<GemController> Gems { get; } = new HashSet<GemController>(); // 잼 따로 관리 public T Spawn<T>( Vector3 position , int templateID = 0) where T : BaceController { System.Type type = typeof( T ); if( type == typeof(PlayerController) ) { GameObject go = Managers.Resource.Intantsiate("Slime_01.prefab", pooling: true);// 프리팹 불러오기 go.name = "Player"; /////////////////////////////////////////////////////////////////////// //// /// go.transform.position = position; // 좌표에 배치 /////////////////////////////////////////////////////////////////////// PlayerController pc = go.GetOrAddComponent<PlayerController>(); // 컨트롤러 불러오기 Player = pc; // 컨트롤러 붙이기 pc.Init(); //초기화 return pc as T; } else if (type == typeof(MonsterController)) { string name = (templateID == 0 ? "Goblin_01" : "Snake_01"); // 지금은 억지로 부여하지만, 데이터 테이블이 만들어지면 수정할 것 GameObject go = Managers.Resource.Intantsiate( name + ".prefab" , pooling: true ); /////////////////////////////////////////////////////////////////////// //// /// go.transform.position = position; // 좌표에 배치 /////////////////////////////////////////////////////////////////////// MonsterController mc = go.GetOrAddComponent<MonsterController>(); Monsters.Add( mc ); // 만들어지는 동시에 Monsters 안에 관리하에 들어가게 됨. mc.Init(); //초기화 return mc as T; } else if( type == typeof(ProjectileController)) { return null; } else if (type == typeof(GemController)) // 잼 컨트롤러 작동원리 { GameObject go = Managers.Resource.Intantsiate( Define.EXP_GEM_PREFAB , pooling: true); go.transform.position = position; GemController gc = go.GetOrAddComponent<GemController>(); Gems.Add( gc ); // 폴더에 추가 gc.Init(); //초기화 // 아이템 종류 변경하기. ( 하드코딩 : 확인용 ) string key = UnityEngine.Random.Range(0, 2) == 0 ? "EXPGem_01.sprite" : "EXPGem_02.sprite"; Sprite sprite = Managers.Resource.Load<Sprite>(key); go.GetComponent<SpriteRenderer>().sprite = sprite; UnityEngine.Debug.Log( sprite ); //Debug.Log($"sprite Name: {sprite.name}"); if (sprite) { UnityEngine.Debug.Log($"sprite Name: {sprite.name}"); } return gc as T; } return null; } // public void Despawn<T>(T obj) where T : BaceController { System.Type type = typeof(T); if (type == typeof(PlayerController)) { //? } else if (type == typeof(MonsterController)) { Monsters.Remove(obj as MonsterController); Managers.Resource.Destroy(obj.gameObject); } else if (type == typeof(ProjectileController)) { Projectiles.Remove(obj as ProjectileController); Managers.Resource.Destroy(obj.gameObject); } else if (type == typeof(GemController)) { Gems.Remove(obj as GemController); Managers.Resource.Destroy(obj.gameObject); } } } using System.Collections; using System.Collections.Generic; using UnityEngine; using UnityEngine.AddressableAssets; // 에셋 가져오고 using UnityEngine.ResourceManagement.AsyncOperations; // 회색은 필요없다느 뜻임 using System; using Object = UnityEngine.Object; public class ResourceManager { // 리소스를 계속 들고 있도록 Dictionary로 만든다. Dictionary<string, UnityEngine.Object> _resources = new Dictionary<string, UnityEngine.Object>(); // 리소스 로드 ( 이미 위의 Dictionary에서 이미 로드를 한 상태라 부담이 없다. ) public T Load<T>(string key) where T : Object { if (_resources.TryGetValue(key, out Object reource)) { return reource as T; } return null; } // Load 를 사용하여 리소스 된 후 인스텐션해서 복사본을 만든다. public GameObject Intantsiate(string key, Transform parent = null, bool pooling = false) { /////////////////////////////////////////////////////////////// // 원본 프리팹을 가져옴 GameObject prefab = Load<GameObject>($"{key}"); if (prefab == null) { Debug.Log($"Failed to load prefab :{key}"); return null; } /////////////////////////////////////////////////////////////// // Pooling if ( pooling ) { return Managers.Pool.Pop(prefab); } /////////////////////////////////////////////////////////////// /// 부하가 많이 걸리는 부분 => 그래서 오브젝트풀링( 활성/비활성화 )로 진행 GameObject go = Object.Instantiate( prefab , parent ); go.name = prefab.name; return go; } // 오브젝트 삭제 용도.(공용) ( 어드레서블로 만들어지지 않은 애들도 삭제됨 ) public void Destroy(GameObject go) { if ( go == null ) return; if ( Managers.Pool.Push(go) ) { return; } // Pool이 있으면 반납 Object.Destroy(go); // Pool이 없으면 삭제 } #region 어드레서블 public void LoadAsync<T>( string key, Action<T> callback = null ) where T : UnityEngine.Object //LoadAsysnc<T>( 키값 , 알려줄 무언가 ) { // 캐시 확인 if (_resources.TryGetValue(key, out Object resource)) // _resources 키값으로 리소스를 찾은적있다. { callback.Invoke(resource as T); return; // 2번째인경우 리턴 } string loadKey = key; if (key.Contains(".sprite")) loadKey = $"{key}[{key.Replace(".sprite", "")}]"; ////////////////////////////////////////////////////////////// // 리로스 비동기 로딩 시작. // 아래는 코드가 완성되면 처리가 끝나면 신호줌. var asyncOperation = Addressables.LoadAssetAsync<T>(loadKey); // 처음인 경우, 로드함. ( 비동기 방식으로 ) asyncOperation.Completed += (op) => { _resources.Add(key, op.Result); callback.Invoke(op.Result); }; } // 내가 원하는 라벨을 검색 후, public void LoadAllAsync<T>(string label, Action<string, int, int> callback ) where T : UnityEngine.Object //LoadAllAsync<T>( 라벨명 , 알려줄 무언가 ) { var opHandle = Addressables.LoadResourceLocationsAsync(label, typeof(T)); opHandle.Completed += (op) => { int loadCount = 0; int totalCount = op.Result.Count; foreach (var reult in op.Result) // 원하는 값이 나올때까지 반복 { LoadAsync<T>(reult.PrimaryKey, (obj) => // PrimaryKey 파일의 이름 // loadCount 몇번째인지 { loadCount++; callback?.Invoke(reult.PrimaryKey, loadCount, totalCount); }); } }; } #endregion } ///////////////////////////////// /// 추가함 using System; ///////////////////////////////// using System.Collections; using System.Collections.Generic; ///////////////////////////////// /// 추가함 using Unity.VisualScripting; ///////////////////////////////// using UnityEngine; ///////////////////////////////// /// 추가함 using UnityEngine.Diagnostics; using UnityEngine.EventSystems; public static class Extension // Extension문법은 (this GameObject go)에서 this를 함으로써 this.GetOrAddComponent와 같이 사용할수있는 문법 { public static T GetOrAddComponent<T>(this GameObject go) where T : UnityEngine.Component { return Utils.GetOrAddComponent<T>(go); } public static bool isValid(this GameObject go) { return go != null && go.activeSelf; } public static bool isValid(this BaceController bc) { return bc != null && bc.isActiveAndEnabled; } } using System.Collections; using System.Collections.Generic; using UnityEngine; public static class Define { public enum Scene { Unknown, DevScene, GameScene, } public enum Sound { Bgm, Effect, } public enum ObjectType { Player, Monster, Projectile, Env, } public const int PLAYER_DATA_ID = 1; public const string EXP_GEM_PREFAB = "EXPGem.prefab"; }
-
미해결스프링 입문 - 코드로 배우는 스프링 부트, 웹 MVC, DB 접근 기술
No suitable driver found for 08001/0
=========================================[질문 템플릿]1. 강의 내용과 관련된 질문인가요? (예)2. 인프런의 질문 게시판과 자주 하는 질문에 없는 내용인가요? (예)3. 질문 잘하기 메뉴얼을 읽어보셨나요? (예)[질문 내용]강의대로 create table member도 실행했고select로 조회도 가능합니다.그런데 왼쪽에 No suitable driver found for 08001/0라는 메시지가 있는데 혹시 이 메시지 때문에 문제될 게 생길까요? 강의 그대로 했는데 왜 저는 이런 게 뜰까요..h2는 D 드라이브의 study 폴더에 설치했고test.mv.db는 C 드라이브에 있던데 혹시 이게 문제일까요? 이 강의에선 DB 조회 같은 거에 문제가 생기진 않았는데다음 시간부터 뭔가 문제가 생길까 봐 질문드립니다. No suitable driver found for를 클릭하면 다음과 같은 메시지가 뜹니다.
-
미해결[C#과 유니티로 만드는 MMORPG 게임 개발 시리즈] Part3: 유니티 엔진
질문있습니다
여기서 찾아달라는 타입을 로그인씬이 아니라 베이스씬으로 해주는 이유가 있나요? 직관적으로 생각했을때는 로그인씬을 찾아줘야 되니까 로그인씬을 제너릭에 넣어줘야 할거 같아서요.. 그리고 저렇게 로그인씬을 찾고싶을때에도 베이스씬을 상속받았으니까 저렇게 해줘도 되는거네요?!
-
미해결스프링 MVC 2편 - 백엔드 웹 개발 활용 기술
여러개의 Resource 반환
학습하는 분들께 도움이 되고, 더 좋은 답변을 드릴 수 있도록 질문전에 다음을 꼭 확인해주세요.1. 강의 내용과 관련된 질문을 남겨주세요.2. 인프런의 질문 게시판과 자주 하는 질문(링크)을 먼저 확인해주세요.(자주 하는 질문 링크: https://bit.ly/3fX6ygx)3. 질문 잘하기 메뉴얼(링크)을 먼저 읽어주세요.(질문 잘하기 메뉴얼 링크: https://bit.ly/2UfeqCG)질문 시에는 위 내용은 삭제하고 다음 내용을 남겨주세요.=========================================[질문 템플릿]1. 강의 내용과 관련된 질문인가요? (아니오)2. 인프런의 질문 게시판과 자주 하는 질문에 없는 내용인가요? (예)3. 질문 잘하기 메뉴얼을 읽어보셨나요? (예)[질문 내용]안녕하세요 강의 잘 들었습니다.현재 진행하고 있는 게시판 프로젝트에서, 로컬 컴퓨터(서버)의 C://폴더명(프로젝트 외부 폴더임) 하위에 이미지를 저장하고 있는데, 사진 게시판에 접근할 때, 여러개의 사진(10개씩)을 동시에 response로 줘야 하는 상황에서 어떻게 하는지 잘 모르겠습니다. ResponseEntity에 List<Resource>를 담았더니 잘 안되는 것 같습니다. + +또한, 이미지 뿐만 아니라, 하나의 이미지에 대한 정보(제목, 좋아요 수, 조회 수) 까지 함께 보내야 하는 상황입니다. AWS 같은 서비스를 사용하지 않고, 서버 컴퓨터에 파일을 저장하는 경우, 여러개의 파일을 동시에 클라이언트에 전송할 때, 어떤 방식을 사용하는지 궁금합니다.또한, 여러개의 이미지를 전송할 때, 이미지 하나당 묶여있는 데이터를 어떻게 해야 함께 보낼 수 있는지, 일반적인 방법을 알고 싶습니다.
-
미해결10주완성 C++ 코딩테스트 | 알고리즘 코딩테스트
1-A 일곱난쟁이 공유 소스 오류 질문
선생님께서 올려주신 공유 소스를 dev c++ 컴파일 하였을 때 오류가 납니다 ㅠㅠ 문제가 무엇일까요? 마지막 for(int i : v) cout << i << " "; 여기서 빨간 표시가 뜨더라구요..!!http://boj.kr/6b0acb8d4af043f88800c74b72d7761010 9 C:\Users\PC\Desktop\AA\main.cpp [Warning] extended initializer lists only available with -std=c++11 or -std=gnu++1129 14 C:\Users\PC\Desktop\AA\main.cpp [Error] range-based 'for' loops are not allowed in C++98 mode
-
해결됨처음 만난 리액트(React)
미니블로그
- 학습 관련 질문을 남겨주세요. 상세히 작성하면 더 좋아요! - 먼저 유사한 질문이 있었는지 검색해보세요. - 서로 예의를 지키며 존중하는 문화를 만들어가요. - 잠깐! 인프런 서비스 운영 관련 문의는 1:1 문의하기를 이용해주세요.안녕하세요 마지막 미니블로그 테스트만 남았는데코드를 깃헙에서 그대로 가져와 복붙을 하고 실행해도 사파리에서는 null is not an object크롬에서는 Cannot read properties of null (reading 'useContext') TypeError: Cannot read properties of null (reading 'useContext') 오류가 뜹니다 어떻게 해야 할까요?
-
미해결[신규 개정판] 이것이 진짜 크롤링이다 - 실전편 (인공지능 수익화)
임포트가 잘 안되요~~~~
- 학습 관련 질문을 남겨주세요. 상세히 작성하면 더 좋아요! - 먼저 유사한 질문이 있었는지 검색해보세요. - 서로 예의를 지키며 존중하는 문화를 만들어가요. - 잠깐! 인프런 서비스 운영 관련 문의는 1:1 문의하기를 이용해주세요.
-
미해결장박사의 블록체인 이해와 구조
강의자료 부탁드립니다~
오늘부터 강의 열심히 들어보려고 합니다~ 강의자료를 보내주시면 열심히 공부하겠습니다~ demigod2000@naver.com 입니다~
-
해결됨10주완성 C++ 코딩테스트 | 알고리즘 코딩테스트
1-K 질문 있습니다.
일단 모든 케이스에 대해 다 정답처리가 됐지만, 틀렸다고 합니다. 그래서 제가 왜 그런지 잘 모르겠고 의문점을 가져서 질문을 하였습니다.첫번 째 주석을 보시면 저는 저런식으로 생각했는데 저렇게 하는게 시간복잡도상 더 효율적이라고 판단하는데 어떻게 생각하는지 궁금합니다. 메모리도 128MB라 충분하다고 판단하여 저렇게 썼습니다.어떤 점에서 이게 틀린지 지적해주시면 감사하겠습니다. http://boj.kr/4196de180bb04eac9c50cd3825761e1e
-
미해결홍정모의 따라하며 배우는 C언어
9.15 쓰레기값 관련해서
제가 알기로 값을 따로 초기화 안할경우 무작위의 쓰레기값이 들어가는게 아니라, 그냥 16진수 cccccccc 가 들어가는걸로 알고 있습니다.
-
미해결스프링 시큐리티
ExcpetionTranslationFilter가 FilterSecurityInterceptor에서 발생하는 예외만 처리하는 이유
혹시 저처럼 ExcpetionTranslationFilter가 다른 필터의 예외는 처리하지 않고 FilterSecurityInterceptor에서 발생하는 예외만 처리할 수 있게 한 방법이 궁금하신 분들을 위해서 씁니다.ExcpetionTranslationFilter는 필터체인에서 순서상 14번째고FilterSecurityInterceptor는 15번째 맨 마지막입니다.ExcpetionTranslationFilter가 하위 순서에 있는 모든 필터의 예외를 처리하기 때문에 자기보다 하위 순서에 있는 FilterSecurityInterceptor의 예외를 처리할 수 있습니다만약 16번째 17번째 필터가 더 있었으면 그 필터들도 ExcpetionTranslationFilter에 의해 예외 처리가 될 수 있습니다(던지는 예외가 AuthenticationException 또는 AccessDeniedExcpetion이라면)
-
미해결[딥러닝 전문가 과정 DL1102] 딥러닝을 위한 파이썬 레벨2
슬랙 초대메일을 받지 못하였습니다.
안녕하세요. 슬랙 가입 초대 메일을 받지 못하여 문의 드립니다.원래 ototo4@nate.com으로 인프런으로 가입했었는데ototo4@ewhain.net 으로 초대해주시면 감사하겠습니다.
-
미해결배달앱 클론코딩 [with React Native]
npm run ios 시 에러 발생
깃헙에 올려져있는 setting 프로젝트를 클론받고 npm i && npx pod-install 까지 완료한 후 npm run ios 를 하면 아래와 같은 에러가 뜹니다. 안드로이드로 실행했을 경우 정상적으로 작동합니다.rary/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Products/Debug-iphonesimulator/ReactCommon -fmodule-map-file\=/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Public/React/React-Core.modulemap -fmodule-map-file\=/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Public/yoga/Yoga.modulemap -DFOLLY_NO_CONFIG -DFOLLY_MOBILE\=1 -DFOLLY_USE_LIBCPP\=1 -Wno-comma -Wno-shorten-64-to-32 -Wno-documentation -include /Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Target\ Support\ Files/ReactCommon/ReactCommon-prefix.pch -MMD -MT dependencies -MF /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/ReactCommon.build/Objects-normal/x86_64/TurboModuleUtils.d --serialize-diagnostics /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/ReactCommon.build/Objects-normal/x86_64/TurboModuleUtils.dia -c /Users/jeongjaehong/FoodDeliveryApp/node_modules/react-native/ReactCommon/react/nativemodule/core/ReactCommon/TurboModuleUtils.cpp -o /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/ReactCommon.build/Objects-normal/x86_64/TurboModuleUtils.o -index-unit-output-path /Pods.build/Debug-iphonesimulator/ReactCommon.build/Objects-normal/x86_64/TurboModuleUtils.oSwiftDriver YogaKit normal x86_64 com.apple.xcode.tools.swift.compiler (in target 'YogaKit' from project 'Pods') cd /Users/jeongjaehong/FoodDeliveryApp/ios/Pods builtin-SwiftDriver -- /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/swiftc -module-name YogaKit -Onone -enforce-exclusivity\=checked @/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/Objects-normal/x86_64/YogaKit.SwiftFileList -DDEBUG -D COCOAPODS -Xcc -fmodule-map-file\=/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Public/yoga/Yoga.modulemap -import-underlying-module -Xcc -fmodule-map-file\=/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Public/YogaKit/YogaKit.modulemap -sdk /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator17.0.sdk -target x86_64-apple-ios11.0-simulator -enable-bare-slash-regex -g -module-cache-path /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/ModuleCache.noindex -Xfrontend -serialize-debugging-options -enable-testing -index-store-path /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Index.noindex/DataStore -swift-version 4 -I /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Products/Debug-iphonesimulator/YogaKit -F /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Products/Debug-iphonesimulator/YogaKit -parse-as-library -c -j8 -enable-batch-mode -incremental -Xcc -ivfsstatcache -Xcc /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/SDKStatCaches.noindex/iphonesimulator17.0-21A325-9f995cea1212cde75317d7d3cd2045e2.sdkstatcache -output-file-map /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/Objects-normal/x86_64/YogaKit-OutputFileMap.json -use-frontend-parseable-output -save-temps -no-color-diagnostics -serialize-diagnostics -emit-dependencies -emit-module -emit-module-path /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/Objects-normal/x86_64/YogaKit.swiftmodule -validate-clang-modules-once -clang-build-session-file /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/ModuleCache.noindex/Session.modulevalidation -Xcc -I/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/swift-overrides.hmap -emit-const-values -Xfrontend -const-gather-protocols-file -Xfrontend /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/Objects-normal/x86_64/YogaKit_const_extract_protocols.json -Xcc -iquote -Xcc /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/YogaKit-generated-files.hmap -Xcc -I/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/YogaKit-own-target-headers.hmap -Xcc -I/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/YogaKit-all-non-framework-target-headers.hmap -Xcc -ivfsoverlay -Xcc /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/all-product-headers.yaml -Xcc -iquote -Xcc /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/YogaKit-project-headers.hmap -Xcc -I/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Products/Debug-iphonesimulator/YogaKit/include -Xcc -I/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Private -Xcc -I/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Private/YogaKit -Xcc -I/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Public -Xcc -I/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Public/Yoga -Xcc -I/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/DerivedSources-normal/x86_64 -Xcc -I/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/DerivedSources/x86_64 -Xcc -I/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/DerivedSources -Xcc -DPOD_CONFIGURATION_DEBUG\=1 -Xcc -DDEBUG\=1 -Xcc -DCOCOAPODS\=1 -emit-objc-header -emit-objc-header-path /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/Objects-normal/x86_64/YogaKit-Swift.h -working-directory /Users/jeongjaehong/FoodDeliveryApp/ios/Pods -experimental-emit-module-separately -disable-cmoCompileC /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/Objects-normal/x86_64/YogaKit-dummy.o /Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Target\ Support\ Files/YogaKit/YogaKit-dummy.m normal x86_64 objective-c com.apple.compilers.llvm.clang.1_0.compiler (in target 'YogaKit' from project 'Pods') cd /Users/jeongjaehong/FoodDeliveryApp/ios/Pods /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/clang -x objective-c -ivfsstatcache /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/SDKStatCaches.noindex/iphonesimulator17.0-21A325-9f995cea1212cde75317d7d3cd2045e2.sdkstatcache -target x86_64-apple-ios11.0-simulator -fmessage-length\=0 -fdiagnostics-show-note-include-stack -fmacro-backtrace-limit\=0 -fno-color-diagnostics -std\=gnu11 -fobjc-arc -fobjc-weak -fmodules -fmodules-cache-path\=/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/ModuleCache.noindex -fmodules-prune-interval\=86400 -fmodules-prune-after\=345600 -fbuild-session-file\=/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/ModuleCache.noindex/Session.modulevalidation -fmodules-validate-once-per-build-session -Wnon-modular-include-in-framework-module -Werror\=non-modular-include-in-framework-module -Wno-trigraphs -fpascal-strings -O0 -fno-common -Wno-missing-field-initializers -Wno-missing-prototypes -Werror\=return-type -Wdocumentation -Wunreachable-code -Wno-implicit-atomic-properties -Werror\=deprecated-objc-isa-usage -Wno-objc-interface-ivars -Werror\=objc-root-class -Wno-arc-repeated-use-of-weak -Wimplicit-retain-self -Wduplicate-method-match -Wno-missing-braces -Wparentheses -Wswitch -Wunused-function -Wno-unused-label -Wno-unused-parameter -Wunused-variable -Wunused-value -Wempty-body -Wuninitialized -Wconditional-uninitialized -Wno-unknown-pragmas -Wno-shadow -Wno-four-char-constants -Wno-conversion -Wconstant-conversion -Wint-conversion -Wbool-conversion -Wenum-conversion -Wno-float-conversion -Wnon-literal-null-conversion -Wobjc-literal-conversion -Wshorten-64-to-32 -Wpointer-sign -Wno-newline-eof -Wno-selector -Wno-strict-selector-match -Wundeclared-selector -Wdeprecated-implementations -Wno-implicit-fallthrough -DPOD_CONFIGURATION_DEBUG\=1 -DDEBUG\=1 -DCOCOAPODS\=1 -DOBJC_OLD_DISPATCH_PROTOTYPES\=0 -isysroot /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator17.0.sdk -fasm-blocks -fstrict-aliasing -Wprotocol -Wdeprecated-declarations -g -Wno-sign-conversion -Winfinite-recursion -Wcomma -Wblock-capture-autoreleasing -Wstrict-prototypes -Wno-semicolon-before-method-body -Wunguarded-availability -fobjc-abi-version\=2 -fobjc-legacy-dispatch -index-store-path /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Index.noindex/DataStore -iquote /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/YogaKit-generated-files.hmap -I/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/YogaKit-own-target-headers.hmap -I/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/YogaKit-all-non-framework-target-headers.hmap -ivfsoverlay /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/all-product-headers.yaml -iquote /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/YogaKit-project-headers.hmap -I/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Products/Debug-iphonesimulator/YogaKit/include -I/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Private -I/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Private/YogaKit -I/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Public -I/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Public/Yoga -I/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/DerivedSources-normal/x86_64 -I/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/DerivedSources/x86_64 -I/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/DerivedSources -F/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Products/Debug-iphonesimulator/YogaKit -fmodule-map-file\=/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Public/yoga/Yoga.modulemap -include /Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Target\ Support\ Files/YogaKit/YogaKit-prefix.pch -MMD -MT dependencies -MF /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/Objects-normal/x86_64/YogaKit-dummy.d --serialize-diagnostics /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/Objects-normal/x86_64/YogaKit-dummy.dia -c /Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Target\ Support\ Files/YogaKit/YogaKit-dummy.m -o /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/Objects-normal/x86_64/YogaKit-dummy.o -index-unit-output-path /Pods.build/Debug-iphonesimulator/YogaKit.build/Objects-normal/x86_64/YogaKit-dummy.oCompileC /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/Objects-normal/x86_64/YGLayout.o /Users/jeongjaehong/FoodDeliveryApp/ios/Pods/YogaKit/YogaKit/Source/YGLayout.m normal x86_64 objective-c com.apple.compilers.llvm.clang.1_0.compiler (in target 'YogaKit' from project 'Pods') cd /Users/jeongjaehong/FoodDeliveryApp/ios/Pods /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/clang -x objective-c -ivfsstatcache /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/SDKStatCaches.noindex/iphonesimulator17.0-21A325-9f995cea1212cde75317d7d3cd2045e2.sdkstatcache -target x86_64-apple-ios11.0-simulator -fmessage-length\=0 -fdiagnostics-show-note-include-stack -fmacro-backtrace-limit\=0 -fno-color-diagnostics -std\=gnu11 -fobjc-arc -fobjc-weak -fmodules -fmodules-cache-path\=/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/ModuleCache.noindex -fmodules-prune-interval\=86400 -fmodules-prune-after\=345600 -fbuild-session-file\=/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/ModuleCache.noindex/Session.modulevalidation -fmodules-validate-once-per-build-session -Wnon-modular-include-in-framework-module -Werror\=non-modular-include-in-framework-module -Wno-trigraphs -fpascal-strings -O0 -fno-common -Wno-missing-field-initializers -Wno-missing-prototypes -Werror\=return-type -Wdocumentation -Wunreachable-code -Wno-implicit-atomic-properties -Werror\=deprecated-objc-isa-usage -Wno-objc-interface-ivars -Werror\=objc-root-class -Wno-arc-repeated-use-of-weak -Wimplicit-retain-self -Wduplicate-method-match -Wno-missing-braces -Wparentheses -Wswitch -Wunused-function -Wno-unused-label -Wno-unused-parameter -Wunused-variable -Wunused-value -Wempty-body -Wuninitialized -Wconditional-uninitialized -Wno-unknown-pragmas -Wno-shadow -Wno-four-char-constants -Wno-conversion -Wconstant-conversion -Wint-conversion -Wbool-conversion -Wenum-conversion -Wno-float-conversion -Wnon-literal-null-conversion -Wobjc-literal-conversion -Wshorten-64-to-32 -Wpointer-sign -Wno-newline-eof -Wno-selector -Wno-strict-selector-match -Wundeclared-selector -Wdeprecated-implementations -Wno-implicit-fallthrough -DPOD_CONFIGURATION_DEBUG\=1 -DDEBUG\=1 -DCOCOAPODS\=1 -DOBJC_OLD_DISPATCH_PROTOTYPES\=0 -isysroot /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator17.0.sdk -fasm-blocks -fstrict-aliasing -Wprotocol -Wdeprecated-declarations -g -Wno-sign-conversion -Winfinite-recursion -Wcomma -Wblock-capture-autoreleasing -Wstrict-prototypes -Wno-semicolon-before-method-body -Wunguarded-availability -fobjc-abi-version\=2 -fobjc-legacy-dispatch -index-store-path /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Index.noindex/DataStore -iquote /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/YogaKit-generated-files.hmap -I/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/YogaKit-own-target-headers.hmap -I/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/YogaKit-all-non-framework-target-headers.hmap -ivfsoverlay /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/all-product-headers.yaml -iquote /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/YogaKit-project-headers.hmap -I/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Products/Debug-iphonesimulator/YogaKit/include -I/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Private -I/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Private/YogaKit -I/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Public -I/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Public/Yoga -I/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/DerivedSources-normal/x86_64 -I/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/DerivedSources/x86_64 -I/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/DerivedSources -F/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Products/Debug-iphonesimulator/YogaKit -fmodule-map-file\=/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Public/yoga/Yoga.modulemap -include /Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Target\ Support\ Files/YogaKit/YogaKit-prefix.pch -MMD -MT dependencies -MF /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/Objects-normal/x86_64/YGLayout.d --serialize-diagnostics /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/Objects-normal/x86_64/YGLayout.dia -c /Users/jeongjaehong/FoodDeliveryApp/ios/Pods/YogaKit/YogaKit/Source/YGLayout.m -o /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/Objects-normal/x86_64/YGLayout.o -index-unit-output-path /Pods.build/Debug-iphonesimulator/YogaKit.build/Objects-normal/x86_64/YGLayout.oCompileC /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/Objects-normal/x86_64/UIView+Yoga.o /Users/jeongjaehong/FoodDeliveryApp/ios/Pods/YogaKit/YogaKit/Source/UIView+Yoga.m normal x86_64 objective-c com.apple.compilers.llvm.clang.1_0.compiler (in target 'YogaKit' from project 'Pods') cd /Users/jeongjaehong/FoodDeliveryApp/ios/Pods /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/clang -x objective-c -ivfsstatcache /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/SDKStatCaches.noindex/iphonesimulator17.0-21A325-9f995cea1212cde75317d7d3cd2045e2.sdkstatcache -target x86_64-apple-ios11.0-simulator -fmessage-length\=0 -fdiagnostics-show-note-include-stack -fmacro-backtrace-limit\=0 -fno-color-diagnostics -std\=gnu11 -fobjc-arc -fobjc-weak -fmodules -fmodules-cache-path\=/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/ModuleCache.noindex -fmodules-prune-interval\=86400 -fmodules-prune-after\=345600 -fbuild-session-file\=/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/ModuleCache.noindex/Session.modulevalidation -fmodules-validate-once-per-build-session -Wnon-modular-include-in-framework-module -Werror\=non-modular-include-in-framework-module -Wno-trigraphs -fpascal-strings -O0 -fno-common -Wno-missing-field-initializers -Wno-missing-prototypes -Werror\=return-type -Wdocumentation -Wunreachable-code -Wno-implicit-atomic-properties -Werror\=deprecated-objc-isa-usage -Wno-objc-interface-ivars -Werror\=objc-root-class -Wno-arc-repeated-use-of-weak -Wimplicit-retain-self -Wduplicate-method-match -Wno-missing-braces -Wparentheses -Wswitch -Wunused-function -Wno-unused-label -Wno-unused-parameter -Wunused-variable -Wunused-value -Wempty-body -Wuninitialized -Wconditional-uninitialized -Wno-unknown-pragmas -Wno-shadow -Wno-four-char-constants -Wno-conversion -Wconstant-conversion -Wint-conversion -Wbool-conversion -Wenum-conversion -Wno-float-conversion -Wnon-literal-null-conversion -Wobjc-literal-conversion -Wshorten-64-to-32 -Wpointer-sign -Wno-newline-eof -Wno-selector -Wno-strict-selector-match -Wundeclared-selector -Wdeprecated-implementations -Wno-implicit-fallthrough -DPOD_CONFIGURATION_DEBUG\=1 -DDEBUG\=1 -DCOCOAPODS\=1 -DOBJC_OLD_DISPATCH_PROTOTYPES\=0 -isysroot /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator17.0.sdk -fasm-blocks -fstrict-aliasing -Wprotocol -Wdeprecated-declarations -g -Wno-sign-conversion -Winfinite-recursion -Wcomma -Wblock-capture-autoreleasing -Wstrict-prototypes -Wno-semicolon-before-method-body -Wunguarded-availability -fobjc-abi-version\=2 -fobjc-legacy-dispatch -index-store-path /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Index.noindex/DataStore -iquote /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/YogaKit-generated-files.hmap -I/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/YogaKit-own-target-headers.hmap -I/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/YogaKit-all-non-framework-target-headers.hmap -ivfsoverlay /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/all-product-headers.yaml -iquote /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/YogaKit-project-headers.hmap -I/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Products/Debug-iphonesimulator/YogaKit/include -I/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Private -I/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Private/YogaKit -I/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Public -I/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Public/Yoga -I/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/DerivedSources-normal/x86_64 -I/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/DerivedSources/x86_64 -I/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/DerivedSources -F/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Products/Debug-iphonesimulator/YogaKit -fmodule-map-file\=/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Public/yoga/Yoga.modulemap -include /Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Target\ Support\ Files/YogaKit/YogaKit-prefix.pch -MMD -MT dependencies -MF /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/Objects-normal/x86_64/UIView+Yoga.d --serialize-diagnostics /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/Objects-normal/x86_64/UIView+Yoga.dia -c /Users/jeongjaehong/FoodDeliveryApp/ios/Pods/YogaKit/YogaKit/Source/UIView+Yoga.m -o /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/Objects-normal/x86_64/UIView+Yoga.o -index-unit-output-path /Pods.build/Debug-iphonesimulator/YogaKit.build/Objects-normal/x86_64/UIView+Yoga.oSwiftEmitModule normal x86_64 Emitting\ module\ for\ YogaKit (in target 'YogaKit' from project 'Pods') cd /Users/jeongjaehong/FoodDeliveryApp/ios/Pods builtin-swiftTaskExecution -- /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/swift-frontend -frontend -emit-module -experimental-skip-non-inlinable-function-bodies-without-types /Users/jeongjaehong/FoodDeliveryApp/ios/Pods/YogaKit/YogaKit/Source/YGLayoutExtensions.swift -target x86_64-apple-ios11.0-simulator -enable-objc-interop -sdk /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator17.0.sdk -I /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Products/Debug-iphonesimulator/YogaKit -F /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Products/Debug-iphonesimulator/YogaKit -no-color-diagnostics -enable-testing -g -import-underlying-module -module-cache-path /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/ModuleCache.noindex -swift-version 4 -enforce-exclusivity\=checked -Onone -D DEBUG -D COCOAPODS -serialize-debugging-options -const-gather-protocols-file /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/Objects-normal/x86_64/YogaKit_const_extract_protocols.json -enable-bare-slash-regex -empty-abi-descriptor -validate-clang-modules-once -clang-build-session-file /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/ModuleCache.noindex/Session.modulevalidation -Xcc -working-directory -Xcc /Users/jeongjaehong/FoodDeliveryApp/ios/Pods -resource-dir /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift -enable-anonymous-context-mangled-names -Xcc -fmodule-map-file\=/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Public/yoga/Yoga.modulemap -Xcc -fmodule-map-file\=/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Public/YogaKit/YogaKit.modulemap -Xcc -ivfsstatcache -Xcc /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/SDKStatCaches.noindex/iphonesimulator17.0-21A325-9f995cea1212cde75317d7d3cd2045e2.sdkstatcache -Xcc -I/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/swift-overrides.hmap -Xcc -iquote -Xcc /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/YogaKit-generated-files.hmap -Xcc -I/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/YogaKit-own-target-headers.hmap -Xcc -I/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/YogaKit-all-non-framework-target-headers.hmap -Xcc -ivfsoverlay -Xcc /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/all-product-headers.yaml -Xcc -iquote -Xcc /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/YogaKit-project-headers.hmap -Xcc -I/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Products/Debug-iphonesimulator/YogaKit/include -Xcc -I/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Private -Xcc -I/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Private/YogaKit -Xcc -I/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Public -Xcc -I/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Public/Yoga -Xcc -I/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/DerivedSources-normal/x86_64 -Xcc -I/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/DerivedSources/x86_64 -Xcc -I/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/DerivedSources -Xcc -DPOD_CONFIGURATION_DEBUG\=1 -Xcc -DDEBUG\=1 -Xcc -DCOCOAPODS\=1 -module-name YogaKit -disable-clang-spi -target-sdk-version 17.0 -target-sdk-name iphonesimulator17.0 -external-plugin-path /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator17.0.sdk/usr/lib/swift/host/plugins\#/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator17.0.sdk/usr/bin/swift-plugin-server -external-plugin-path /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator17.0.sdk/usr/local/lib/swift/host/plugins\#/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator17.0.sdk/usr/bin/swift-plugin-server -external-plugin-path /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/usr/lib/swift/host/plugins\#/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/usr/bin/swift-plugin-server -external-plugin-path /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/usr/local/lib/swift/host/plugins\#/Applications/Xcode.app/Contents/Developer/Platforms/iPhoneOS.platform/Developer/usr/bin/swift-plugin-server -plugin-path /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/lib/swift/host/plugins -plugin-path /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/local/lib/swift/host/plugins -emit-module-doc-path /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/Objects-normal/x86_64/YogaKit.swiftdoc -emit-module-source-info-path /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/Objects-normal/x86_64/YogaKit.swiftsourceinfo -emit-objc-header-path /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/Objects-normal/x86_64/YogaKit-Swift.h -serialize-diagnostics-path /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/Objects-normal/x86_64/YogaKit-master-emit-module.dia -emit-dependencies-path /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/Objects-normal/x86_64/YogaKit-master-emit-module.d -parse-as-library -o /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/Objects-normal/x86_64/YogaKit.swiftmodule -emit-abi-descriptor-path /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/YogaKit.build/Objects-normal/x86_64/YogaKit.abi.jsonCompileC /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/ReactCommon.build/Objects-normal/x86_64/TurboModulePerfLogger.o /Users/jeongjaehong/FoodDeliveryApp/node_modules/react-native/ReactCommon/react/nativemodule/core/ReactCommon/TurboModulePerfLogger.cpp normal x86_64 c++ com.apple.compilers.llvm.clang.1_0.compiler (in target 'ReactCommon' from project 'Pods') cd /Users/jeongjaehong/FoodDeliveryApp/ios/Pods /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/clang -x c++ -ivfsstatcache /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/SDKStatCaches.noindex/iphonesimulator17.0-21A325-9f995cea1212cde75317d7d3cd2045e2.sdkstatcache -target x86_64-apple-ios11.0-simulator -fmessage-length\=0 -fdiagnostics-show-note-include-stack -fmacro-backtrace-limit\=0 -fno-color-diagnostics -std\=c++14 -stdlib\=libc++ -fmodules -fmodules-cache-path\=/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/ModuleCache.noindex -fmodules-prune-interval\=86400 -fmodules-prune-after\=345600 -fbuild-session-file\=/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/ModuleCache.noindex/Session.modulevalidation -fmodules-validate-once-per-build-session -Wnon-modular-include-in-framework-module -Werror\=non-modular-include-in-framework-module -Wno-trigraphs -fpascal-strings -O0 -fno-common -Wno-missing-field-initializers -Wno-missing-prototypes -Werror\=return-type -Wdocumentation -Wunreachable-code -Werror\=deprecated-objc-isa-usage -Werror\=objc-root-class -Wno-non-virtual-dtor -Wno-overloaded-virtual -Wno-exit-time-destructors -Wno-missing-braces -Wparentheses -Wswitch -Wunused-function -Wno-unused-label -Wno-unused-parameter -Wunused-variable -Wunused-value -Wempty-body -Wuninitialized -Wconditional-uninitialized -Wno-unknown-pragmas -Wno-shadow -Wno-four-char-constants -Wno-conversion -Wconstant-conversion -Wint-conversion -Wbool-conversion -Wenum-conversion -Wno-float-conversion -Wnon-literal-null-conversion -Wobjc-literal-conversion -Wshorten-64-to-32 -Wno-newline-eof -Wno-c++11-extensions -Wno-implicit-fallthrough -DPOD_CONFIGURATION_DEBUG\=1 -DDEBUG\=1 -DCOCOAPODS\=1 -isysroot /Applications/Xcode.app/Contents/Developer/Platforms/iPhoneSimulator.platform/Developer/SDKs/iPhoneSimulator17.0.sdk -fasm-blocks -fstrict-aliasing -Wdeprecated-declarations -Winvalid-offsetof -g -Wno-sign-conversion -Winfinite-recursion -Wmove -Wcomma -Wblock-capture-autoreleasing -Wstrict-prototypes -Wrange-loop-analysis -Wno-semicolon-before-method-body -Wunguarded-availability -index-store-path /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Index.noindex/DataStore -iquote /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/ReactCommon.build/ReactCommon-generated-files.hmap -I/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/ReactCommon.build/ReactCommon-own-target-headers.hmap -I/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/ReactCommon.build/ReactCommon-all-non-framework-target-headers.hmap -ivfsoverlay /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/ReactCommon.build/all-product-headers.yaml -iquote /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/ReactCommon.build/ReactCommon-project-headers.hmap -I/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Products/Debug-iphonesimulator/ReactCommon/include -I/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Private -I/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Private/ReactCommon -I/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Public -I/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Public/DoubleConversion -I/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Public/RCT-Folly -I/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Public/React-Core -I/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Public/React-callinvoker -I/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Public/React-cxxreact -I/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Public/React-jsi -I/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Public/React-jsiexecutor -I/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Public/React-jsinspector -I/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Public/React-logger -I/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Public/React-perflogger -I/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Public/React-runtimeexecutor -I/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Public/ReactCommon -I/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Public/Yoga -I/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Public/fmt -I/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Public/glog -I/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/boost -I/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/RCT-Folly -I/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/DoubleConversion -I/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Private/React-Core -I/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/ReactCommon.build/DerivedSources-normal/x86_64 -I/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/ReactCommon.build/DerivedSources/x86_64 -I/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/ReactCommon.build/DerivedSources -F/Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Products/Debug-iphonesimulator/ReactCommon -fmodule-map-file\=/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Public/React/React-Core.modulemap -fmodule-map-file\=/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Headers/Public/yoga/Yoga.modulemap -DFOLLY_NO_CONFIG -DFOLLY_MOBILE\=1 -DFOLLY_USE_LIBCPP\=1 -Wno-comma -Wno-shorten-64-to-32 -Wno-documentation -include /Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Target\ Support\ Files/ReactCommon/ReactCommon-prefix.pch -MMD -MT dependencies -MF /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/ReactCommon.build/Objects-normal/x86_64/TurboModulePerfLogger.d --serialize-diagnostics /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/ReactCommon.build/Objects-normal/x86_64/TurboModulePerfLogger.dia -c /Users/jeongjaehong/FoodDeliveryApp/node_modules/react-native/ReactCommon/react/nativemodule/core/ReactCommon/TurboModulePerfLogger.cpp -o /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/ReactCommon.build/Objects-normal/x86_64/TurboModulePerfLogger.o -index-unit-output-path /Pods.build/Debug-iphonesimulator/ReactCommon.build/Objects-normal/x86_64/TurboModulePerfLogger.o/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'Flipper-Boost-iOSX' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'DoubleConversion' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'React-Core-AccessibilityResources' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'CocoaAsyncSocket' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'React-RCTNetwork' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'React' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'Flipper-PeerTalk' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'React-RCTSettings' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'React-RCTVibration' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'React-cxxreact' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'libevent' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'boost' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'glog' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'React-logger' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'Flipper-DoubleConversion' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'Pods-FoodDeliveryApp' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'React-CoreModules' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'FBLazyVector' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'React-RCTActionSheet' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'React-RCTAnimation' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'React-callinvoker' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'FlipperKit' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'FBReactNativeSpec' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'React-jsiexecutor' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'Flipper-Fmt' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'React-RCTBlob' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'Flipper-Glog' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'React-jsi' from project 'Pods')warning: Run script build phase 'Bundle React Native code and images' will be run during every build because it does not specify any outputs. To address this warning, either add output dependencies to the script phase, or configure it to run in every build by unchecking "Based on dependency analysis" in the script phase. (in target 'FoodDeliveryApp' from project 'FoodDeliveryApp')warning: Run script build phase 'Start Packager' will be run during every build because it does not specify any outputs. To address this warning, either add output dependencies to the script phase, or configure it to run in every build by unchecking "Based on dependency analysis" in the script phase. (in target 'FoodDeliveryApp' from project 'FoodDeliveryApp')/Users/jeongjaehong/FoodDeliveryApp/ios/FoodDeliveryApp.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'FoodDeliveryApp' from project 'FoodDeliveryApp')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'React-Core' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'OpenSSL-Universal' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'React-RCTText' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'RCTTypeSafety' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'React-RCTLinking' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'Flipper' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'Flipper-RSocket' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'RNScreens' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'react-native-safe-area-context' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'React-runtimeexecutor' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'React-perflogger' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'RCT-Folly' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'React-RCTImage' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'RCTRequired' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'Flipper-Folly' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'React-jsinspector' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'Yoga' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'ReactCommon' from project 'Pods')/Users/jeongjaehong/FoodDeliveryApp/ios/Pods/Pods.xcodeproj: warning: The iOS Simulator deployment target 'IPHONEOS_DEPLOYMENT_TARGET' is set to 11.0, but the range of supported deployment target versions is 12.0 to 17.0.99. (in target 'YogaKit' from project 'Pods')2023-09-20 17:22:11.115 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.116 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.116 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.116 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.116 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.116 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.116 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.116 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.116 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.116 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.116 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.116 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.116 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.117 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.117 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.119 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.119 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.120 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.120 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.120 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.120 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.121 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.121 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.121 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.121 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.121 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.122 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.122 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.122 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.122 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.122 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.122 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.234 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.235 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.235 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.235 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.235 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.235 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.237 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.237 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.237 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.237 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.237 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.238 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.241 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.242 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.242 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.242 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.243 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.243 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.243 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.244 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.244 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.244 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.244 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.244 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.244 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.245 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.245 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.245 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.245 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.245 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.245 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide.2023-09-20 17:22:11.246 xcodebuild[2182:284808] [MT] DVTAssertions: Warning in /System/Volumes/Data/SWE/Apps/DT/BuildRoots/BuildRoot11/ActiveBuildRoot/Library/Caches/com.apple.xbs/Sources/IDEFrameworks/IDEFrameworks-22267/IDEFoundation/Provisioning/Capabilities Infrastructure/IDECapabilityQuerySelection.swift:103Details: createItemModels creation requirements should not create capability item model for a capability item model that already exists.Function: createItemModels(for:itemModelSource:)Thread: <_NSMainThread: 0x7ff46f204330>{number = 1, name = main}Please file a bug at https://feedbackassistant.apple.com with this warning message and any useful information you can provide. BUILD FAILED The following build commands failed: CompileC /Users/jeongjaehong/Library/Developer/Xcode/DerivedData/FoodDeliveryApp-ahummdrmcnhpmgfrskocyodxiinu/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/Yoga.build/Objects-normal/x86_64/Yoga.o /Users/jeongjaehong/FoodDeliveryApp/node_modules/react-native/ReactCommon/yoga/yoga/Yoga.cpp normal x86_64 c++ com.apple.compilers.llvm.clang.1_0.compiler (in target 'Yoga' from project 'Pods')(1 failure)
-
미해결[개정3판] Node.js 교과서 - 기본부터 프로젝트 실습까지
sequelize.query raw쿼리로 get 할때 비동기 처리방식 문의드립니다.
선생님 get방식 중users를 받으려고 할때, const users = await sequelize.query(query)이렇게 하면 users에 같은 데이터가 [[{},{}],[{},{}]]형식으로 담기더라고요그래서 위의 코드처럼 then(data => 방식으로 처리하는게 맞는걸까요? async/await와 then은 같이 쓰지 않는다고 들은거 같아서요아니면 res.json(users[0]) 이런식으로 처리하니까 되긴하던데 어떤 방식이 맞는걸까요?
-
해결됨[코드캠프] 부트캠프에서 만든 고농축 백엔드 코스
섹션23 도커부분 건너띄고, 섹션24 먼저 들어도 될까요?
도커를 수강하지 않고 섹션 24,25 수강해도 될까요?도커 이후 수업에서는 도커를 사용해서 수업을 진행하나요?
-
해결됨[리뉴얼] 코딩자율학습 제로초의 자바스크립트 입문
자바스크립트에서 css 적용이 안돼요
안녕하세요 Let's get IT 자바스크립트 책으로 공부하고 있습니다.7장 가위바위보 게임에서 <script> 안에서 css 적용이 전혀 안되어서 질문드립니다.6장 <self check 공색칠하기>여기에서도 자바스크립트로 css 적용이 안되어서 7장으로 넘어왔습니다... 구글에 검색했더니 캐시를 지워보라해서 지워봤는데도 적용이 계속 안됩니다.무슨 문제일까요... <!DOCTYPE html> <html lang="en"> <head> <meta charset="UTF-8" /> <meta name="viewport" content="width=device-width, initial-scale=1.0" /> <title>Document</title> <style> #computer { width: 142px; height: 200px; } </style> </head> <body> <div id="computer"></div> <div> <button id="scissors" class="btn">가위</button> <button id="rock" class="btn">바위</button> <button id="paper" class="btn">보</button> </div> <div id="score">0</div> <script> const $computer = document.querySelector('#computer'); const $score = document.querySelector('#score'); const $scissors = document.querySelector('#scissors'); const $rock = document.querySelector('#rock'); const $paper = document.querySelector('#paper'); const IMG = './rsp.png'; $computer.style.background = `url(${IMG}) 0 0 `; $computer.style.background.size = 'auto 200px'; </script> </body> </html>
-
해결됨10주완성 C++ 코딩테스트 | 알고리즘 코딩테스트
[이분탐색] 최댓값 설정
안녕하세요. 이분탐색 문제를 풀다가 질문이 생겨서 문의남깁니다. 6-F의 경우 최댓값을 1e18+4로 설정합니다.http://boj.kr/cb329d7bb6e049b590ebc6c647d69f5c 이에 반해, 6-G의 경우 최댓값을 1e9로 설정하는데요.(hi = 1e18로 하면 틀렸다고 뜹니다.)http://boj.kr/cddbd0a20bc54eb7ba549c25c6f3b187 그 이유를 알 수 있을까요??어떤 기준으로 최댓값을 설정해야 하는지 모호합니다.
-
미해결[자동화 완전 정복] 인스타그램 휴대폰, 웹 자동화 프로그램 개발
해시태그 검색 결과가 수강 내용과 달라서 올려주신 최종 코드가 적용되지 않고 오류가 납니다.
안녕하세요! 인프런에서 [인스타그램 휴대폰, 웹 자동화 프로그램 개발]을 수강한 사람입니다.본 강의를 이용해서 자동화 프로그램을 개발하려고 하는데, insta_web.py의 로직 수행 중 오류가 발생하여 문의드립니다.현재 문제가 생긴 부분은 다음과 같습니다.1. insta_web_hashtag_search 함수 부분 : driver.get(f"https://www.instagram.com/explore/tags/{keyword}/") 를 수행하면 인기 게시물이 28개만 뜹니다. 따라서 28개 이상의 링크를 추출하기가 어려운 것으로 보입니다. 수강생들이 이전에 질문한 글을 찾아봤는데 똑같은 질문을 하신 분이 계시더라고요.AI 인턴이 남긴 댓글을 확인하고 설정을 변경하려고 했는데 현재 인스타그램 웹사이트에서는 검색 결과를 최신 게시물로 변경하는 필터를 제공하지 않는 것 같습니다.이 부분에 대한 피드백을 주시면 감사하겠습니다.2. insta_web_link_extract 함수 부분 : WebDriverWait(driver, 10).until(EC.presence_of_element_located((By.CSS_SELECTOR, all_posting_sel)))에서 오류가 나서 넘어가지 않습니다. 1에서의 변경점때문에 셀렉터를 찾지 못해서 이런 일이 발생한 것 같다고 생각하는데 혼자 봐서는 잘 모르겠네요...오류 내용은 다음과 같습니다.Traceback (most recent call last): File "C:\Users\user\Desktop\insta_auto_sample\main.py", line 23, in <module> insta_web.insta_web_work(driver, keyword, count) File "C:\Users\user\Desktop\insta_auto_sample\insta_web.py", line 115, in insta_web_work insta_web_link_extract(driver, count) File "C:\Users\user\Desktop\insta_auto_sample\insta_web.py", line 73, in insta_web_link_extract WebDriverWait(driver, 10).until(EC.presence_of_element_located( File "C:\Users\user\AppData\Local\Programs\Python\Python311\Lib\site-packages\selenium\webdriver\support\wait.py", line 95, in until raise TimeoutException(message, screen, stacktrace) selenium.common.exceptions.TimeoutException: Message: Stacktrace: GetHandleVerifier [0x00007FF722D552A2+57122] (No symbol) [0x00007FF722CCEA92] (No symbol) [0x00007FF722B9E3AB] (No symbol) [0x00007FF722BD7D3E] (No symbol) [0x00007FF722BD7E2C] (No symbol) [0x00007FF722C10B67] (No symbol) [0x00007FF722BF701F] (No symbol) [0x00007FF722C0EB82] (No symbol) [0x00007FF722BF6DB3] (No symbol) [0x00007FF722BCD2B1] (No symbol) [0x00007FF722BCE494] GetHandleVerifier [0x00007FF722FFEF82+2849794] GetHandleVerifier [0x00007FF723051D24+3189156] GetHandleVerifier [0x00007FF72304ACAF+3160367] GetHandleVerifier [0x00007FF722DE6D06+653702] (No symbol) [0x00007FF722CDA208] (No symbol) [0x00007FF722CD62C4] (No symbol) [0x00007FF722CD63F6] (No symbol) [0x00007FF722CC67A3] BaseThreadInitThunk [0x00007FFE73ED7614+20] RtlUserThreadStart [0x00007FFE759E26F1+33] 전체 코드도 첨부합니다.# insta_web.py import time import data import chromedriver_autoinstaller chromedriver_autoinstaller.install() from selenium import webdriver from selenium.webdriver.common.by import By from selenium.webdriver.support.ui import WebDriverWait from selenium.webdriver.support import expected_conditions as EC from selenium.webdriver.common.keys import Keys from selenium.webdriver import ActionChains import pyperclip def insta_web_login(driver): try: driver.get("https://www.instagram.com/") id_selector = "#loginForm > div > div:nth-child(1) > div > label > input" WebDriverWait(driver, 10).until(EC.presence_of_element_located( (By.CSS_SELECTOR, id_selector) )) # 인스타그램 로그인 id_input = driver.find_element(By.CSS_SELECTOR, id_selector) id_input.click() time.sleep(0.3) pyperclip.copy(data.id) actions = ActionChains(driver) actions.key_down(Keys.CONTROL).send_keys('v').key_up(Keys.CONTROL).perform() time.sleep(0.5) pw_selector = "#loginForm > div > div:nth-child(2) > div > label > input" pw_input = driver.find_element(By.CSS_SELECTOR, pw_selector) pw_input.click() time.sleep(0.3) actions = ActionChains(driver) pyperclip.copy(data.pw) actions.key_down(Keys.CONTROL).send_keys('v').key_up(Keys.CONTROL).perform() time.sleep(0.5) login_btn_selector = "#loginForm > div > div:nth-child(3) > button" login_btn = driver.find_element(By.CSS_SELECTOR, login_btn_selector) login_btn.click() except Exception as e: print(e) print('[에러] insta_web_login > 로그인 에러 발생!') def insta_web_hashtag_search(driver, keyword): try: # 인스타그램 해시태그 검색 시작 search_selector = "#react-root > section > nav > div._8MQSO.Cx7Bp > div > div > div.QY4Ed.P0xOK > input" # WebDriverWait(driver, 10).until(EC.presence_of_element_located( # (By.CSS_SELECTOR, search_selector) # )) time.sleep(3) from urllib import parse # keyword = "고양이인스타" # keyword = parse.quote(keyword) driver.get(f"https://www.instagram.com/explore/tags/{keyword}/") except Exception as e: print(e) print("[에러] insta_web_hashtag_search > 해시태그 검색중 에러 발생!") def insta_web_link_extract(driver, count=100): all_posting_sel = "div[id^='mount_0_0'] > div > div > div > div > div > div > div > div > div > section > main > article > div:nth-child(3) > div" WebDriverWait(driver, 10).until(EC.presence_of_element_located( (By.CSS_SELECTOR, all_posting_sel) )) print("💙💙") all_posting_box = driver.find_element(By.CSS_SELECTOR, all_posting_sel) print("💙💙💙") ''' 목표 링크 n개 추출하기''' links = [] while len(links) < count : try: # 6번 스크롤 내리기(충분히 포스팅 개수가 쌓일만큼 스크롤 하기) for _ in range(6): driver.execute_script("window.scrollBy(0,600);") time.sleep(0.3) # 피드의 href 추출 all_posting_box = driver.find_element(By.CSS_SELECTOR, all_posting_sel) post_links = all_posting_box.find_elements(By.TAG_NAME, "a") for eachLink in post_links: # eachLink # Element Class link = eachLink.get_attribute('href') links.append(link) # 중복 제거 links = set(links) links = list(links) except Exception as e: print(e) print("[에러] insta_web_link_extract > while 에러 발생!") with open('links.txt', "a") as f: for link in links: print(link) f.write(f"{link}\n") def insta_web_work(driver, keyword, count): insta_web_login(driver) insta_web_hashtag_search(driver, keyword) insta_web_link_extract(driver, count)
-
미해결배달앱 클론코딩 [with React Native]
서버 api 호출시 access token만료되서 에러 난 경우에 다시 token얻는 코드는 어디에 있나요?
서버 api 호출시 access token 만료되서 에러 난 경우에 다시 token 얻는 코드를 보고 싶습니다. github 소스에서요.
-
미해결스프링 MVC 2편 - 백엔드 웹 개발 활용 기술
@ModelAttribute, @SessionAttribute name 속성 차이
학습하는 분들께 도움이 되고, 더 좋은 답변을 드릴 수 있도록 질문전에 다음을 꼭 확인해주세요.1. 강의 내용과 관련된 질문을 남겨주세요.2. 인프런의 질문 게시판과 자주 하는 질문(링크)을 먼저 확인해주세요.(자주 하는 질문 링크: https://bit.ly/3fX6ygx)3. 질문 잘하기 메뉴얼(링크)을 먼저 읽어주세요.(질문 잘하기 메뉴얼 링크: https://bit.ly/2UfeqCG)질문 시에는 위 내용은 삭제하고 다음 내용을 남겨주세요.=========================================안녕하세요 강의를 보고 프로젝트에 적용 중 궁금증이 생겨서 해결한 문제가 있어서 옳은 결론을 낸 것인지 궁금하여 질문 드립니다. @ModelAttribute는 name 속성을 작성하지 않을 경우 파라미터의 class 명의 첫글자를 소문자로 바꾼 후 적용한다고 강의에서 들었습니다. ex) @ModelAttribute LoginUser loginUser 일 경우 loginUser로 model에 저장. @SessionAttribute를 사용하다가 무언가 이상해서 여러 테스트를 해보니 이 애노테이션은 name 속성을 사용하지 않았을 경우 클래스 명이 아닌 변수 이름을 사용하는 것으로 확인했습니다. ex) @SessionAttribute User loginUser 일 경우 loginUser로 session에 속성 값 저장. 제가 확인한 방법이 옳은 것인지, 틀리다면 어떤 것이 맞는지, 더 확인해야할 부분이 있는지 궁금합니다.