print

  • func print(_:separator:terminator:)(_ items: Any, separator: String = " ", terminator: String = "\n")

Writes the textual representations of the given items into the standard output.

You can pass zero or more items to the print(_:separator:terminator:) function. The textual representation for each item is the same as that obtained by calling String(item). The following example prints a string, a closed range of integers, and a group of floating-point values to standard output:

  • print("One two three four five")
  • // Prints "One two three four five"
  •  
  • print(1...5)
  • // Prints "1...5"
  •  
  • print(1.0, 2.0, 3.0, 4.0, 5.0)
  • // Prints "1.0 2.0 3.0 4.0 5.0"

To print the items separated by something other than a space, pass a string as separator.

  • print(1.0, 2.0, 3.0, 4.0, 5.0, separator: " ... ")
  • // Prints "1.0 ... 2.0 ... 3.0 ... 4.0 ... 5.0"

The output from each call to print(_:separator:terminator:) includes a newline by default. To print the items without a trailing newline, pass an empty string as terminator.

  • for n in 1...5 {
  •     print(n, terminator: "")
  • }
  • // Prints "12345"
  • func print(_:separator:terminator:to:)(_ items: Any, separator: String = " ", terminator: String = "\n", to output: inout Target)

Writes the textual representations of the given items into the given output stream.

You can pass zero or more items to the print(_:separator:terminator:to:) function. The textual representation for each item is the same as that obtained by calling String(item). The following example prints a closed range of integers to a string:

  • var range = "My range: "
  • print(1...5, to: &range)
  • // range == "My range: 1...5\n"

To print the items separated by something other than a space, pass a string as separator.

  • var separated = ""
  • print(1.0, 2.0, 3.0, 4.0, 5.0, separator: " ... ", to: &separated)
  • // separated == "1.0 ... 2.0 ... 3.0 ... 4.0 ... 5.0\n"

The output from each call to print(_:separator:terminator:to:) includes a newline by default. To print the items without a trailing newline, pass an empty string as terminator.

  • var numbers = ""
  • for n in 1...5 {
  •     print(n, terminator: "", to: &numbers)
  • }
  • // numbers == "12345"