앱을 배포하기 위해 아카이빙을 진행하는 도중 xcode 에서 에러가 발생했다.

 

CFBundleIconFiles is not of the required type for that key 해결방법

 

flutter clean? flutter build ios? 다 필요없다.

 

xcode에서 info.plist 오픈.

 

info.plist를 IDE에서 열지 말고 directory단에서 텍스트 편집기로 열 것!!

 

1.

CFBundleIconFiles 검색해서 하단 <String></String> 태그까지 싹 삭제

 

2. 

info.plist 저장한 뒤 다시 Archive.

이 때, 프로젝트를 한번이라도 실행시킬 경우 다시 키 값이 생성되므로 주의!

 

이러면 해결된다.

 

 

 

cli 환경에서 cmd로 현재 사용중인 포트를 종료시키는 방법

 

Windosw:

#3306 포트 상태 확인
netstat -ano | findstr :3306

#종료
taskkill /PID 3306 /F

 

Mac:

#3306 포트 상태 확인
sudo lsof -i :3306

#종료
sudo kill -9 3306

 

'Linux' 카테고리의 다른 글

[ubuntu] 시스템 자동실행 설정 / 서버 실행 설정  (0) 2024.11.01

 

에러코드:

E/MethodChannel#.com/flutter/local_notifications( 7674): Failed to handle method call
E/MethodChannel#.com/flutter/local_notifications( 7674): java.lang.NullPointerException: Attempt to invoke virtual method 'int java.lang.Integer.intValue()' on a null object reference
E/MethodChannel#.com/flutter/local_notifications( 7674):  at com.dexterous.flutterlocalnotifications.FlutterLocalNotificationsPlugin.setSmallIcon(FlutterLocalNotificationsPlugin.java:76)
E/MethodChannel#.com/flutter/local_notifications( 7674):  at com.dexterous.flutterlocalnotifications.FlutterLocalNotificationsPlugin.createNotification(FlutterLocalNotificationsPlugin.java:88)

 

flutter app android error 

FlutterLocalNotificationsPlugin.setSmallIcon

 

안드로이드에서 FlutterLocalNotificationsPlugin을 통해 내부 알림을 보낼 때 나타나는 icon 설정이 잘못되어있기 때문에 이미지를 찾을 수 없어 알림이 안 나오는 에러!

 

따라서 icon 이미지만 지정해주면 해결된다:

 

FlutterLocalNotificationsPlugin().show(
  notification.hashCode,
  notification.title,
  notification.body,
  const NotificationDetails(
    android: AndroidNotificationDetails(
      'high_importance_channel',
      'High Importance Notifications',
      importance: Importance.max,
      playSound: true,
      enableVibration: true,
      icon: "mipmap/app_icon", //당신의 mipmap 폴더에 있는 보여주려는 아이콘 파일명 입력. 확장자 필요없음
    ),
    iOS: DarwinNotificationDetails(
      presentAlert: true,
      presentBadge: true,
      presentSound: true,
      presentBanner: true,
    ),
  ),
);

 

flutter 앱에서 SafeArea 배경화면이 흰색이라 아이콘이 보이지 않을때,

background를 색칠해줄 수 있다.

 

@override
  Widget build(BuildContext context) {
    return Scaffold(
      backgroundColor: Colors.black, //이 부분
      body: SafeArea(
        child: Container(
          decoration: const BoxDecoration(
            image: const DecorationImage(
              image: AssetImage('assets/images/my_bg.png'),
              fit: BoxFit.cover,
            ),
          ),
          child: ...

 

ios에 Splash image 하나를 추가했을 뿐인데 갑자기 

아이폰에서 Splash Screen 에 멈춰서 아무 동작이 안되기 시작했다...

 

지난번에 이 오류를 고치지 못해서 꽤나 애먹었는데 해결책을 찾아 공유한다.

 

https://github.com/jonbhanson/flutter_native_splash/issues/577#issuecomment-1841518637

 

flutter iOS app is stuck on launchscreen when installed on real device · Issue #577 · jonbhanson/flutter_native_splash

Describe the bug I have this flutter app where I've set up a flutter_native_splash screen with the package that is named the same. I've used the command and the description from the installation gu...

github.com

 

Thanks a lot, https://github.com/gikwegbu !!

 

 

플러터 앱 실행이 잘 되다가 갑자기 iOS만 하얀 화면 혹은 스플래시 화면에 멈춰있는 경우,

 

token = await _firebaseMessaging.getToken();

 

이 녀석이 에러의 원인이었다.

ios 에서는 token이 아니라 APNS Token을 받아오는데 그걸 처리해주지 않아서 무한 로딩에 걸리는 것이다...

 

 

 

flutter No file or variants found for asset  에러

플러터에서 이미지 로딩이 안 될 경우

 

flutter:
  assets:
    - assets/images/

 

 

pubspec.yaml 파일에 assets 폴더를 인식할 수 있도록 작성.

그 때 모든 이미지 파일을 나열해서 작성하지 않고 그냥 이미지 폴더까지 등록해도 인식 가능

 

위와 같이 수정 후,

프로젝트 디렉토리에서 flutter clean 해준다.

 

만약 ios도 함께 개발중이라면 project directory 에서 flutter clean 완료된 후 flutter build ios도 실행

% flutter clean 
% flutter build ios

 

JS window.open() 명령어로 되어있는 웹을 flutter webview에서 실행시키기 위해 얼마나 오랜 기간을 삽질해왔는지 ㅠㅠㅠ

 

!!!!!!!! 드디어 해결책을 찾았다!!!! 

그래서 고생할 지도 모를 지구 어딘가의 flutter 개발자를 위해 글을 남긴다. 

 

새 창을 띄우기 위해서는 flutter webview 라이브러리가 아닌 InAppWebView를 사용해야한다.

그런데 마침 이번에 6.0으로 업데이트를 했다길래 냉큼 새 버전으로 탑승

 

https://inappwebview.dev/docs/intro

 

Getting Started | InAppWebView

Installation

inappwebview.dev:443

 

 

설치방법 생략

 

그리고 대망의 window.open() flutter app 에서 실행하기!!!!!!!!!

라이브러리 기여자들이 굉장히 예제를 성실하게 남겨주었다.

 

예제 참조:

https://github.com/pichillilorenzo/flutter_inappwebview_examples/blob/main/popup_window/lib/main.dart

 

flutter_inappwebview_examples/popup_window/lib/main.dart at main · pichillilorenzo/flutter_inappwebview_examples

A collection of flutter_inappwebview project examples - pichillilorenzo/flutter_inappwebview_examples

github.com

 

이것만있으면 뚝딱이다.

 

하지만 사람의 욕심은 끝이 없다. 아니 새 창을 띄웠으면 닫아야죠... 뒤로가기 버튼을 아무리 눌러도 안되는데 이거 머임ㅠ

안드로이드 뒤로가기 버튼을 백날 누르고 goBack() 함수를 불러도 먹히지 않았다.

그렇게 검색을 해서 찾아보면 willPopScope가 나온다.

 

However, But, Although . . .

willPopScope is deprecated. 

 

참고자료 : 

 

https://api.flutter.dev/flutter/widgets/WillPopScope-class.html

 

WillPopScope class - widgets library - Dart API

Registers a callback to veto attempts by the user to dismiss the enclosing ModalRoute. See also: Inheritance Annotations @Deprecated('Use PopScope instead. ' 'This feature was deprecated after v3.12.0-1.0.pre.') Constructors WillPopScope({Key? key, require

api.flutter.dev

 

그래서 친절하게 migration guide도 준비되어있다.

https://docs.flutter.dev/release/breaking-changes/android-predictive-back#migration-guide

 

Android predictive back

The ability to control back navigation at the time that a back gesture is received has been replaced with an ahead-of-time navigation API in order to support...

docs.flutter.dev

 

 

 

 

 

 

그래서 위의 레퍼런스를 참조해서 해결한 전체 코드:

 

import 'package:flutter/foundation.dart';
import 'package:flutter/gestures.dart';
import 'package:flutter/material.dart';
import 'package:flutter_inappwebview/flutter_inappwebview.dart';

//InAppWebViewController Singleton
class WebControllerSingleton {
  WebControllerSingleton._privateConstructor();
  static final WebControllerSingleton _instance = WebControllerSingleton._privateConstructor();
  factory WebControllerSingleton() {
    return _instance;
  }

  InAppWebViewController? _webController;
  InAppWebViewController? get webController => _webController;
  set webController(InAppWebViewController? controller) {
    _webController = controller;
  }
}

//main webView Screen
class InAppWebViewScreen extends StatefulWidget {
  const InAppWebViewScreen({Key? key}):super(key:key);

  @override
  State<InAppWebViewScreen> createState() => _InAppWebViewScreenState();
}

class _InAppWebViewScreenState extends State<InAppWebViewScreen> {
  final GlobalKey webViewKey = GlobalKey();

  final urlController = TextEditingController();
  final String loginUrl = "https://www.naver.com";
  String url = "";

  PullToRefreshController? pullToRefreshController;
  double progress = 0;

  InAppWebViewSettings settings = InAppWebViewSettings(
    isInspectable: kDebugMode,
    javaScriptEnabled: true,
    javaScriptCanOpenWindowsAutomatically: true,
    iframeAllowFullscreen: true,
    useOnDownloadStart: true,
    useOnLoadResource: true,
    clearCache: true,
    allowFileAccessFromFileURLs: true,
    allowUniversalAccessFromFileURLs: true,
  );

  @override
  void initState() {
    super.initState();

    pullToRefreshController = kIsWeb
        ? null
        : PullToRefreshController(
      settings: PullToRefreshSettings(
        color: Colors.black,
      ),
      onRefresh: () async {
        if (defaultTargetPlatform == TargetPlatform.android) {
          WebControllerSingleton().webController?.reload();
        } else if (defaultTargetPlatform == TargetPlatform.iOS) {
          WebControllerSingleton().webController?.loadUrl(
            urlRequest:
            URLRequest(
                url: await WebControllerSingleton().webController?.getUrl()),
          );
        }
      },
    );
  }

  @override
  Widget build(BuildContext context) {
    return PopScope(
      canPop: false,
      onPopInvoked: (didPop) async {
        print("------ try go back");
        await WebControllerSingleton().webController?.goBack();
      },
      child: Scaffold(
        body: Column(
          children: <Widget>[
            Expanded(
              child: InAppWebView(
                key: webViewKey,
                initialUrlRequest: URLRequest(url: WebUri(loginUrl)),
                onWebViewCreated: (controller) {
                //init controller
                  WebControllerSingleton().webController = controller;
                },
                initialSettings: settings,
                pullToRefreshController: pullToRefreshController,
                onCreateWindow: (controller, createWindowAction) async {
                  showDialog(
                    context: context,
                    builder: (context) {
                      return WindowPopup(createWindowAction: createWindowAction);
                    },
                  );
                  return true;
                },
              ),
            ),
          ],
        ),
      ),
    );
  }

}

//popup window class
class WindowPopup extends StatefulWidget {
  final CreateWindowAction createWindowAction;

  const WindowPopup({Key? key, required this.createWindowAction})
      : super(key: key);

  @override
  State<WindowPopup> createState() => _WindowPopupState();
}

class _WindowPopupState extends State<WindowPopup> {
  String title = '';

  @override
  Widget build(BuildContext context) {
    return AlertDialog(
      content: SizedBox(
        width: double.maxFinite,
        child: Column(
          mainAxisSize: MainAxisSize.min,
          children: [
            Row(mainAxisSize: MainAxisSize.max, children: [
              Expanded(
                child:
                Text(title, maxLines: 1, overflow: TextOverflow.ellipsis),
              ),
              IconButton(
                  onPressed: () {
                    Navigator.pop(context);
                  },
                  icon: const Icon(Icons.close))
            ]),
            Expanded(
              child: InAppWebView(
                gestureRecognizers: <Factory<OneSequenceGestureRecognizer>>{
                  Factory<OneSequenceGestureRecognizer>(
                        () => EagerGestureRecognizer(),
                  ),
                },
                windowId: widget.createWindowAction.windowId,
                onTitleChanged: (controller, title) {
                  setState(() {
                    this.title = title ?? '';
                  });
                },
                onCloseWindow: (controller) {
                  Navigator.pop(context);
                },
              ),
            ),
          ],
        ),
      ),
    );
  }
}

 

 

나는 webViewController를 제어하기 위해 Singleton으로 만들어버렸다. 사실 onCreateWindow에서 새로 호출하는 AlertDialog를 Scaffold로 띄워보려고 시도했던 흔적이기도함.. 안드에서는 전체화면으로 잘 나오는데 ios에서는 정말 팝업으로 작게 나타나서 해결 시도중입니다. 해결책 아시는분 제발 글 써주세요.

 

 

 

취업준비를 위해 오늘도 포트폴리오를 다듬다가 오프보딩에 관련한 글을 읽었다.

 

내가 이전회사에서 일을 한 시간은 1년 2개월이다.

 

짧다고 느낄 수 있는 시간이었지만 그 시간은 내게는 사실, 굉장히 길었다.

 

 

이전 회사에서 내가 처음 다룬 언어는 한번도 다뤄본 적 없었던 PHP였다.

그리고 다음날부터 혼자 프로젝트에 내던져졌는데, PHP 책 한권을 읽고 구글을 찾아가며 주어진 업무를 해냈다.

 

그 프로젝트는 클라이언트가 단순한 요청을 했던거라 일주일만에 완성할 수 있었지만 생각해보면 취업하고 바로 다음날부터 그냥 실무 최전선에 던져졌었다.

 

그리고 일주일 뒤에 나는 백엔드팀에서 담당하고있던 또 다른 웹 프로젝트의 한 섹션을 맡게되었다.

 

그 다음부터는 그냥 실전이었다.

 

나는 자바만 공부해서 왔는데 어쩌다가 이렇게 되었지?

 

생각할 시간조차 없었다. 당시 백엔드팀은 나 포함 셋 뿐이었다.

그리고 당장 한 달 뒤에 클라이언트와 발표 미팅을 해야했기에 할 수 있는 일을 해내는 데에 집중했다.

 

SQL문 작성과 PHP, JavaScript로 웹 프로젝트를 두 달정도 하고나니 업무에 익숙해지기 시작했다.

(그와중에 레거시 프로젝트를 유지보수하는 업무도 함께 담당했다)

 

그러다가 내 최고 업적을 만나게 되었다.

 

나는 들어온지 3개월 된 개발자인데 내 밑으로 신입 개발자 세명이 붙어서 함께 새로운 프로젝트에 매달렸다.

JPA를 활용해서 개발을 2개월 넘게 진행했는데 중간에 다 뒤엎고 MyBatis로 변경해서 다시 프로젝트를 진행하기도 했었다.

회사에서 10시간은 기본으로 일했고 12시간, 밤샘근무를 하며 회사 붙박이처럼 일했다.

분명 퇴근을했는데 출근시간까지 4시간 남아있고... 그랬었다.

 

그러면서 중간에 한 명은 퇴사했고 남은 셋이서 프로젝트를 완성시키기 위해 갖은 애를 다 썼다.

 

그러다보니 고객사 사람들과 미팅도 하게되고 일정과 관련한 개발기능 스케줄을 공유하기 위한 문서도 작성하게 되었다.

고객사에서 새로운 기능을 요청하면 개발이 가능할지 구현 방안에 대한 검색도 하게되었고 테스트 코드 작성과 개발의 구체적인 방향을 결정하게 되었다.

 

그렇게 나는 1년만에 백엔드 파트장이 되었다.

 

그냥 어쩌다보니라는 말밖에 나오지 않았다. 어떤 팀원은 미팅을 싫어했고 또 다른 팀원은 내게 자신의 의견을 전달하고 가장 중요한 타이밍에는 침묵했다. 그러다보니까 그냥 내가 다른 개발자의 대변인이 되었고 의견을 조율하고 스케줄을 짜고 프로젝트의 앞날을 고민하고 있었다.

 

그렇게 고생했던 프로젝트가 배포되자 실서버를 운영하며 고객사는 유지보수 기간에 편의성에 기반한 개발요청을 해오기 시작했다.

 

그 때 이 프로젝트를 함께 했던 팀원들이 퇴사를 하기 시작했다.

 

고작 셋뿐인 담당자였기에 둘이 퇴사하자 나만 남았다.

 

당시 채 1년을 채우지 못했지만 회사에서 살다시피 일했던 나여서 회사가 새로 뽑는 신입 백엔드 개발자들의 교육도 맡았다.

 

퇴사가 간절했지만 나는 차마 내가 그 고생을 하며 완성한 프로젝트를 그냥 놓고 떠날 수가 없었다.

심지어 그 프로젝트를 담당한 사람중 회사에 남은 사람은 나밖에 없었다.

 

 

그렇게 오프보딩 준비를 시작했다.

 

레거시 프로젝트를 하면서 날림으로 작성된 인수인계 문서를 보며 머리를 뜯던 과거를 생각하면 도저히 클릭부터 가르친 후임 개발자들에게 그런식으로 일을 주고가기 싫었다.

 

퇴사까지 한 달의 여유기간을 두고 인수인계 문서를 꼼꼼하게 작성했다.

서버에러 보는 방법, 서버에 배포할때 유의사항, 보안처리한 코드, 고객사에서 요청해서 만들수밖에 없었던 특이한 개발 요소, 기한 여유가 있어서 미뤄둔 업무 가이드...

 

심지어 사내 타 부서들과 협업하기 위한 요청 가이드문서까지 작성해놓고 후임자에게 퇴사 당일까지 하나하나 가르쳤다.

 

다행히(?) 퇴사 후 업무 관련 연락은 온 적이 없다.

 

오프보딩. 재밌는 말이다.

 

함께 타고있었던 배를 떠날 때 그 배에 머물 사람들이 앞길을 잘 찾아가길 바라며 나는 최선을 다 했다.

최선을 다 한 사람에게 후회는 없다.

 

 

 

 

만약 SQLite를 사용, 수정하는 와중 xcode의 가상 시뮬레이터가 fatal error를 띄우면서 경로가 잘못되었다고 나타났을 때

 

Core Data에서 변경된 데이터를 찾을 수 없어서 오류가 났다.

 

1. xcode에서 실행하던걸 멈춘다

2. 가상 시뮬레이터에서 빌드한 앱을 삭제한다.

3. 다시 실행한다.

 

위의 절차로 해결 가능

 

이 글은 다음 강의의 섹션 16을 수강 후 작성했습니다.

 

https://www.udemy.com/share/101WsW3@owgko3jlDak3QqRDGGVFONQqLCVZDrzwrvRo3zj13qk3X472hZkph3cjFTKpAIaoDQ==/

 

 


 

나는 비전공자라 터미널을 쓰는 걸 좋아한다.

무슨 상관이 있냐하면...

개발자같고 멋있기 때문이다.

 

 

이번 강의는 터미널 사용에 관련한 강의였다.

 

실무에서는 생각보다 터미널을 꽤 자주 써야한다.

그리고 난 백엔드 개발자였고 DB랑 서버 들어가서 로그 읽는 건 거의 매일했었다. 

이 강의에서는 mkdir이나 cd와 같은 명령어가 GUI환경에서의 어떤 것과 같은 일을 수행하는지를 차근차근 가르쳐준다.

 

갓 안젤라쌤, 만약 내가 개발을 처음 배우는 입장이었다면 실무에서 꼭 필요했을 부분을 채워주는 수업이었다.

 

 

 

 

이 글은 다음 강의의 섹션 15를 수강 후 작성했습니다.

 

https://www.udemy.com/share/101WsW3@owgko3jlDak3QqRDGGVFONQqLCVZDrzwrvRo3zj13qk3X472hZkph3cjFTKpAIaoDQ==/

 

 


 

 

섹션 15는 무려 5시간이 넘는 길이의 강의를 자랑한다. 

 

 

 

 

하지만 이번 모듈의 목표는 무려

 

채팅앱 5시간만에 완성하기!!

 

채팅앱 만드는 강의가 5시간이면 이건 엄청난 효율이 아닐까?

 

 

아무튼 끝이 창대한 모든 시작은 미비하다.

 

처음에는 앱에 애니메이션을 넣는 방법을 알려준다.

그리고 Cocoapod을 다운로드 받아서 프로젝트에 적용하고 cocoapod을 통해서 애니메이션을 적용하는 방법을 배웠다.

그렇게 cocoapod Dependency를 어떻게 적용하는지까지 학습을 하게되면

다음은 Firebase의 차례이다.

 

파베는 안드로이드로 채팅앱을 만들때 사용해봤는데 그 당시에는 그저 상사가 시키는대로하는 아바타였다.

그래서 뭘 알고 했던건 아니었는데 갓 안젤라쌤 덕분에 바로 이해하게 되었다.

 

이 강의에서는 자꾸... 공식 문서를 읽으라고 시키는데 그 덕분에 정석으로 어떻게 파이어베이스가 나의 앱에 적용되는지 상세하게 알 수 있다.

 

 

 

 

이번에 사용한 예제 앱은 'FlashChat'.

 

강의에서 제공하는 github에서 프로젝트를 받으면 이미 화면 4개가 만들어져있다.

학습이 진행되며 학생들은 Firebase Authorization를 공부하며 유저생성하는 방법을 배운다.

 

한창 백엔드 공부할때는 MySQL다운로드받고 터미널에서 DB user생성하고 쌩난리를치면서 프로젝트에 DB연결하고 그랬는데 앱 공부를 하니까 모두 생략하고 바로 Firebase Auth에 때려넣는 쾌감....!! 

 

그렇게 바로 DB해결하고 유저생성까지 2시간 학습이면 뚝딱이다.

 

진도빼는 속도가 아주 엄청나다.

 

 

그 다음은 채팅이다.

 

우선 채팅에서 사용하는 화면부터 만드는 작업을 배운다.

 

채팅에서 사용하는 View는 TableView로 안드로이드로 따지자면 RecyclerView가 되겠다.

정말 비슷하게도 여기에서 사용하는 CellView가 필요한데 이것도 그냥 학습순서를 계곡 물 흘러가든 몸을 맡기면 금방 배운다.

 

 

 

이제 채팅에 필요한 도구는 준비되었으니 채팅을 치면 Firestore에 저장하는 방법을 배운다.

 

Collection과 Document생성은 강의를 들으면 계속 공식문서를 읽게 시키거나 직접 읽어주신다.

그렇게 구글 문서에 적힌 Firestore의 활용 방법과 사용법을 꼭꼭 씹어먹으면 어느새 앱에서 채팅을 치면 내가 만든 파베에 데이터가 올라가고있다.

 

그리고 심지어 위에서 Auth로 유저생성 기능까지 만들어둬서 다른 사람과 대화하는 View컨트롤까지 해놓으면 진짜 순식간에 채팅앱 완성!

 

물론 특정 유저를 선택하는 중간단계가 없긴 하지만 Firebase를 활용한 채팅구현방법은 충분히 학습할 수 있다.

 

그리고 마지막으로 야무지게 키보드가 화면을 가려서 불편한 UX를 수정하는 방법까지 배웠다.

고마워요 세계의 지식인!

 

https://github.com/hackiftekhar/IQKeyboardManager

 

GitHub - hackiftekhar/IQKeyboardManager: Codeless drop-in universal library allows to prevent issues of keyboard sliding up and

Codeless drop-in universal library allows to prevent issues of keyboard sliding up and cover UITextField/UITextView. Neither need to write any code nor any setup required and much more. - hackiftek...

github.com

 

 

+ 그런데 애플은 이걸 따로 받아야해? 안드로이드는 그냥 주던데 애플 머함

'iOS' 카테고리의 다른 글

[iOS공부] 섹션 16: The Command Line and Terminal  (0) 2024.02.17
[iOS] Udemy Course: iOS & Swift  (1) 2024.02.12

 

개발하다 가장 화나는 순간이 언제인 지 아시나요?

 

남이 개발한 스파게티 소스 읽기?

촉박한 일정에 맞춰서 개발하기? 

 

물론 짜증나지만 아닙니다.

 

정답은

 

아주 쉬운 에러가 해결이 안될때

 

 

암튼 분명 cocoapod을 다운로드받고 설치 완료떴는데도 거지같은 맥이 pod 명령어 못알아 처먹을때 해결방법

 

 

https://stackoverflow.com/questions/73566730/how-to-resolve-error-command-not-found-pod-despite-cocoapods-successful-insta

 

How to resolve error "command not found: pod" despite cocoapods successful install?

I have run sudo gem install cocoapods. Lots of gems installed and no error shown. But despite that, when I run pod setup, I keep getting error "command not found: pod". I tried rerun the

stackoverflow.com

 

 

바쁜 당신을 위해 (될지 안될지 모르는) 3줄요약 

왜 될지 안될지 모르냐면 저는 해결을 위해 루비를 설치하고 지우고 brew를 통해서 다시 설치했기 때문 

암튼

 

 

1. brew 설치를 해보세요

2. 다음 코드를 적어보세요

brew link cocoapods

3. 위의 명령어도 안되면 이걸 적어보세요

brew link --overwrite cocoapods

 

그래도 안되면 파이팅!

+ Recent posts