#ifdef replacement in the Swift language
Asked Answered
G

19

879

In C/C++/Objective C you can define a macro using compiler preprocessors. Moreover, you can include/exclude some parts of code using compiler preprocessors.

#ifdef DEBUG
    // Debug-only code
#endif

Is there a similar solution in Swift?

Gynandrous answered 2/6, 2014 at 21:6 Comment(6)
As an idea, you could put this in your obj-c bridging headers..Petaloid
You really should award an answer as you have several to choose from, and this question has gotten you a lot of up votes.Pretentious
@Userthatisnotauser you totally missed the point. You ask a question, you get great answers - choose one. Don’t just ignore the time and effort.Pretentious
@DavidH No, actually it's the other way around. My comment was just a Hitchhiker's reference about 42. I completely agree, and want to upvote it, but I can't bring myself to make the 43rd.Chrisy
@Userthatisnotauser the poster has 19k points - people voted his answers but he doesn’t seem to care about people who help him. I always always choose an answer .Pretentious
Check their account, it's dead.Reprehension
D
1216

Yes you can do it.

In Swift you can still use the "#if/#else/#endif" preprocessor macros (although more constrained), as per Apple docs. Here's an example:

#if DEBUG
    let a = 2
#else
    let a = 3
#endif

Now, you must set the "DEBUG" symbol elsewhere, though. Set it in the "Swift Compiler - Custom Flags" section, "Other Swift Flags" line. You add the DEBUG symbol with the -D DEBUG entry.

As usual, you can set a different value when in Debug or when in Release.

I tested it in real code and it works; it doesn't seem to be recognized in a playground though.

You can read my original post here.


IMPORTANT NOTE: -DDEBUG=1 doesn't work. Only -D DEBUG works. Seems compiler is ignoring a flag with a specific value.

Dismal answered 11/6, 2014 at 0:1 Comment(27)
This is the correct answer, although it should be noted that you can only check for the presence of the flag but not a specific value.Brodeur
Well, that is unpleasant. I frequently use #if 0/#else/#endif to try test code. It makes it trivial to go back and forth to test things like durability or speed. I understand the preprocessor was just another hack (on a hack on a hack). But in this case it really was a Useful Thing®Vaniavanilla
Additional note: On top of adding -D DEBUG as stated above, you also need to define DEBUG=1 in Apple LLVM 6.0 - Preprocessing -> Preprocessor Macros.Helterskelter
Can this be used to make sure some code (debug-login-credentials) are not build into the released app when building with different configurations?Trilobate
@LloydSargent, "#if false" can be used in place of "#if 0"Blah
I couldn't get this to work until I changed the formatting to -DDEBUG from this answer: https://mcmap.net/q/54794/-in-absence-of-preprocessor-macros-is-there-a-way-to-define-practical-scheme-specific-flags-at-project-level-in-xcode-project.Twigg
I'm experiencing a problem with this solution, or maybe a quirk. It works when I'm messing around before release. I can set my scheme to compile for either debug or release and the #if DEBUG yields the correct result. BUT, when I archive and submit the app to the App Store, it's appearing on the store in debug mode, and this is despite the fact my Archive build configuration is set to Release, which I've confirmed. I think this may not be working out on the store as people think it is. Anyone else confirm this?Keir
If you are using .xcconfig files you can set up these macro like this: OTHER_SWIFT_FLAGS = $(inherited) "-D" "MAC_APP_STORE".Heteronomous
@MattQuiros There's no need to add DEBUG=1 to Preprocessor Macros, if you don't want to use it in Objective-C code.Dateline
@BigRon I ended up setting a boolean in my highest level framework from my main project (where the #if DEBUG is reliable), and then all of my code within my frameworks check the boolean instead of using #if DEBUG. Of course this means the other code pathways are all still there in release, but just never execute. I haven't found a solution beyond this, but I haven't been checking lately to see if Apple may have done anything to correct it.Keir
@John A few days ago I implemented this Debug solution without your suggestion. I'll let you know how it turns out.Splore
This worked in our app target but not the ...AppTests even though we added them to Apple LLVM 6.0 - Preprocessing -> Preprocessor Macros as well as "Swift Compiler - Custom Flags"Annitaanniversary
Is there also something like #ifndef DEBUG ? (if not debug...)Marcello
@Marcello You can use standard boolean operators (ex: ` #if !DEBUG ` )Dismal
is the formatting -D DEBUG (with space) or -DDEBUG (no space)? if you also need to define DEBUG=1 as @MattQuiros said, shouldn't the answer be updated?Profiterole
@MattQuiros it seems to work without defining DEBUG=1 in Preprocessor Macros? are you sure this is still the case?Profiterole
To be very clear about this flag: the naming DEBUG is conventional, not something that is predefined by Xcode or the preprocessor. Set -DDEBUG for the Debug configuration in "other Swift flags". Set something else, e.g. -DRELEASE for the Release configuration.Rhianna
The no-space version (-DDEBUG) works for me, but the missing piece to this trick is that you need to add this in the "Swift Compiler - Custom Flags" section of the Target, not the section of this name of the Project settings.Anjelicaanjou
It's -D Debug for Objective C projects and D- Debug for Swift projects.Filose
Remember this needs to be defined for the specific framework/extension that use it! So if you have a keyboard/today extension define it there. If you have some other kind of framework same thing. This might only be necessary if the main target is objective c...Jiggle
As of Xcode 9 GM I didn't have to add any flags to the build settings as I saw that DEBUG was already included under Active Compilation Conditions under Swift Compiler-Custom Flags. However, I am not sure if it is like this by default (when you create a new project) or was placed there by CocoaPods.Reflux
@Reflux It's not placed by CocoaPods. I'm using Carthage and the flag is here. Seems to be the default as of Xcode 9.Pretence
how do you use the value for a since it is defined inside the blockChapman
These are NOT preprocessor definitions, and Swift has no preprocessor. These are compile-time attributes, and build-configuration attributes.Bowden
How can I test if it works? In Objective-C I used to write sth into the code that it gives a compiler error when it's in the right section but here this doesn't work anymoreTetragram
but it's a very ugly solution, it's better to use if _isDebugAssertConfiguration() { ... }, this one is more similar to Andorid's if (BuildConfig.DEBUG) { ... }Handspike
Apple Docs link above is dead, currently this will get you to one (not sure if it's the same one) docs.swift.org/swift-book/ReferenceManual/Statements.htmlGoral
M
413

As stated in Apple Docs

The Swift compiler does not include a preprocessor. Instead, it takes advantage of compile-time attributes, build configurations, and language features to accomplish the same functionality. For this reason, preprocessor directives are not imported in Swift.

I've managed to achieve what I wanted by using custom Build Configurations:

  1. Go to your project / select your target / Build Settings / search for Custom Flags
  2. For your chosen target set your custom flag using -D prefix (without white spaces), for both Debug and Release
  3. Do above steps for every target you have

Here's how you check for target:

#if BANANA
    print("We have a banana")
#elseif MELONA
    print("Melona")
#else
    print("Kiwi")
#endif

enter image description here

Tested using Swift 2.2

Middling answered 8/4, 2016 at 14:57 Comment(8)
1.with white space work also, 2.should set the flag only for Debug?Devoe
@Devoe it depends on your needs, but if you want something to happen only in debug mode, and not in release, you need to remove -DDEBUG from Release.Sulphate
After i set the custom flag -DLOCAL, on my #if LOCAl #else #endif, it falls into the #else section. I duplicated the original target AppTarget and rename it to AppTargetLocal & set its custom flag.Pentahedron
@PerwylLiu Yes, in that way you can actually set different flags for different targets, if you have more than one. Just make sure to not forghet to set the flags for other targets.Middling
@Middling do you happen to know how to make XCTest recognise the custom flags as well? I realise it falls into #if LOCAL , the intended result when i run with the simulator and falls into #else during testing. I want it to falls into #if LOCAL as well during testing.Pentahedron
This should be the accepted answer. The current accepted answer is incorrect for Swift as it only applies to Objective-C.Supernova
@Middling could you edit the answer to use the Active Compilation Conditions instead of Other Swift Flags. Now there is more granular control based on the configurationCacophonous
Also no need to prefix D if you use Active Compilation ConditionsCacophonous
F
188

A major change of ifdef replacement came up with Xcode 8. i.e use of Active Compilation Conditions.

Refer to Building and Linking in Xcode 8 Release note.

New build settings

New setting: SWIFT_ACTIVE_COMPILATION_CONDITIONS

“Active Compilation Conditions” is a new build setting for passing conditional compilation flags to the Swift compiler.

Previously, we had to declare your conditional compilation flags under OTHER_SWIFT_FLAGS, remembering to prepend “-D” to the setting. For example, to conditionally compile with a MYFLAG value:

#if MYFLAG1
    // stuff 1
#elseif MYFLAG2
    // stuff 2
#else
    // stuff 3
#endif

The value to add to the setting -DMYFLAG

Now we only need to pass the value MYFLAG to the new setting. Time to move all those conditional compilation values!

Please refer to below link for more Swift Build Settings feature in Xcode 8: http://www.miqu.me/blog/2016/07/31/xcode-8-new-build-settings-and-analyzer-improvements/

Forereach answered 11/9, 2016 at 10:57 Comment(7)
Is there anyway to disable a set Active Compilation Conditions at build time ? I need to disable the DEBUG condition when building the debug configuration for testing.Heterolecithal
@Heterolecithal The only way I've found is to create a 3rd build config for the project. From the Project > Info tab > Configurations, hit '+', then duplicate Debug. You can then customize the Active Compilation Conditions for this config. Don't forget to edit your Target > Test schemes to use the new build configuration!Oxazine
This should be the correct answer..its the only thing that worked for me on xCode 9 using Swift 4.x !Makkah
BTW, In Xcode 9.3 Swift 4.1 DEBUG is already there in Active Compilation Conditions and you don't have to add anything to check for DEBUG configuration. Just #if DEBUG and #endif.Pugilist
I think this is both off-topic, and a bad thing to do. you do not want to disable Active Compilation Conditions. you need a new and different configuration for testing - that will NOT have the "Debug" tag on it. Learn about schemes.Bowden
@Oxazine That's exactly what I was looking for. Thank you.Piebald
Thanks for the historical context @Forereach and @Denis. I added that context to the other question specifically about #if DEBUG.Plaintive
N
186

In many situations, you don't really need conditional compilation; you just need conditional behavior that you can switch on and off. For that, you can use an environment variable. This has the huge advantage that you don't actually have to recompile.

You can set the environment variable, and easily switch it on or off, in the scheme editor:

enter image description here

You can retrieve the environment variable with NSProcessInfo:

    let dic = NSProcessInfo.processInfo().environment
    if dic["TRIPLE"] != nil {
        // ... do secret stuff here ...
    }

Here's a real-life example. My app runs only on the device, because it uses the music library, which doesn't exist on the Simulator. How, then, to take screen shots on the Simulator for devices I don't own? Without those screen shots, I can't submit to the AppStore.

I need fake data and a different way of processing it. I have two environment variables: one which, when switched on, tells the app to generate the fake data from the real data while running on my device; the other which, when switched on, uses the fake data (not the missing music library) while running on the Simulator. Switching each of those special modes on / off is easy thanks to environment variable checkboxes in the Scheme editor. And the bonus is that I can't accidentally use them in my App Store build, because archiving has no environment variables.

Ninos answered 21/6, 2014 at 18:13 Comment(16)
For some reason my environment variable returned as nil on the second app launchHindman
Watch out: Environment Variables are set for all build configurations, they can't be set for individual ones. So this is not a viable solution if you need the behaviour to change depending on whether it's a release or a debug build.Dismissal
@Dismissal Agreed, but they are not set for all scheme actions. So you could do one thing on build-and-run and a different thing on archive, which is often the real-life distinction you want to draw. Or you could have multiple schemes, which also a real-life common pattern. Plus, as I said in my answer, switching environment variables on and off in a scheme is easy.Ninos
@matt: I see. But how do you set an environmental variable for the Archive scheme action? I don't see an Arguments tab there... (Xcode 6.3.2)Dismissal
@Dismissal added a real-life example (actually came up yesterday) to my answer.Ninos
@Dismissal but one can create different schemes (e.g., two or more per target) with different environmental variables, right?Festa
Environment variables do NOT work in archive mode. They are only applied when the app is launched from XCode. If you try to access these on a device, the app will crash. Found out the hard way.Desmond
@Desmond "Archiving has no environment variables" are the last words of my answer, above. That, as I say in my answer, is good. It's the point.Ninos
This is exactly the correct solution for the XCTest case, where you want a default behavior when the application is running in the simulator, but you want to strictly control the behavior in the tests.Sedan
Related to @Desmond comment - I'd like to clarify that in your project you can leave the code that tries to access the environment variables, even if you archive the app. When you're running an app that has been archived you get nil for the expected String? . So if you deal properly with the optional result it wont crash your app. Here's the Xcode9 snippet: let myCustomVar = ProcessInfo.processInfo.environment["MY_CUSTOM_VAR"] . myCustomVar.Middling
@Middling I think that's what my answer says (illustrating with if dic["TRIPLE"] != nil) but thanks for underlining the point.Ninos
extension ProcessInfo{ var isDebug : Bool{ get{ return self.environment["DEBUG"] == "1" } } }Tantivy
Swift actually has a compiler flag you can use to see if the app is running on a simulator: #if targetEnvironment(simulator)Dola
@PeterSchorn Correct. My answer says that sometimes that's not what's needed. What you're saying is true and what I'm saying is true. Ain't life grand?Ninos
@Ninos I didn't mean to imply that my answer contradicted anything you said. I do agree with everything you said. My answer is purely additive. I just didn't see this compiler flag mentioned anywhere else, so I decided post a comment about it.Dola
Not enough people realize the efficiencies and workflow ramifications of adding a million re-compilation requirements... thank you for this @NinosConformity
H
99

As of Swift 4.1, if all you need is just check whether the code is built with debug or release configuration, you may use the built-in functions:

  • _isDebugAssertConfiguration() (true when optimization is set to -Onone)
  • _isReleaseAssertConfiguration() (true when optimization is set to -O) (not available on Swift 3+)
  • _isFastAssertConfiguration() (true when optimization is set to -Ounchecked)

e.g.

func obtain() -> AbstractThing {
    if _isDebugAssertConfiguration() {
        return DecoratedThingWithDebugInformation(Thing())
    } else {
        return Thing()
    }
}

Compared with preprocessor macros,

  • ✓ You don't need to define a custom -D DEBUG flag to use it
  • ~ It is actually defined in terms of optimization settings, not Xcode build configuration
  • ✗ Undocumented, which means the function can be removed in any update (but it should be AppStore-safe since the optimizer will turn these into constants)

  • ✗ Using in if/else will always generate a "Will never be executed" warning.

Hallock answered 30/12, 2015 at 15:43 Comment(9)
Are these built-in functions evaluated at compile time or runtime?Wilcox
@MattDiPasquale Optimization time. if _isDebugAssertConfiguration() will be evaluated to if false in release mode and if true is debug mode.Hallock
I can't use these functions to opt out some debug-only variable in release, though.Libido
Are these functions documented somewhere?Blakeslee
@TomHarrington It wasn't publicly documented anywhere. The source code is in github.com/apple/swift/blob/master/stdlib/public/core/…. There is a Draft SE proposal to replace these functions by a better syntax like #if config(debug).Hallock
As of Swift 3.0 & XCode 8, these functions are invalid.Karalee
@Karalee On Swift 3.1 only _isReleaseAssertConfiguration() is invalid, the other two becomes public again due to a bug.Hallock
@Hallock Do you know if these functions are still available as of Swift 4, and newer? can you please update your answer?Bowden
@MottiShneor Still exists on 4.1. Updated.Hallock
M
93

Xcode 8 and above

Use Active Compilation Conditions setting in Build settings / Swift compiler - Custom flags.

  • This is the new build setting for passing conditional compilation flags to the Swift compiler.
  • Simple add flags like this: ALPHA, BETA etc.

Then check it with compilation conditions like this:

#if ALPHA
    //
#elseif BETA
    //
#else
    //
#endif

Tip: You can also use #if !ALPHA etc.

Marta answered 13/1, 2017 at 10:26 Comment(1)
See this documentation for a full list of the conditions and their use: docs.swift.org/swift-book/ReferenceManual/Statements.html#Vespertine
C
81

There is no Swift preprocessor. (For one thing, arbitrary code substitution breaks type- and memory-safety.)

Swift does include build-time configuration options, though, so you can conditionally include code for certain platforms or build styles or in response to flags you define with -D compiler args. Unlike with C, though, a conditionally compiled section of your code must be syntactically complete. There's a section about this in Using Swift With Cocoa and Objective-C.

For example:

#if os(iOS)
    let color = UIColor.redColor()
#else
    let color = NSColor.redColor()
#endif
Consumedly answered 2/6, 2014 at 21:17 Comment(8)
"For one thing, arbitrary code substitution breaks type- and memory-safety." Doesn't a pre-processor do its work before the compiler does (hence the name)? So all these checks could still take place.Jenson
@Jenson I think what it breaks is IDE supportDeterminant
I think what @Consumedly is getting at is that C Preprocessor macros have no understanding of type and their presence would break Swift's type requirements. The reason macros work in C is because C allows implicit type conversion, which means you could put your INT_CONST anywhere a float would be accepted. Swift would not allow this. Also, if you could do var floatVal = INT_CONST inevitably it would breakdown somewhere later when the compiler expects an Int but you use it as a Float (type of floatVal would be inferred as Int). 10 casts later and its just cleaner to remove macros...Informal
I'm trying to use this but it doesn't seem to work, it's still compiling the Mac code on iOS builds. Is there another setup screen somewhere that has to be tweaked?Yamamoto
@Jenson you are correct - a pre-processor does not break any type or memory safety.Dacoit
You can think of it as a fancy search-and-replace/templating before the compilation step. Given it's a source level transformation it only breaks things if the result of the transformation breaks things. Which is why @Ephemera's example and conclusion is not correct like that.Dacoit
This seems to be the only solution that is working on Xcode 10.1 Swift 4.2!Binkley
It would be easy to run Swift code through a C or C++ preprocessor before compiling it as Swift code. It would obviously do exactly what a C preprocessor does. It could be useful. There are other things that you could run through a C preprocessor with useful resultsOsburn
I
58

isDebug Constant Based on Active Compilation Conditions

Another, perhaps simpler, solution that still results in a boolean that you can pass into functions without peppering #if conditionals throughout your codebase is to define DEBUG as one of your project build target's Active Compilation Conditions and include the following (I define it as a global constant):

#if DEBUG
    let isDebug = true
#else
    let isDebug = false
#endif

isDebug Constant Based on Compiler Optimization Settings

This concept builds on kennytm's answer

The main advantage when comparing against kennytm's, is that this does not rely on private or undocumented methods.

In Swift 4:

let isDebug: Bool = {
    var isDebug = false
    // function with a side effect and Bool return value that we can pass into assert()
    func set(debug: Bool) -> Bool {
        isDebug = debug
        return isDebug
    }
    // assert:
    // "Condition is only evaluated in playgrounds and -Onone builds."
    // so isDebug is never changed to true in Release builds
    assert(set(debug: true))
    return isDebug
}()

Compared with preprocessor macros and kennytm's answer,

  • ✓ You don't need to define a custom -D DEBUG flag to use it
  • ~ It is actually defined in terms of optimization settings, not Xcode build configuration
  • Documented, which means the function will follow normal API release/deprecation patterns.

  • ✓ Using in if/else will not generate a "Will never be executed" warning.

Iseabal answered 22/11, 2017 at 20:41 Comment(0)
A
52

My two cents for Xcode 8:

a) A custom flag using the -D prefix works fine, but...

b) Simpler use:

In Xcode 8 there is a new section: "Active Compilation Conditions", already with two rows, for debug and release.

Simply add your define WITHOUT -D.

Automate answered 4/9, 2016 at 7:29 Comment(4)
Thanks for mentioning that there are TWO ROWS FOR DEBUG AND RELEASEGrouchy
anyone tested this in release?Cabby
This is the updated answer for swift users. ie without -D.Sate
I had tried to set the flag in "Other Swift Flags" but nothing happened. Thanks for your suggestion to set it in "Active Compilation Conditions". It works.Footlocker
R
50

Moignans answer here works fine. Here is another piece of info in case it helps,

#if DEBUG
    let a = 2
#else
    let a = 3
#endif

You can negate the macros like below,

#if !RELEASE
    let a = 2
#else
    let a = 3
#endif
Ritter answered 21/5, 2019 at 14:14 Comment(0)
V
29

In Swift projects created with Xcode Version 9.4.1, Swift 4.1

#if DEBUG
#endif

works by default because in the Preprocessor Macros DEBUG=1 has already been set by Xcode.

So you can use #if DEBUG "out of box".

By the way, how to use the condition compilation blocks in general is written in Apple's book The Swift Programming Language 4.1 (the section Compiler Control Statements) and how to write the compile flags and what is counterpart of the C macros in Swift is written in another Apple's book Using Swift with Cocoa and Objective C (in the section Preprocessor Directives)

Hope in future Apple will write the more detailed contents and the indexes for their books.

Vivie answered 8/9, 2018 at 5:55 Comment(0)
R
25

XCODE 9 AND ABOVE

#if DEVELOP
    //print("Develop")
#elseif PRODUCTION
    //print("Production")
#else
    //
#endif
Rogatory answered 14/9, 2018 at 12:1 Comment(0)
P
25

There are some processors that take an argument and I listed them below. you can change the argument as you like:

#if os(macOS) /* Checks the target operating system */

#if canImport(UIKit) /* Check if a module presents */

#if swift(<5) /* Check the Swift version */

#if targetEnvironment(simulator) /* Check envrionments like Simulator or Catalyst */

#if compiler(<7) /* Check compiler version */

Also, You can use any custom flags like DEBUG or any other flags you defined

#if DEBUG
print("Debug mode")
#endif
Polydactyl answered 5/8, 2020 at 12:43 Comment(0)
G
8

After setting DEBUG=1 in your GCC_PREPROCESSOR_DEFINITIONS Build Settings I prefer using a function to make this calls:

func executeInProduction(_ block: () -> Void)
{
    #if !DEBUG
        block()
    #endif
}

And then just enclose in this function any block that I want omitted in Debug builds:

executeInProduction {
    Fabric.with([Crashlytics.self]) // Compiler checks this line even in Debug
}

The advantage when compared to:

#if !DEBUG
    Fabric.with([Crashlytics.self]) // This is not checked, may not compile in non-Debug builds
#endif

Is that the compiler checks the syntax of my code, so I am sure that its syntax is correct and builds.

Gyron answered 7/2, 2018 at 19:44 Comment(0)
A
5

![In Xcode 8 & above go to build setting -> search for custom flags ]1

In code

 #if Live
    print("Live")
    #else
    print("debug")
    #endif
Amphidiploid answered 21/2, 2018 at 11:11 Comment(1)
You have hit on it here! Swift #if looks at custom flags NOT preprocessor macros. Please update your answer with the content from the link, often times links will break after a whileWarhorse
I
4
func inDebugBuilds(_ code: () -> Void) {
    assert({ code(); return true }())
}

Source

Integrant answered 30/11, 2018 at 9:0 Comment(2)
This isn't conditional compilation. While useful , its just a plain old runtime conditional. The OP is asking after compiletime for metaprogramming purposesCalendar
Just add @inlinable in front of func and this would be the most elegant and idiomatic way for Swift. In release builds your code() block will be optimized and eliminated altogether. A similar function is used in Apple's own NIO framework.Alow
L
2

This builds on Jon Willis's answer that relies upon assert, which only gets executed in Debug compilations:

func Log(_ str: String) { 
    assert(DebugLog(str)) 
}
func DebugLog(_ str: String) -> Bool { 
    print(str) 
    return true
}

My use case is for logging print statements. Here is a benchmark for Release version on iPhone X:

let iterations = 100_000_000
let time1 = CFAbsoluteTimeGetCurrent()
for i in 0 ..< iterations {
    Log ("⧉ unarchiveArray:\(fileName) memoryTime:\(memoryTime) count:\(array.count)")
}
var time2 = CFAbsoluteTimeGetCurrent()
print ("Log: \(time2-time1)" )

prints:

Log: 0.0

Looks like Swift 4 completely eliminates the function call.

Loram answered 15/12, 2017 at 0:2 Comment(1)
Eliminates, as in removes the call in its entirety when not in debug - due to the function being empty? That would be perfect.Cowie
L
1

You can create an enum like this named AppConfiguration to make your raw values type safe.

enum AppConfiguration: String {
    
    case debug
    case release
    
}

put that in a static variable

struct Constants {
    
    static var appConfiguration: AppConfiguration {
        
        #if DEBUG
        return .debug
        #else
        return .release
        #endif
        
    }
    
}

which you can then use around your entire project like this -

if Constants.appConfiguration == .debug {

print("debug")

} else {

print("release")

}
Laquitalar answered 2/8, 2023 at 12:17 Comment(0)
P
0

Swift 5 update for matt's answer

let dic = ProcessInfo.processInfo.environment
if dic["TRIPLE"] != nil {
// ... do your secret stuff here ...
}
Pileous answered 9/11, 2021 at 11:35 Comment(0)

© 2022 - 2024 — McMap. All rights reserved.