我想以编程方式确定iOS应用程序是直接从XCode运行(在模拟器中还是在系留设备上)。 我已经尝试了here描述的-D DEBUG解决方案,但是当我从Xcode断开并重新运行应用程序时,它仍然认为它处于调试模式。 我认为我正在寻找的是this function
的Swift版本#include <assert.h>
#include <stdbool.h>
#include <sys/types.h>
#include <unistd.h>
#include <sys/sysctl.h>
static bool AmIBeingDebugged(void)
// Returns true if the current process is being debugged (either
// running under the debugger or has a debugger attached post facto).
{
int junk;
int mib[4];
struct kinfo_proc info;
size_t size;
// Initialize the flags so that, if sysctl fails for some bizarre
// reason, we get a predictable result.
info.kp_proc.p_flag = 0;
// Initialize mib, which tells sysctl the info we want, in this case
// we're looking for information about a specific process ID.
mib[0] = CTL_KERN;
mib[1] = KERN_PROC;
mib[2] = KERN_PROC_PID;
mib[3] = getpid();
// Call sysctl.
size = sizeof(info);
junk = sysctl(mib, sizeof(mib) / sizeof(*mib), &info, &size, NULL, 0);
assert(junk == 0);
// We're being debugged if the P_TRACED flag is set.
return ( (info.kp_proc.p_flag & P_TRACED) != 0 );
}
答案 0 :(得分:46)
澄清:您的C代码(以及下面的Swift版本)会检查是否 该程序在调试器控件下运行,,如果它正在运行,则不会 Xcode中。可以调试Xcode之外的程序(通过调用lldb或 gdb直接)并且可以从Xcode运行程序而无需调试它 (如果方案设置中的“Debug Executable”复选框已关闭)。
你可以简单地保留C函数并从Swift中调用它。 How to call Objective-C code from Swift中给出的配方也适用于纯C代码。
但将代码转换为Swift实际上并不太复杂:
func amIBeingDebugged() -> Bool {
var info = kinfo_proc()
var mib : [Int32] = [CTL_KERN, KERN_PROC, KERN_PROC_PID, getpid()]
var size = strideofValue(info)
let junk = sysctl(&mib, UInt32(mib.count), &info, &size, nil, 0)
assert(junk == 0, "sysctl failed")
return (info.kp_proc.p_flag & P_TRACED) != 0
}
说明:
kinfo_proc()
使用all创建一个完全初始化的结构
字段设置为零,因此不需要设置info.kp_proc.p_flag = 0
。int
类型为Int32
是Swift。 sizeof(info)
必须是strideOfValue(info)
在Swift中包含结构填充。使用sizeofValue(info)
上面的代码总是在模拟器中为64位设备返回false。这是最困难的部分。更新Swift 3(Xcode 8):
strideofValue
并且相关功能不再存在,
它们已被MemoryLayout
替代:
func amIBeingDebugged() -> Bool {
var info = kinfo_proc()
var mib : [Int32] = [CTL_KERN, KERN_PROC, KERN_PROC_PID, getpid()]
var size = MemoryLayout<kinfo_proc>.stride
let junk = sysctl(&mib, UInt32(mib.count), &info, &size, nil, 0)
assert(junk == 0, "sysctl failed")
return (info.kp_proc.p_flag & P_TRACED) != 0
}