Showing posts with label IOS. Show all posts
Showing posts with label IOS. Show all posts

Friday, 13 November 2020

GKLocalPlayer fetchSavedGamesWithCompletionHandler returns 0 games on installation

I can save my game and also fetch it but if I uninstall the game and then install it again, the call to fetchSavedGamesWithCompletionHandler returns 0 games (even if I call it several times). And if I call it again after some few seconds, the GKLocalPlayer manages to fetch the game i previously saved.

The error is nil so there is no problem with connecting to Game Center or iCloud (if there was problem with iCloud, the error wouldn't be nil and it would say that the user isn't connected to iCloud or that iCloud Drive isn't on).

This is not the same if anyone thought of sharing that with me: https://stackoverflow.com/questions/34445258/gklocalplayer-fetchsavedgameswithcompletionhandler-result-depends-on-device

Sure I can just fix it by implementing a timer and then call fetchSavedGamesWithCompletionHandler accordingly, but that's just a bad way of fixing it considering that the game is gonna support the slower devices (iPhone 5s compared to iPhone 7).



from GKLocalPlayer fetchSavedGamesWithCompletionHandler returns 0 games on installation

Instantly format a UITextView using AttributedString

I'm developing a macOS rich-text editor that applies pre-defined style for each line of the text view.

To format the lines, I'm using NSAttributedString, then, I'm inserting that string into my UITextView. To make things easier, I'm using a tool called SwiftRichString.

My code looks like below. It's straight-forward and works fine.

import Cocoa
import SwiftRichString
import AppKit

class ViewController: NSViewController {
    @IBOutlet var textView: NSTextView!
    
    override func viewDidLoad() {
        super.viewDidLoad()

        // Format the string
        let style = Style {
            $0.font = NSFont(name: "Arial", size: 20)
            $0.color = NSColor.black
            $0.alignment = .center
        }
        let attributedText = "Hello World!".set(style: style)

        // Add formatted string to the text view
        textView.textStorage?.append(attributedText)
    }

    override var representedObject: Any? {
        didSet {
        // Update the view, if already loaded.
        }
    }

}

Current situation:

User is typing a formatted line. Then when user hits Return and types something, format of the new line returns back to the default style of the UITextView.

What I want:

User is typing a certain formatted line, then he hits Return. The next line should be formatted to another pre-defined style on-the-go.

Example:

  1. User is typing the Title line. Current style is (Arial, bold, 20pt).
  2. He hits Return.
  3. Next line should be styled as Normal Text using a pre-defined style (Arial, 12pt).

Important Note:

In my above code, I was able to format the line easily because it's hard-coded. My real issue is, how can I instantly format the next line, because the next line will be entered by the user. The style should be applied to the next line before user begins writing it.



from Instantly format a UITextView using AttributedString

Thursday, 12 November 2020

Swift Signing User in with Access Group not working

Inside my app I would like to sign in the user using Auth.auth().useUserAccessGroup.

This is my code for signing in with email (user can also sign in with Facebook, Google & Apple):

signUp-Function:

static func signUpWithEmail(email: String, password: String, username: String, finished: @escaping (_ done: Bool) -> Void){
    
    do {
        try Auth.auth().useUserAccessGroup("SN26HDFT24.com.wishlists-app.group")
    } catch let error as NSError {
        print("Error changing user access group: %@", error)
    }
    Auth.auth().createUser(withEmail: email, password: password) { (result, error) in
        
        if let error = error {
            Utilities.showErrorPopUp(labelContent: "Fehler", description: error.localizedDescription)
            finished(false)
        }
        
        if let userId = result?.user.uid { 

             // successfully signed in

        } else {
            print("user couldn't sign in")
            finished(false)
        }
    }
}

Keychain Sharing:

asdf

Problem:

When calling this function if let error = error this fails:

The @c NSLocalizedFailureReasonErrorKey field in the @c NSError.userInfo dictionary will contain more information about the error encountered" UserInfo={FIRAuthErrorUserInfoNameKey=ERROR_KEYCHAIN_ERROR, NSLocalizedFailureReason=SecItemCopyMatching (-34018), NSLocalizedDescription=An error occurred when accessing the keychain. The @c NSLocalizedFailureReasonErrorKey field in the @c NSError.userInfo dictionary will contain more information about the error encountered}

so the first time I am calling it, try Auth.auth().useUserAccessGroup("SN26HDFT24.com.wishlists-app.group") actually succeeds, at least it is not throwing anything.

But when calling it again it the do try block fails. With the same error-message as above.

Entitlements:

enter image description here

Capabilities:

enter image description here

I am stuck. Couldn't find anything on this anywhere...



from Swift Signing User in with Access Group not working

Sharing model between documents in a document-based app

My app is a document-based and uses NSPersistentDocument to manage its Core Data stack.

It works great when each document has its own data, but now I want documents to share parts of their model. In my case, the users import large files and I don't want to copy them for each document.

I want to have a model that is tight to the app itself and not to the particular document.

I'm not really sure how to go about it. NSPersistentDocument provides some methods to override for configuring Core Data stack but I don't know how to set it up. Can anyone give me some tips how to achieve that?



from Sharing model between documents in a document-based app

`UIViewControllerRepresentable ` table view disappears after long tap

I have a UIViewControllerRepresentable wrapper for UITableViewController and am using swift composable architecture, which is probably irrelevant to the issue.

Here's my table view wrapper code, including the context menu code (I have omitted quite a lot of setup code):

public struct List<EachState, EachAction, RowContent, RowPreview, Destination, Data, ID>: UIViewControllerRepresentable, KeyPathUpdateable
where Data: Collection, RowContent: View, RowPreview: View, Destination: View, EachState: Identifiable, EachState.ID == ID {

private var actionProvider: (IndexSet) -> UIMenu? = { _ in nil }
private var previewProvider: (Store<EachState, EachAction>) -> RowPreview? = { _ in nil }

// setup code

public func makeUIViewController(context: Context) -> UITableViewController {
    let tableViewController = UITableViewController()
    tableViewController.tableView.translatesAutoresizingMaskIntoConstraints = false
    tableViewController.tableView.dataSource = context.coordinator
    tableViewController.tableView.delegate = context.coordinator
    tableViewController.tableView.separatorStyle = .none
    tableViewController.tableView.register(HostingCell<RowContent>.self, forCellReuseIdentifier: "Cell")
    return tableViewController
}

public func updateUIViewController(_ controller: UITableViewController, context: Context) {
    context.coordinator.rows = data.enumerated().map { offset, item in
        store.scope(state: { $0[safe: offset] ?? item },
                    action: { (item.id, $0) })
    }
    controller.tableView.reloadData()
}

public func makeCoordinator() -> Coordinator {
    Coordinator(rows: [],
                content: content,
                onDelete: onDelete,
                actionProvider: actionProvider,
                previewProvider: previewProvider,
                destination: destination)
}

public func previewProvider(_ provider: @escaping (Store<EachState, EachAction>) -> RowPreview?) -> Self {
    update(\.previewProvider, value: provider)
}

public func destination(_ provider: @escaping (Store<EachState, EachAction>) -> Destination?) -> Self {
    update(\.destination, value: provider)
}

public class Coordinator: NSObject, UITableViewDataSource, UITableViewDelegate {

    fileprivate var rows: [Store<EachState, EachAction>]
    private var content: (Store<EachState, EachAction>) -> RowContent
    private var actionProvider: (IndexSet) -> UIMenu?
    private var previewProvider: (Store<EachState, EachAction>) -> RowPreview?

    public func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
        rows.count
    }

    public func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {

        guard let tableViewCell = tableView.dequeueReusableCell(withIdentifier: "Cell", for: indexPath) as? HostingCell<RowContent>,
              let view = rows[safe: indexPath.row] else {
            return UITableViewCell()
        }

        tableViewCell.setup(with: content(view))

        return tableViewCell
    }

    public func tableView(_ tableView: UITableView, commit editingStyle: UITableViewCell.EditingStyle, forRowAt indexPath: IndexPath) {
        if editingStyle == .delete {
            onDelete(IndexSet(integer: indexPath.item))
        }
    }

    public func tableView(_ tableView: UITableView, contextMenuConfigurationForRowAt indexPath: IndexPath, point: CGPoint) -> UIContextMenuConfiguration? {
        guard let store = rows[safe: indexPath.row] else { return nil }

        return UIContextMenuConfiguration(
            identifier: nil,
            previewProvider: {
                guard let preview = self.previewProvider(store) else { return nil }
                let hosting = UIHostingController<RowPreview>(rootView: preview)
                return hosting
            },
            actionProvider: { _ in
                self.actionProvider(IndexSet(integer: indexPath.item))
        })
    }
}
}

private class HostingCell<Content: View>: UITableViewCell {
var host: UIHostingController<Content>?

func setup(with view: Content) {
    if host == nil {
        let controller = UIHostingController(rootView: view)
        host = controller

        guard let content = controller.view else { return }
        content.translatesAutoresizingMaskIntoConstraints = false
        contentView.addSubview(content)

        content.topAnchor.constraint(equalTo: contentView.topAnchor).isActive = true
        content.leftAnchor.constraint(equalTo: contentView.leftAnchor).isActive = true
        content.bottomAnchor.constraint(equalTo: contentView.bottomAnchor).isActive = true
        content.rightAnchor.constraint(equalTo: contentView.rightAnchor).isActive = true
    } else {
        host?.rootView = view
    }
    setNeedsLayout()
}
}

And here's an example usage:

private struct ClassView: View {
let store = Store<ClassState, ClassAction>(
    initialState: ClassState(),
    reducer: classReducer,
    environment: ClassEnv()
)

var body: some View {
    WithViewStore(store) { viewStore in
        CoreInterface.List(store.scope(state: \.people, action: ClassAction.personAction)) { store in
            PersonView(store: store)
        }
        .actionProvider { indices in
            let delete = UIAction(title: "Delete", image: UIImage(systemName: "trash"), attributes: .destructive) { _ in
                viewStore.send(.remove(indices))
            }

            return UIMenu(title: "", children: [delete])
        }
        .previewProvider { viewStore in
            Text("preview")
        }
    }
}

}

The issue is as follows: when I long tap on a cell to show the context menu, then dismiss it and scroll up, the table view disappears. This only happens when it's inside a NavigationView. Here is a short video of the issue.

The project is on github. The table view wrapper is in InternalFrameworks/Core/CoreInterface/Views/List, usage is in InternalFrameworks/Screens/QuickWorkoutsList/Source/QuickWorkoutsList. In order to run the project, you'll need xcodegen. Run

brew install xcodegen xcodegen generate



from `UIViewControllerRepresentable ` table view disappears after long tap

Trouble applying scaleTimeRange on multiple videos in a AVMutableComposition video

I am attempting to merge videos with scaleTimeRanges (to make them slo-mo or speed-up); however, it is not working as desired. Only the first video has the timerange effect... not all of them.

The work is done in the merge videos function; it is pretty simple... however I am not sure why the scaling of the time range is not working for only the first video and not the next ones...

This is a test project to test with, it has my current code: https://github.com/meyesyesme/creationMergeProj

This is the merge function I use, with the time range scaling currently commented out (you can uncomment to see it not working):

func mergeVideosTestSQ(arrayVideos:[VideoSegment], completion:@escaping (URL?, Error?) -> ()) {


let mixComposition = AVMutableComposition()


var instructions: [AVMutableVideoCompositionLayerInstruction] = []
var insertTime = CMTime(seconds: 0, preferredTimescale: 1)

print(arrayVideos, "<- arrayVideos")
/// for each URL add the video and audio tracks and their duration to the composition
for videoSegment in arrayVideos {
    
    let sourceAsset = AVAsset(url: videoSegment.videoURL!)
    
    let frameRange = CMTimeRange(start: CMTime(seconds: 0, preferredTimescale: 1), duration: sourceAsset.duration)
    
    guard
        let nthVideoTrack = mixComposition.addMutableTrack(withMediaType: .video, preferredTrackID: Int32(kCMPersistentTrackID_Invalid)),
        let nthAudioTrack = mixComposition.addMutableTrack(withMediaType: .audio, preferredTrackID: Int32(kCMPersistentTrackID_Invalid)), //0 used to be kCMPersistentTrackID_Invalid
        let assetVideoTrack = sourceAsset.tracks(withMediaType: .video).first
    else {
        print("didnt work")
        return
    }
    
    var assetAudioTrack: AVAssetTrack?
    assetAudioTrack = sourceAsset.tracks(withMediaType: .audio).first
    print(assetAudioTrack, ",-- assetAudioTrack???", assetAudioTrack?.asset, "<-- hes", sourceAsset)
    
    do {
        
        try nthVideoTrack.insertTimeRange(frameRange, of: assetVideoTrack, at: insertTime)
        try nthAudioTrack.insertTimeRange(frameRange, of: assetAudioTrack!, at: insertTime)
        
        //                    //MY CURRENT SPEED ATTEMPT:
        //                    let newDuration = CMTimeMultiplyByFloat64(frameRange.duration, multiplier: videoSegment.videoSpeed)
        //                    nthVideoTrack.scaleTimeRange(frameRange, toDuration: newDuration)
        //                    nthAudioTrack.scaleTimeRange(frameRange, toDuration: newDuration)
        
        //                    print(insertTime.value, "<-- fiji, newdur --->", newDuration.value, "sourceasset duration--->", sourceAsset.duration.value, "frameRange.duration -->", frameRange.duration.value)
        
        //instructions:
        let nthInstruction = ViewController.videoCompositionInstruction(nthVideoTrack, asset: sourceAsset)
        nthInstruction.setOpacity(0.0, at: CMTimeAdd(insertTime, sourceAsset.duration)) //sourceasset.duration
        
        instructions.append(nthInstruction)
        insertTime = insertTime + sourceAsset.duration //sourceAsset.duration
        
        
        
    } catch {
        DispatchQueue.main.async {
            print("didnt wor2k")
        }
    }
    
}


let mainInstruction = AVMutableVideoCompositionInstruction()
mainInstruction.timeRange = CMTimeRange(start: CMTime(seconds: 0, preferredTimescale: 1), duration: insertTime)

mainInstruction.layerInstructions = instructions

let mainComposition = AVMutableVideoComposition()
mainComposition.instructions = [mainInstruction]
mainComposition.frameDuration = CMTimeMake(value: 1, timescale: 30)
mainComposition.renderSize = CGSize(width: 1080, height: 1920)

let outputFileURL = URL(fileURLWithPath: NSTemporaryDirectory() + "merge.mp4")

//below to clear the video form docuent folder for new vid...
let fileManager = FileManager()
try? fileManager.removeItem(at: outputFileURL)

print("<now will export: 🔥 🔥🔥🔥🔥🔥🔥🔥🔥🔥🔥🔥🔥🔥🔥🔥🔥🔥🔥🔥🔥🔥🔥🔥🔥🔥🔥🔥")


/// try to start an export session and set the path and file type
if let exportSession = AVAssetExportSession(asset: mixComposition, presetName: AVAssetExportPresetHighestQuality) { //DOES NOT WORK WITH AVAssetExportPresetPassthrough
    exportSession.outputFileType = .mov
    exportSession.outputURL = outputFileURL
    exportSession.videoComposition = mainComposition
    exportSession.shouldOptimizeForNetworkUse = true
    
    /// try to export the file and handle the status cases
    exportSession.exportAsynchronously {
        if let url = exportSession.outputURL{
            completion(url, nil)
        }
        if let error = exportSession.error {
            completion(nil, error)
        }
    }
    
}

}

You'll see this behavior: the first one is working well, but then the next videos do not and have issues with when they were set opacity, etc... I have tried different combinations and this is the closest one yet.

I've been stuck on this for a while!



from Trouble applying scaleTimeRange on multiple videos in a AVMutableComposition video

GoogleSignInSDK usages of UIWebView

Anyones knows from which version of GoogleSignInSDK(iOS) the usages of UIWebView has been removed, does version 4.4.0 covers that?



from GoogleSignInSDK usages of UIWebView

Wednesday, 11 November 2020

Google AdMob -

Why does command 'react-native run-ios' build fail after upgrade to 0.63.3?

I just updated to RN v0.63.3. I was having issues with react-native run-ios on previous react-native version after changing the name of the app, and the project/schemes had different names, never got that issue solved, everyone said to just upgrade.

now on v0.63.3 there is still an issue with failing build after react-native run-ios. this time the error is:

** BUILD FAILED **

The following build commands failed: CompileC /Users/vorousjames/Library/Developer/Xcode/DerivedData/<OLD_NAME>-gdmnlxiprekjqhfiueouiidqhqnl/Build/Intermediates.noindex/<NEW_NAME>.build/Debug-iphonesimulator/<NEW_NAME>.build/Objects-normal/x86_64/AppDelegate.o /Users/Desktop/Development/App/iOS/<OLD_NAME>/AppDelegate.m normal x86_64 objective-c com.apple.compilers.llvm.clang.1_0.compiler (1 failure)

There is NO issue building/running from inside Xcode. ONLY with react-native run-ios

EDIT: I thought maybe there was an issue with the fact that I had the cli globally installed since I was just calling react-native run-ios. I believe that uses the global installation. so since its outdated, I uninstalled globally and tried to use the community package with npx react-native run-ios. now its giving another comileC error, but different.

** BUILD FAILED **

The following build commands failed: CompileC /Users/Library/Developer/Xcode/DerivedData/App-gdmnlxiprekjqhfiueouiidqhqnl/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RNFirebase.build/Objects-normal/x86_64/RNFirebaseMessaging.o /Users/Desktop/Development/App/node_modules/react-native-firebase/ios/RNFirebase/messaging/RNFirebaseMessaging.m normal x86_64 objective-c com.apple.compilers.llvm.clang.1_0.compiler CompileC /Users/Library/Developer/Xcode/DerivedData/App-gdmnlxiprekjqhfiueouiidqhqnl/Build/Intermediates.noindex/Pods.build/Debug-iphonesimulator/RNFirebase.build/Objects-normal/x86_64/RNFirebaseFirestore.o /Users/Desktop/Development/App/node_modules/react-native-firebase/ios/RNFirebase/firestore/RNFirebaseFirestore.m normal x86_64 objective-c com.apple.compilers.llvm.clang.1_0.compiler (2 failures)

This is completely killing my ability to iterate quickly, any advice is welcomed

react-native: 0.63.3 react-native-cli (global): 2.0.1 react-native-community/cli: ^4.8.0 Xcode: 12.0.1 iOS: 14.0.1



from Why does command 'react-native run-ios' build fail after upgrade to 0.63.3?

Tuesday, 10 November 2020

SwiftUI - How to remove white background behind List that is styled with SidebarListStyle, in portrait mode

I have a list styled with SidebarListStyle (new in iOS 14) inside a NavigationView.

struct ContentView: View {
    let data = ["One", "Two", "Three", "Four", "Five", "Six", "Seven", "Eight", "Nine", "Ten", "Eleven", "Twelve", "Thirteen", "Fourteen"]
    
    var body: some View {
        NavigationView {
            List {
                Section(header: Text("Section")) {
                    ForEach(data, id: \.self) { word in
                        Text(word)
                    }
                }
            }
            .listStyle(SidebarListStyle())
            .navigationBarTitle(Text("Title"), displayMode: .large)
        }
    }
}

The problem is that there is a white rectangle behind each of the rows in the list, but only in portrait mode. It's fine in landscape.

I don't want that white background, anyone know how to remove it? Also, when launching the app, it seems to glitch -- at first it's fine, then it adds the white background.

Weirdly, if I add .navigationViewStyle(StackNavigationViewStyle()) to the NavigationView, the white background disappears and it launches fine.

struct ContentView: View {
    let data = ["One", "Two", "Three", "Four", "Five", "Six", "Seven", "Eight", "Nine", "Ten", "Eleven", "Twelve", "Thirteen", "Fourteen"]
    
    var body: some View {
        NavigationView {
            List {
                Section(header: Text("Section")) {
                    ForEach(data, id: \.self) { word in
                        Text(word)
                    }
                }
            }
            .listStyle(SidebarListStyle())
            .navigationBarTitle(Text("Title"), displayMode: .large)
        }
        .navigationViewStyle(StackNavigationViewStyle())
    }
}

Left: How it launches, right: How it looks after launching

↑ This is how I want it to be.

However, now the landscape mode is limited to a full-width list, which I don't want either.

Edit: @Omid's answer

I added a background color to match the default one:

Text(word)
.listRowBackground(Color(UIColor.systemGroupedBackground))

But the launching glitch is still there.



from SwiftUI - How to remove white background behind List that is styled with SidebarListStyle, in portrait mode

Monday, 9 November 2020

How much memory is available for Metal in iOS?

In my iOS project Metal is used extensively. Sometimes MTLDevice newTextureWithDescriptor fails to create a texture. Texture format is valid, it's a small RGBA 512x512 texture, everything is set up correctly.

When I print MTLDevice.currentAllocatedSize >> 20 it's always 1396 MB on iPhone XR ( A12 processor ).

I've used a lot this thread for max runtime RAM estimate: https://stackoverflow.com/a/15200855/2567725
So I believe for iPhone XR max allowed RAM is 1792 MB.

I guess the texture is not created because RAM has been exsausted.

So the guestions are:

  1. Is it true that on A12 Metal's currentAllocatedSize correlates with CPU memory, and GPU memory is "shared" with the CPU one, so 1792 MB = GPU+CPU for iPhone XR ?

  2. Is there any way to get the description of Metal error? (now it just returns nil in newTextureWithDescriptor).

  3. Is it possible to know how Metal allocation strategy works, e.g. how small available RAM should be to MTLDevice newTextureWithDescriptor return nil ?



from How much memory is available for Metal in iOS?

Nested Gesture Does not change on Tap

I am currently working on the ui stuff for the appliction, so the thing is i have one gesture as a parent that swipes up and down and based on it the position of the widgets gets changed but the problem is the child gesture does not get any precedence when tapped on it it gives the precedence. So my tree structure is Pageview.builder which has single widget with topmost parent as Gesturedetector and the children accrodingly, Can any one tell me what i am doing wrong or any improvements to get the gesture for each. Below is the sample code that i have been working on:

import 'dart:math';
import 'package:LocationAnimation/Model/device_model.dart';
import 'package:LocationAnimation/SplashPage/splash_page.dart';
import 'package:LocationAnimation/widgets/device_function_widget.dart';

import 'package:flutter/material.dart';
import 'package:flutter_svg/flutter_svg.dart';
import 'package:google_fonts/google_fonts.dart';

import 'Model/device_model.dart' as devices;
import 'Model/locations_model.dart' as locations;
import 'extensions/capitalize.dart';

void main() {
  runApp(new MyApp());
}

class MyApp extends StatelessWidget {
  @override
  Widget build(BuildContext context) {
    return MaterialApp(
      debugShowCheckedModeBanner: false,
      title: 'HAL',
      home: MyHomePage(),
    );
  }
}

class SampleList {
  final String locationName;

  SampleList({this.locationName});
}

class MyHomePage extends StatefulWidget {
  @override
  State createState() => new MyHomePageState();
}

class MyHomePageState extends State<MyHomePage> with TickerProviderStateMixin {
  final _controller = new PageController();

  final _kArrowColor = Colors.black.withOpacity(0.8);

  bool _isSwipe = false;
  bool _isLoading = false;

  var list = [
    SampleList(locationName: 'Living Room'),
    SampleList(locationName: 'Bed Room'),
    SampleList(locationName: 'Back Porch Lights'),
    SampleList(locationName: 'Basement Porch Lights'),
    SampleList(locationName: 'Sample Room'),
  ];

  @override
  Widget build(BuildContext context) {
    return new Scaffold(
      body: new IconTheme(
        data: new IconThemeData(color: _kArrowColor),
        child: new Stack(
          children: <Widget>[
            new PageView.builder(
              physics: _isSwipe
                  ? NeverScrollableScrollPhysics()
                  : AlwaysScrollableScrollPhysics(),
              controller: _controller,
              itemCount: list.length,
              itemBuilder: (BuildContext context, int index) {
                return LocationDetails(
                  isLoading: _isLoading,
                  item: list[index],
                  onSwipeDown: () {
                    setState(() {
                      _isSwipe = false;
                    });
                  },
                  onSwipeUp: () {
                    setState(() {
                      _isSwipe = true;
                    });
                  },
                );
              },
            ),
          ],
        ),
      ),
    );
  }
}

class LocationDetails extends StatefulWidget {
  final bool isLoading;
  SampleList item;
  final Function() onSwipeUp;
  final Function() onSwipeDown;
  LocationDetails(
      {Key key, this.item, this.onSwipeUp, this.onSwipeDown, this.isLoading})
      : super(key: key);

  @override
  _LocationDetailsState createState() => _LocationDetailsState();
}

class _LocationDetailsState extends State<LocationDetails> {
  DragStartDetails startVerticalDragDetails;
  DragUpdateDetails updateVerticalDragDetails;
  bool moveWidget = false;
  bool dismissSwipeText = true;

  bool _isRotate = false;
  int currentSelectedIndex = 0;
  bool ignoreChildGestures = true;
  bool _isSwpie = false;

  @override
  Widget build(BuildContext context) {
    return Scaffold(
      body: SafeArea(
        child: Container(
          child: GestureDetector(
            onTap: () {
              print('Tap');
            },
            onVerticalDragStart: (dragDetails) {
              startVerticalDragDetails = dragDetails;
            },
            onVerticalDragUpdate: (dragDetails) {
              updateVerticalDragDetails = dragDetails;
            },
            onVerticalDragEnd: (endDetails) {
              double dx = updateVerticalDragDetails.globalPosition.dx -
                  startVerticalDragDetails.globalPosition.dx;
              double dy = updateVerticalDragDetails.globalPosition.dy -
                  startVerticalDragDetails.globalPosition.dy;
              double velocity = endDetails.primaryVelocity;

              //Convert values to be positive
              if (dx < 0) dx = -dx;
              if (dy < 0) dy = -dy;

              if (velocity < 0) {
                widget.onSwipeUp();
                print('drag up');

                setState(() {
                  moveWidget = true;
                  _isSwpie = true;
                });
              } else {
                widget.onSwipeDown();
                print(' drag down');
                setState(() {
                  moveWidget = false;
                  _isSwpie = false;
                });
              }
            },
            child: Container(
                height: MediaQuery.of(context).size.height,
                width: MediaQuery.of(context).size.width,
                decoration: new BoxDecoration(
                  image: new DecorationImage(
                    colorFilter: ColorFilter.mode(
                        Colors.black.withOpacity(0.8), BlendMode.srcOver),
                    image: /* moveWidget
                              ? */
                        AssetImage(
                      'Assets/backgroundImage.jpg',
                    ),
                    /*  : NetworkImage(widget.samplePage.networkImage), */
                    fit: BoxFit.fill,
                  ),
                ),
                child:
                    /*  widget.isLoading
                    ? Center(
                        child: CircularProgressIndicator(),
                      )
                    : */
                    Stack(
                  children: <Widget>[
                    AnimatedOpacity(
                      opacity: moveWidget ? 0 : 1,
                      duration: Duration(microseconds: 100),
                      child: Padding(
                        padding: const EdgeInsets.all(20.0),
                        child: Row(
                          mainAxisAlignment: MainAxisAlignment.spaceBetween,
                          children: <Widget>[
                            Column(
                              children: <Widget>[
                                Icon(
                                  Icons.power_settings_new,
                                  color: Colors.white,
                                  size: 30,
                                ),
                                Icon(
                                  Icons.more_horiz,
                                  color: Colors.white,
                                  size: 25,
                                )
                              ],
                            ),
                            Row(
                              children: <Widget>[
                                Column(
                                  children: <Widget>[
                                    Text(
                                      'Inside Temp',
                                      style: TextStyle(
                                          color: Colors.white, fontSize: 18),
                                    ),
                                    SizedBox(
                                      height: 5,
                                    ),
                                    Row(
                                      children: <Widget>[
                                        Icon(
                                          Icons.ac_unit,
                                          color: Colors.white,
                                          size: 20,
                                        ),
                                        SizedBox(
                                          width: 10,
                                        ),
                                        Text(
                                          '19 C',
                                          style: TextStyle(color: Colors.white),
                                        ),
                                      ],
                                    )
                                  ],
                                ),
                                SizedBox(
                                  width: 10,
                                ),
                                Column(
                                  children: <Widget>[
                                    Text(
                                      'Outside Temp',
                                      style: TextStyle(
                                          color: Colors.white, fontSize: 18),
                                    ),
                                    SizedBox(
                                      height: 5,
                                    ),
                                    Row(
                                      children: <Widget>[
                                        Icon(
                                          Icons.ac_unit,
                                          color: Colors.white,
                                          size: 20,
                                        ),
                                        SizedBox(
                                          width: 10,
                                        ),
                                        Text(
                                          '19 C',
                                          style: TextStyle(color: Colors.white),
                                        ),
                                      ],
                                    )
                                  ],
                                ),
                              ],
                            )
                          ],
                        ),
                      ),
                    ),
                    AnimatedPositioned(
                      onEnd: () {
                        setState(() {
                          dismissSwipeText = !dismissSwipeText;
                          //print(dismissSwipeText);
                        });
                      },
                      curve: Curves.ease,
                      duration: Duration(milliseconds: 700),
                      bottom: moveWidget
                          ? 10
                          : MediaQuery.of(context).size.height * 0.18,
                      left: 10.0,
                      right: 0.0,
                      top: moveWidget
                          ? 50
                          : MediaQuery.of(context).size.height * 0.75,
                      child: AnimatedOpacity(
                        opacity: dismissSwipeText ? 1 : 0,
                        duration: Duration(milliseconds: 500),
                        child: Text(
                          'Swipe up to customize',
                          style: TextStyle(color: Colors.white, fontSize: 20),
                        ),
                      ),
                    ),
                    AnimatedPositioned(
                      curve: Curves.ease,
                      duration: Duration(milliseconds: 700),
                      onEnd: () {
                        setState(() {
                          _isSwpie = true;
                        });
                      },
                      left: 10,
                      top: moveWidget
                          ? 80
                          : MediaQuery.of(context).size.height * 0.80,
                      child: Container(
                        width: MediaQuery.of(context).size.width * 0.97,
                        child: Row(
                          mainAxisAlignment: MainAxisAlignment.start,
                          children: <Widget>[
                            GestureDetector(
                              onTap: () {
                                setState(() {
                                  currentSelectedIndex = 0;
                                });
                              },
                              child: Container(
                                width: MediaQuery.of(context).size.width * 0.20,
                                height:
                                    MediaQuery.of(context).size.height * 0.10,
                                decoration: BoxDecoration(
                                  borderRadius: BorderRadius.circular(20),
                                  color: currentSelectedIndex == 0
                                      ? Colors.blue
                                      : Colors.grey[900],
                                ),
                                child: Center(
                                    child: Text(
                                  'Lights',
                                  style: GoogleFonts.lato(
                                      color: Colors.white,
                                      fontWeight: FontWeight.w700),
                                )),
                              ),
                            ),
                            Row(
                              children: <Widget>[
                                SizedBox(
                                  width: 10,
                                ),
                                GestureDetector(
                                  onTap: () {
                                    setState(() {
                                      currentSelectedIndex = 1;
                                    });
                                  },
                                  child: Container(
                                    width: MediaQuery.of(context).size.width *
                                        0.20,
                                    height: MediaQuery.of(context).size.height *
                                        0.10,
                                    decoration: BoxDecoration(
                                      borderRadius: BorderRadius.circular(20),
                                      color: currentSelectedIndex == 1
                                          ? Colors.blue
                                          : Colors.grey[900],
                                    ),
                                    child: Center(
                                        child: Text(
                                      'Applicanes',
                                      style: GoogleFonts.lato(
                                          color: Colors.white,
                                          fontWeight: FontWeight.w700),
                                    )),
                                  ),
                                ),
                              ],
                            ),
                            Row(
                              children: <Widget>[
                                SizedBox(
                                  width: 10,
                                ),
                                GestureDetector(
                                  onTap: () {
                                    setState(() {
                                      currentSelectedIndex = 2;
                                    });
                                  },
                                  child: Container(
                                    width: MediaQuery.of(context).size.width *
                                        0.20,
                                    height: MediaQuery.of(context).size.height *
                                        0.10,
                                    decoration: BoxDecoration(
                                      borderRadius: BorderRadius.circular(20),
                                      color: currentSelectedIndex == 2
                                          ? Colors.blue
                                          : Colors.grey[900],
                                    ),
                                    child: Center(
                                        child: Text(
                                      'Sensors',
                                      style: GoogleFonts.lato(
                                          color: Colors.white,
                                          fontWeight: FontWeight.w700),
                                    )),
                                  ),
                                ),
                              ],
                            ),
                            Row(
                              children: <Widget>[
                                SizedBox(
                                  width: 10,
                                ),
                                Container(
                                  width:
                                      MediaQuery.of(context).size.width * 0.20,
                                  height:
                                      MediaQuery.of(context).size.height * 0.10,
                                  decoration: BoxDecoration(
                                    borderRadius: BorderRadius.circular(20),
                                    color: Colors.grey[900],
                                  ),
                                  child: Center(
                                      child: Text(
                                    'Doors \n& Locks',
                                    style: GoogleFonts.lato(
                                        color: Colors.white,
                                        fontWeight: FontWeight.w700),
                                  )),
                                ),
                              ],
                            ),
                            SizedBox(
                              width: 10,
                            ),
                          ],
                        ),
                      ),
                    ),
                    AnimatedPositioned(
                      curve: Curves.ease,
                      duration: Duration(milliseconds: 400),
                      bottom: moveWidget
                          ? 10
                          : MediaQuery.of(context).size.height * 0.20,
                      left: 10.0,
                      right: 0.0,
                      top: moveWidget
                          ? 15
                          : MediaQuery.of(context).size.height * 0.70,
                      child: Text(
                        '${widget.item.locationName}',
                        style: TextStyle(fontSize: 30, color: Colors.white),
                      ),
                    ),
                  ],
                )),
          ),
        ),
      ),
    );
  }
}



from Nested Gesture Does not change on Tap

How to store exact digits in Firestore

How do I store exact values for numbers in Firestore from the Objective-C SDK?

For instance, if I manually create a field called "abv" with a value of "15.9" it shows that exact value.

enter image description here

However, if I update a value in Firestore from the Objective-C API with an NSNumber value of @(15.9) I get this imprecise value in my Firestore document.

enter image description here

NSDictionary *data = @{@"abv": @(15.9)};
[documentReference updateData:data completion:^(NSError * _Nullable error) {

}];

I understand the issues around floating point imprecision but I don't know how to communicate it in a way to Firebase that resolves it like when you do a manual edit from the web console such as store "15.9" exactly as a number.



from How to store exact digits in Firestore

Sunday, 8 November 2020

SwiftUI inconsistent behavior "pushing" to UIKit ViewController from SwiftUI View

I'm implementing some SwiftUI views into an existing UIKit App. The DashboardView (below) is a home screen, and then I need to push to existing UIKit ViewControllers. I'm trying to push the View Controllers onto a nav stack (i.e. with a back button, as opposed to modally). The below code, the push under the Show More button works as expected to push to SkateListViewController with a back button, however the the push in the WorkoutListView presents the View Controller as a modal? Does it have to do with WorkoutListView being embedded in a parent view?

struct DashboardView: View {
    var body: some View {
        ScrollView {
                VStack(spacing: 7.0) {
                    HStack {
                        Text("Workouts")
                            .font(.custom(futuraBold, size: largeTitleTextSize))
                            .padding(.leading)
                        Spacer()
                        
                        Button(action: {
                        
                            let storyBoard: UIStoryboard =  UIStoryboard(name: "Version3", bundle: nil)
                            let skateListTVC = storyBoard.instantiateViewController(withIdentifier: "skateListVC") as! SkateListTableViewController
                            UIApplication.topViewController()?.navigationController?.pushViewController(skateListTVC, animated: true) //This line works as expected and pushes onto Nav Stack with back button
                        }) {
                            Text("Show More")
                              .font(.custom(futuraMedium, size: headlineTextSize))
                                .foregroundColor(Color.blue)
                        }
                    }
                    ZStack {
                        VStack(alignment: .leading) {
                            WorkoutListView(workouts: [MockWorkout().getMockWorkout()])
                        }
                        .padding(.horizontal)
                    }
                }
               }
          }
    }    
}


struct WorkoutListView: View {
    
    @State var workouts: [HKWorkout]
    
    var body: some View {
        VStack(alignment: .leading) {
                ForEach(workouts) { workout in
                    WorkoutRow(workout: workout)
                        .onTapGesture {
                            SelectedWorkoutSingleton.sharedInstance.selectedWorkout = workout
                            let storyBoard: UIStoryboard =  UIStoryboard(name: "Version3", bundle: nil)
                                let skateDetailHostingControllerView = storyBoard.instantiateViewController(withIdentifier: "skateDetailHostingController") as! SkateDetailHostingController
                                 UIApplication.topViewController()?.navigationController?.pushViewController(skateDetailHostingControllerView, animated: true) //This line shows Hosting Controller as Modal, doesn't push
                           
                        }
                }
        }
    }
}


from SwiftUI inconsistent behavior "pushing" to UIKit ViewController from SwiftUI View

Saturday, 7 November 2020

Swift library that supports both app and extension

I've created a library for my iOS app but I get the warning linking against a dylib which is not safe for use in application extensions.

I know this is because I haven't enabled Allow app extension API only for my library. So when I enable that setting my library gives errors where I have used UIApplication.shared.

I know I cannot use shared in my extension, and don't actually need to, but this library is used by both my app and my extension.

So the question is, how can I compile the library with a guard around UIApplication.shared?

I already use this:

#if !IS_EXTENSION
    // Cancel the background task
    UIApplication.shared.endBackgroundTask(bgTask)
#endif

and set IS_EXTENSION for Active Compilation Conditions in my extension target, and also IS_EXTENSION=1 for Preprocessor Macros in my app extension, however the library still gives me warnings on these lines.



from Swift library that supports both app and extension

Is there a way to set a web socket server (not client) within iOS and Android devices?

I am investigating if it is possible to set a "web socket server" at a mobile device (different than the common approach of"web socket server at a backend").

In order to do that I am searching a method for iOS and Android devices to accept WebSocket requests.

Side note, I am not so sure if the security design of the mobile operating systems allow that or not.

Is there any method to set the web socket servers at mobile devices? (If yes, one step further is there any method that can be used with react-native?)



from Is there a way to set a web socket server (not client) within iOS and Android devices?

Wednesday, 4 November 2020

Can an iOS "Developer" Role create/upload Testflight builds?

I've outsourced the development for one project and I gave them the "Developer Role" and "Access to Certificates, Identifiers, & Profiles."

They're working on a test build and getting ready for a distributable version to show me, but they are insisting on me granting them Admin priviledges which I refuse.

After a lot of angry arguing back and forth they continue to insist on admin rights claiming they can't proceed without it.

So far, I've created a development profile and the App ID on the store.

I'm trying my best to understand the documentation and all the different provisioning profiles and certificates, the only bottleneck that I can see is that maybe they need a distribution profile.

However, the only way to create a distribution profile is to upload a CSR file which they recommend being done through Xcode directly. They insist that they don't have access.

Where is the gap in communication there and what are the steps we're missing for them to be able to ad-hoc or testflight distribute?

I absolutely refuse to grant Admin rights and cannot believe Apple hasn't already accounted for contract workers to make User Roles friendly enough to accommodate a situation like this.

My understanding from the documentation is that once they were granted "Access to Certificates, Identifiers & Profiles" they should be able to do everything they need



from Can an iOS "Developer" Role create/upload Testflight builds?

Running Xcode project on simulator with Cocoapods

I'm using XCode 11.5 and created a empty project integrated with cocoapods 1.10.0.

When I add some dependency, the build phase "[CP] Embed Pod Frameworks" fails with following message: `/Users/jeferson/Projects/AwesomeProject/ios/Pods/Target Support Files/Pods-AwesomeProject/Pods-AwesomeProject-frameworks.sh: line 131: ARCHS[@]: unbound variable.

Podfile:

platform :ios, '10.0'
target 'Example' do
    pod 'google-cast-sdk', '4.4.6'
   pod 'ComScore', '~> 6.6'
end

Note: It works only in legacy build system

How to use run cocoapods projects on simulator?



from Running Xcode project on simulator with Cocoapods

Tuesday, 3 November 2020

How to tell if 'Mobile Network Data' is enabled or disabled (even when connected by WiFi) in iOS?

I have an app that I want to be able to use to get a connection status report after some certain time interval. Even when I am connected or associated to a Wifi network, I would like to know if data access is enabled over cellular network. This means, if after a check, I can gracefully disassociate from the wifi network, knowing that there is an available cellular connection to which the device will get connected to.

Current Reachability methods will only give me information about the availability of cellular only when am connected to that and there is not much information about getting this data before actually connecting to the interface.

Looking for a similar solution as available in android, as explained in this link.

CLARIFICATION

I am NOT looking to see if my device is having cellular capabilities. I AM trying to establish whether or not the user has enabled / disabled Data access over mobile network, and would like to know this information even if I am connected to Wifi. User can turn this on and off by going to Settings.



from How to tell if 'Mobile Network Data' is enabled or disabled (even when connected by WiFi) in iOS?

Monday, 2 November 2020

How can install pod file in aggregate framework in Xcode 12

I am working on custom framework so I create aggregate framework and also I wan to install cocoapods in project so I can able to install cocoapods but when I archive the project at that time "no module found CocoaMQTT"> I am using below script to archive the project .

Script

####################

Optional Value

#################### REVEAL_ARCHIVE_IN_FINDER=true

####################

Required Values

#################### FRAMEWORK_NAME="${PROJECT_NAME}" SIMULATOR_LIBRARY_PATH="${BUILD_DIR}/${CONFIGURATION}-iphonesimulator/${FRAMEWORK_NAME}.framework" DEVICE_LIBRARY_PATH="${BUILD_DIR}/${CONFIGURATION}-iphoneos/${FRAMEWORK_NAME}.framework" UNIVERSAL_LIBRARY_DIR="${BUILD_DIR}/${CONFIGURATION}-iphoneuniversal" FRAMEWORK="${UNIVERSAL_LIBRARY_DIR}/${FRAMEWORK_NAME}.framework" ######################

Build Frameworks

###################### xcodebuild -target ${PROJECT_NAME} -sdk iphonesimulator -configuration ${CONFIGURATION} clean build BITCODE_GENERATION_MODE=bitcode CONFIGURATION_BUILD_DIR=${BUILD_DIR}/${CONFIGURATION}-iphonesimulator 2>&1 xcodebuild -target ${PROJECT_NAME} -sdk iphoneos -configuration ${CONFIGURATION} clean build BITCODE_GENERATION_MODE=bitcode CONFIGURATION_BUILD_DIR=${BUILD_DIR}/${CONFIGURATION}-iphoneos 2>&1 ######################

Create directory for universal

###################### rm -rf "${UNIVERSAL_LIBRARY_DIR}" mkdir "${UNIVERSAL_LIBRARY_DIR}" mkdir "${FRAMEWORK}" ######################

Copy files Framework

###################### cp -r "${DEVICE_LIBRARY_PATH}/." "${FRAMEWORK}" ######################

Printing Paths for your referance

###################### echo SIMULATOR_LIBRARY_PATH echo "${BUILD_DIR}/${CONFIGURATION}-iphonesimulator/${FRAMEWORK_NAME}.framework" echo DEVICE_LIBRARY_PATH echo "${BUILD_DIR}/${CONFIGURATION}-iphoneos/${FRAMEWORK_NAME}.framework" echo UNIVERSAL_LIBRARY_DIR echo "${BUILD_DIR}/${CONFIGURATION}-iphoneuniversal" ######################

Make an universal binary

###################### lipo "${SIMULATOR_LIBRARY_PATH}/${FRAMEWORK_NAME}" "${DEVICE_LIBRARY_PATH}/${FRAMEWORK_NAME}" -create -output "${FRAMEWORK}/${FRAMEWORK_NAME}" | echo ######################

For Swift framework, Swiftmodule needs to be copied in the universal framework

###################### if [ -d "${SIMULATOR_LIBRARY_PATH}/Modules/${FRAMEWORK_NAME}.swiftmodule/" ]; then cp -f ${SIMULATOR_LIBRARY_PATH}/Modules/${FRAMEWORK_NAME}.swiftmodule/* "${FRAMEWORK}/Modules/${FRAMEWORK_NAME}.swiftmodule/" | echo fi if [ -d "${DEVICE_LIBRARY_PATH}/Modules/${FRAMEWORK_NAME}.swiftmodule/" ]; then cp -f ${DEVICE_LIBRARY_PATH}/Modules/${FRAMEWORK_NAME}.swiftmodule/* "${FRAMEWORK}/Modules/${FRAMEWORK_NAME}.swiftmodule/" | echo fi ######################

On Release, copy the result to release directory

###################### OUTPUT_DIR="${PROJECT_DIR}/Output/${FRAMEWORK_NAME}-${CONFIGURATION}-iphoneuniversal/" rm -rf "$OUTPUT_DIR" mkdir -p "$OUTPUT_DIR" cp -r "${FRAMEWORK}" "$OUTPUT_DIR" if [ ${REVEAL_ARCHIVE_IN_FINDER} = true ]; then open "${OUTPUT_DIR}/" fi

Podfile : enter image description here

Error:

enter image description here



from How can install pod file in aggregate framework in Xcode 12