NSLog(@“%s”、__PRETTY_FUNCTION__)のSwift代替はありますか?


87

Objective Cでは、呼び出されているメソッドを次のようにログに記録できます。

NSLog(@"%s", __PRETTY_FUNCTION__)

通常、これはロギングマクロから使用されます。

Swiftはマクロをサポートしていませんが(私は思う)、呼び出された関数の名前を含む一般的なログステートメントを使用したいと思います。Swiftでそれは可能ですか?

更新: 私はここで見つけることができるロギングのためにこのグローバル関数を使用します:https : //github.com/evermeer/Stuff#print そして、あなたは次を使用してインストールすることができます:

pod 'Stuff/Print'

これがコードです:

public class Stuff {

    public enum logLevel: Int {
        case info = 1
        case debug = 2
        case warn = 3
        case error = 4
        case fatal = 5
        case none = 6

        public func description() -> String {
            switch self {
            case .info:
                return "❓"
            case .debug:
                return "✳️"
            case .warn:
                return "⚠️"
            case .error:
                return "🚫"
            case .fatal:
                return "🆘"
            case .none:
                return ""
            }
        }
    }

    public static var minimumLogLevel: logLevel = .info

    public static func print<T>(_ object: T, _ level: logLevel = .debug, filename: String = #file, line: Int = #line, funcname: String = #function) {
        if level.rawValue >= Stuff.minimumLogLevel.rawValue {
            let dateFormatter = DateFormatter()
            dateFormatter.dateFormat = "MM/dd/yyyy HH:mm:ss:SSS"
            let process = ProcessInfo.processInfo
            let threadId = "?"
            let file = URL(string: filename)?.lastPathComponent ?? ""
            Swift.print("\n\(level.description()) .\(level) ⏱ \(dateFormatter.string(from: Foundation.Date())) 📱 \(process.processName) [\(process.processIdentifier):\(threadId)] 📂 \(file)(\(line)) ⚙️ \(funcname) ➡️\r\t\(object)")
        }
    }
}

次のように使用できます:

Stuff.print("Just as the standard print but now with detailed information")
Stuff.print("Now it's a warning", .warn)
Stuff.print("Or even an error", .error)

Stuff.minimumLogLevel = .error
Stuff.print("Now you won't see normal log output")
Stuff.print("Only errors are shown", .error)

Stuff.minimumLogLevel = .none
Stuff.print("Or if it's disabled you won't see any log", .error)    

結果は次のようになります:

✳️ .debug ⏱ 02/13/2017 09:52:51:852 📱 xctest [18960:?] 📂 PrintStuffTests.swift(15) ⚙️ testExample() ➡️
    Just as the standard print but now with detailed information

⚠️ .warn ⏱ 02/13/2017 09:52:51:855 📱 xctest [18960:?] 📂 PrintStuffTests.swift(16) ⚙️ testExample() ➡️
    Now it's a warning

🚫 .error ⏱ 02/13/2017 09:52:51:855 📱 xctest [18960:?] 📂 PrintStuffTests.swift(17) ⚙️ testExample() ➡️
    Or even an error

🚫 .error ⏱ 02/13/2017 09:52:51:855 📱 xctest [18960:?] 📂 PrintStuffTests.swift(21) ⚙️ testExample() ➡️
    Only errors are shown

1
私が使用するNSLog("Running %@ : %@",NSStringFromClass(self.dynamicType),__FUNCTION__)
Magster


1
あなたのロギングスタイルは「きれいな機能」の定義であるべきだと思います。共有いただきありがとうございます。
HuaTham 2017

回答:


101

スウィフトはあり#file#function#line#columnSwiftプログラミング言語から:

#file -文字列-表示されるファイルの名前。

#line -Int-表示される行番号。

#column -Int-始まる列番号。

#function -文字列-出現する宣言の名前。


11
確かに、これらはすべてCから転送されたものです。しかし__PRETTY_FUNCTION__、それは、与えられたオプションから簡単に作成されないに関する質問には答えませんでした。(あり__CLASS__ますか?ある場合、それは役に立ちます。)
オリー14

10
Swift 2.2では、次のように
Ramis

70

Swift 2.2以降では、次を使用する必要があります。

  • #file(文字列)表示されるファイルの名前。
  • #line(Int)表示される行番号。
  • #column(Int)開始する列番号。
  • #function(文字列)表示される宣言の名前。

スウィフトプログラミング言語(スウィフト3.1)ページ894で。

func specialLiterals() {
    print("#file literal from file: \(#file)")
    print("#function literal from function: \(#function)")
    print("#line: \(#line) -> #column: \(#column)")
}
// Output:
// #file literal from file: My.playground
// #function literal from function: specialLiterals()
// #line: 10 -> #column: 42

1
これは、現在の正解としてマークする必要があります。
Danny Bravo

18

Swift 4これ
が私のアプローチです:

func pretty_function(_ file: String = #file, function: String = #function, line: Int = #line) {

    let fileString: NSString = NSString(string: file)

    if Thread.isMainThread {
        print("file:\(fileString.lastPathComponent) function:\(function) line:\(line) [M]")
    } else {
        print("file:\(fileString.lastPathComponent) function:\(function) line:\(line) [T]")
    }
}

これをグローバル関数にして、呼び出すだけです

pretty_function()

ボーナス:スレッドが実行されていることがわかります。[T]はバックグラウンドスレッド、[M]はメインスレッドです。


ファイルの宣言をStringからNSStringに変更する必要があります。lastPathComponentはStringでは使用できません。
primulaveris

1
素晴らしい男。Swiftの小さな変更> 2.1:「println」は「print」に名前が変更されました。print( "file:(file.debugDescription)function:(function)line:(line)")
John Doe

かっこいい、うまくいく。どういうわけかクラス/オブジェクトをそれに渡すことができることも素晴らしいでしょう(1つのオプションは、明示的な自己引数を使用することです)。ありがとう。
チベット海沿岸

あなたのアプローチの問題:-この関数はスレッドセーフではありません。一度に別のスレッドから呼び出す場合は、いくつかの悪い驚きに備えてください-グローバル関数の使用は悪い習慣です
Karoly Nyisztor

9

XCodeベータ6以降では、を使用reflect(self).summaryしてクラス名__FUNCTION__を取得したり、関数名を取得したりすることができますが、現時点では少し複雑になっています。うまくいけば、彼らはより良い解決策を思い付くでしょう。ベータ版がなくなるまで#defineを使用する価値があるかもしれません。

このコード:

NSLog("[%@ %@]", reflect(self).summary, __FUNCTION__)

このような結果を与えます:

2014-08-24 08:46:26.606 SwiftLessons[427:16981938] [C12SwiftLessons24HelloWorldViewController (has 2 children) goodbyeActiongoodbyeAction]

編集:これはより多くのコードですが、私が必要とするものに近づきました。

func intFromString(str: String) -> Int
{
    var result = 0;
    for chr in str.unicodeScalars
    {
        if (chr.isDigit())
        {
            let value = chr - "0";
            result *= 10;
            result += value;
        }
        else
        {
            break;
        }
    }

    return result;
}


@IBAction func flowAction(AnyObject)
{
    let cname = _stdlib_getTypeName(self)
    var parse = cname.substringFromIndex(1)                                 // strip off the "C"
    var count = self.intFromString(parse)
    var countStr = String(format: "%d", count)                              // get the number at the beginning
    parse = parse.substringFromIndex(countStr.lengthOfBytesUsingEncoding(NSUTF8StringEncoding))
    let appName = parse.substringToIndex(count)                             // pull the app name

    parse = parse.substringFromIndex(count);                                // now get the class name
    count = self.intFromString(parse)
    countStr = String(format: "%d", count)
    parse = parse.substringFromIndex(countStr.lengthOfBytesUsingEncoding(NSUTF8StringEncoding))
    let className = parse.substringToIndex(count)
    NSLog("app: %@ class: %@ func: %@", appName, className, __FUNCTION__)
}

次のような出力が得られます。

2014-08-24 09:52:12.159 SwiftLessons[1397:17145716] app: SwiftLessons class: ViewController func: flowAction

8

私はグローバルログ関数を定義することを好みます:

[Swift 3.1]

func ZYLog(_ object: Any?, filename: String = #file, line: Int = #line, funcname: String = #function) {
    #if DEBUG
    print("****\(Date()) \(filename)(\(line)) \(funcname):\r\(object ?? "nil")\n")
    #endif
}

[Swift 3.0]

func ZYLog<T>(_ object: T?, filename: String = #file, line: Int = #line, funcname: String = #function) {
    #if DEBUG
    print("****\(Date()) \(filename)(\(line)) \(funcname):\r\(object)\n")
    #endif
}

[Swift 2.0]

func ZYLog<T>(object: T, filename: String = __FILE__, line: Int = __LINE__, funcname: String = __FUNCTION__) {
    println("****\(filename.lastPathComponent)(\(line)) \(funcname):\r\(object)\n")
}

出力は次のようになります。

****ZYHttpSessionManager.swift(78) POST(_:parameters:success:failure:):
[POST] user/login, {
    "auth_key" = xxx;
    "auth_type" = 0;
    pwd = xxx;
    user = "xxx";
}

****PointViewController.swift(162) loadData():
review/list [limit: 30, skip: 0]

****ZYHttpSessionManager.swift(66) GET(_:parameters:success:failure:):
[GET] review/list, {
    "auth_key" = xxx;
    uuid = "xxx";
}

objectパラメータはのAny代わりにとして宣言できるため、ここでは実際にはジェネリック関数は必要ありませんT

5

これが更新されたSwift 2の回答です。

func LogW(msg:String, function: String = __FUNCTION__, file: String = __FILE__, line: Int = __LINE__){
    print("[WARNING]\(makeTag(function, file: file, line: line)) : \(msg)")
}

private func makeTag(function: String, file: String, line: Int) -> String{
    let url = NSURL(fileURLWithPath: file)
    let className:String! = url.lastPathComponent == nil ? file: url.lastPathComponent!
    return "\(className) \(function)[\(line)]"
}

使用例:

LogW("Socket connection error: \(error)")

1
これは素晴らしいです。しかし、その後、再び.. LOGWは(パラメータで、コンマで区切られた))(印刷とまったく同じ使用することができない..
Guntis Treulands

「LogWをprint()とまったく同じように使用することはできません(パラメーターをコンマで区切って)このサポートを追加するつもりでしたが、必要がないことがわかりました。「LogW( "Socket connection error:(error)other info :(otherInfo) ")"
Daniel Ryan、

1
そうだね。まあ私はいじりました、そして私が見つけた他の唯一の解決策は-ステートメントを保持するために余分な()を使用して、それをできるだけprint()に類似させることです。あなたの答えを使ってこれを作成しましたgithub.com/GuntisTreulands/ColorLogger-Swift とにかく、どうもありがとうございます!:)
Guntis Treulands

非常に便利!Swift 2.2以降__FUNCTION__ becomes #function, __FILE__ becomes #file, and __LINE__ becomes #line.
カール・スミス

新しい値に問題がありました。コードベースを更新するまで、swift 3まで待機します。
ダニエルライアン

0

または、次のように関数を少し変更します。

func logFunctionName(file:String = __FILE__, fnc:String = __FUNCTION__, line:(Int)=__LINE__) {
    var className = file.lastPathComponent.componentsSeparatedByString(".")
    println("\(className[0]):\(fnc):\(line)")

}

/ *次のような実行トレースを生成します:AppDelegate:application(_:didFinishLaunchingWithOptions :):18 Product:init(type:name:year:price :):34 FirstViewController:viewDidLoad():15 AppDelegate:applicationDidBecomeActive:62 * /


0

私が使用する、これはswiftファイルで必要なすべてです、他のすべてのファイルは(グローバル関数として)それを拾います。アプリケーションをリリースしたいときは、その行をコメント化してください。

import UIKit

func logFunctionName(file:NSString = __FILE__, fnc:String = __FUNCTION__){  
    println("\(file.lastPathComponent):\(fnc)")
}

0

Swift 3.0

public func LogFunction<T>(object: T, filename: String = #file, line: Int = #line, funcname: String = #function) {
    let dateFormatter = DateFormatter()
    dateFormatter.dateFormat = "MM/dd/yyyy HH:mm:ss:SSS"
    let process = ProcessInfo.processInfo()
    let threadId = "?"
    print("\(dateFormatter.string(from:Date())) \(process.processName) [\(process.processIdentifier):\(threadId)] \(filename)(\(line)) \(funcname)::: \(object)")
}

0

Swift 3.x +

完全なファイル名が必要ない場合は、ここで簡単に修正できます。

func trace(fileName:String = #file, lineNumber:Int = #line, functionName:String = #function) -> Void {
    print("filename: \(fileName.components(separatedBy: "/").last!) function: \(functionName) line: #\(lineNumber)")
}

filename: ViewController.swift function: viewDidLoad() line: #42

0

関数呼び出しを記録する別の方法:

NSLog("\(type(of:self)): %@", #function)
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.