A Swift TourTradition suggests that the first program in a new languag การแปล - A Swift TourTradition suggests that the first program in a new languag ไทย วิธีการพูด

A Swift TourTradition suggests that

A Swift Tour
Tradition suggests that the first program in a new language should print the words “Hello, world!” on the screen. In Swift, this can be done in a single line:

print("Hello, world!")
If you have written code in C or Objective-C, this syntax looks familiar to you—in Swift, this line of code is a complete program. You don’t need to import a separate library for functionality like input/output or string handling. Code written at global scope is used as the entry point for the program, so you don’t need a main() function. You also don’t need to write semicolons at the end of every statement.

This tour gives you enough information to start writing code in Swift by showing you how to accomplish a variety of programming tasks. Don’t worry if you don’t understand something—everything introduced in this tour is explained in detail in the rest of this book.

NOTE

For the best experience, open this chapter as a playground in Xcode. Playgrounds allow you to edit the code listings and see the result immediately.

Download Playground

Simple Values

Use let to make a constant and var to make a variable. The value of a constant doesn’t need to be known at compile time, but you must assign it a value exactly once. This means you can use constants to name a value that you determine once but use in many places.

var myVariable = 42
myVariable = 50
let myConstant = 42
A constant or variable must have the same type as the value you want to assign to it. However, you don’t always have to write the type explicitly. Providing a value when you create a constant or variable lets the compiler infer its type. In the example above, the compiler infers that myVariable is an integer because its initial value is an integer.

If the initial value doesn’t provide enough information (or if there is no initial value), specify the type by writing it after the variable, separated by a colon.

let implicitInteger = 70
let implicitDouble = 70.0
let explicitDouble: Double = 70
EXPERIMENT

Create a constant with an explicit type of Float and a value of 4.

Values are never implicitly converted to another type. If you need to convert a value to a different type, explicitly make an instance of the desired type.

let label = "The width is "
let width = 94
let widthLabel = label + String(width)
EXPERIMENT

Try removing the conversion to String from the last line. What error do you get?

There’s an even simpler way to include values in strings: Write the value in parentheses, and write a backslash () before the parentheses. For example:

let apples = 3
let oranges = 5
let appleSummary = "I have (apples) apples."
let fruitSummary = "I have (apples + oranges) pieces of fruit."
EXPERIMENT

Use () to include a floating-point calculation in a string and to include someone’s name in a greeting.

Create arrays and dictionaries using brackets ([]), and access their elements by writing the index or key in brackets. A comma is allowed after the last element.

var shoppingList = ["catfish", "water", "tulips", "blue paint"]
shoppingList[1] = "bottle of water"

var occupations = [
"Malcolm": "Captain",
"Kaylee": "Mechanic",
]
occupations["Jayne"] = "Public Relations"
To create an empty array or dictionary, use the initializer syntax.

let emptyArray = [String]()
let emptyDictionary = [String: Float]()
If type information can be inferred, you can write an empty array as [] and an empty dictionary as [:]—for example, when you set a new value for a variable or pass an argument to a function.

shoppingList = []
occupations = [:]
Control Flow

Use if and switch to make conditionals, and use for-in, for, while, and repeat-while to make loops. Parentheses around the condition or loop variable are optional. Braces around the body are required.

let individualScores = [75, 43, 103, 87, 12]
var teamScore = 0
for score in individualScores {
if score > 50 {
teamScore += 3
} else {
teamScore += 1
}
}
print(teamScore)
In an if statement, the conditional must be a Boolean expression—this means that code such as if score { ... } is an error, not an implicit comparison to zero.

You can use if and let together to work with values that might be missing. These values are represented as optionals. An optional value either contains a value or contains nil to indicate that a value is missing. Write a question mark (?) after the type of a value to mark the value as optional.

var optionalString: String? = "Hello"
print(optionalString == nil)

var optionalName: String? = "John Appleseed"
var greeting = "Hello!"
if let name = optionalName {
greeting = "Hello, (name)"
}
EXPERIMENT

Change optionalName to nil. What greeting do you get? Add an else clause that sets a different greeting if optionalName is nil.

If the optional value is nil, the conditional is false and the code in braces is skipped. Otherwise, the optional value is unwrapped and assigned to the constant after let, which makes the unwrapped value available inside the block of code.

Switches support any kind of data and a wide variety of comparison operations—they aren’t limited to integers and tests for equality.

let vegetable = "red pepper"
switch vegetable {
case "celery":
let vegetableComment = "Add some raisins and make ants on a log."
case "cucumber", "watercress":
let vegetableComment = "That would make a good tea sandwich."
case let x where x.hasSuffix("pepper"):
let vegetableComment = "Is it a spicy (x)?"
default:
let vegetableComment = "Everything tastes good in soup."
}
EXPERIMENT

Try removing the default case. What error do you get?

Notice how let can be used in a pattern to assign the value that matched that part of a pattern to a constant.

After executing the code inside the switch case that matched, the program exits from the switch statement. Execution doesn’t continue to the next case, so there is no need to explicitly break out of the switch at the end of each case’s code.

You use for-in to iterate over items in a dictionary by providing a pair of names to use for each key-value pair. Dictionaries are an unordered collection, so their keys and values are iterated over in an arbitrary order.

let interestingNumbers = [
"Prime": [2, 3, 5, 7, 11, 13],
"Fibonacci": [1, 1, 2, 3, 5, 8],
"Square": [1, 4, 9, 16, 25],
]
var largest = 0
for (kind, numbers) in interestingNumbers {
for number in numbers {
if number > largest {
largest = number
}
}
}
print(largest)
EXPERIMENT

Add another variable to keep track of which kind of number was the largest, as well as what that largest number was.

Use while to repeat a block of code until a condition changes. The condition of a loop can be at the end instead, ensuring that the loop is run at least once.

var n = 2
while n < 100 {
n = n * 2
}
print(n)

var m = 2
repeat {
m = m * 2
} while m < 100
print(m)
You can keep an index in a loop—either by using ..< to make a range of indexes or by writing an explicit initialization, condition, and increment. These two loops do the same thing:

var firstForLoop = 0
for i in 0.. to separate the parameter names and types from the function’s return type.

func greet(name: String, day: String) -> String {
return "Hello (name), today is (day)."
}
greet("Bob", day: "Tuesday")
EXPERIMENT

Remove the day parameter. Add a parameter to include today’s lunch special in the greeting.

Use a tuple to make a compound value—for example, to return multiple values from a function. The elements of a tuple can be referred to either by name or by number.

func calculateStatistics(scores: [Int]) -> (min: Int, max: Int, sum: Int) {
var min = scores[0]
var max = scores[0]
var sum = 0

for score in scores {
if score > max {
max = score
} else if score < min {
min = score
}
sum += score
}

return (min, max, sum)
}
let statistics = calculateStatistics([5, 3, 100, 3, 9])
print(statistics.sum)
print(statistics.2)
Functions can also take a variable number of arguments, collecting them into an array.

func sumOf(numbers: Int...) -> Int {
var sum = 0
for number in numbers {
sum += number
}
return sum
}
sumOf()
sumOf(42, 597, 12)
EXPERIMENT

Write a function that calculates the average of its arguments.

Functions can be nested. Nested functions have access to variables that were declared in the outer function. You can use nested functions to organize the code in a function that is long or complex.

func returnFifteen() -> Int {
var y = 10
func add() {
y += 5
}
add()
return y
}
returnFifteen()
Functions are a first-class type. This means that a function can return another function as its value.

func makeIncrementer() -> (Int -> Int) {
func addOne(number: Int) -> Int {
return 1 + number
}
return addOne
}
var increment = makeIncrementer()
increment(7)
A function can take another function as one of its arguments.

func hasAnyMatches(list: [Int], condition: Int -> Bool) -> Bool {
for item in list {
if condition(item) {
return true
}
}
return false
}
func lessThanTen(number: Int) -> Bool {
return number < 10
}
var numbers = [20, 19, 7, 12]
hasAnyMatches(numbers, condition: lessThanTen)
Functions are actually a special case of closures: blocks of code that can be called later. The code in a closure has access to things like variables and functions that were available in the scope where the closure was created, even if t
0/5000
จาก: -
เป็น: -
ผลลัพธ์ (ไทย) 1: [สำเนา]
คัดลอก!
ทัวร์รวดเร็วประเพณีแนะนำโปรแกรมแรกในภาษาใหม่ควรพิมพ์คำว่า "Hello, world" บนหน้าจอ ใน Swift นี้สามารถทำได้ในบรรทัดเดียว:พิมพ์ ("Hello, world !")ถ้าคุณมีเขียนรหัสใน C หรือ C วัตถุประสงค์ ไวยากรณ์นี้ดูคุ้นเคยกับคุณ — ใน Swift รหัสบรรทัดนี้เป็นโปรแกรมสมบูรณ์ คุณไม่จำเป็นต้องนำเข้าไลบรารีแยกต่างหากสำหรับการทำงานเช่นอินพุต/เอาท์พุตหรือการจัดการสายอักขระ รหัสที่เขียนในขอบเขตทั่วโลกถูกใช้เป็นจุดเข้าใช้งานโปรแกรม ดังนั้นคุณไม่จำเป็นฟังก์ชัน main() คุณไม่ต้องเขียนเครื่องหมายอัฒภาคในตอนท้ายของทุกงบด้วยทัวร์นี้ให้ข้อมูลมากพอที่จะเริ่มเขียนโค้ดใน Swift โดยแสดงวิธีการทำงานเขียนโปรแกรมที่หลากหลาย ไม่ต้องกังวลถ้าคุณไม่เข้าใจบางสิ่งบางอย่างซึ่งทุกอย่างในทัวร์นี้จะอธิบายในรายละเอียดในส่วนเหลือของหนังสือเล่มนี้หมายเหตุสำหรับประสบการณ์ดีที่สุด เปิดบทนี้เป็นสนามเด็กเล่นใน Xcode Playgrounds ช่วยให้คุณสามารถแก้ไขรายการรหัส และเห็นผลทันทีดาวน์โหลดสนามเด็กเล่นค่าง่ายใช้ให้คงที่และจะทำให้ตัวแปร var ค่าของค่าคงไม่จำเป็นต้องทราบเวลาคอมไพล์ แต่คุณต้องกำหนดค่าตรงกัน ซึ่งหมายความว่า คุณสามารถใช้ค่าคงที่ค่าที่คุณกำหนดครั้งเดียว แต่ใช้หลาย ๆ ชื่อvar myVariable = 42myVariable = 50ให้ myConstant = 42ค่าคงหรือตัวแปรต้องมีชนิดเดียวกันกับค่าคุณต้องการกำหนด อย่างไรก็ตาม ไม่เสมอได้เขียนชนิดอย่างชัดเจน ให้ค่าเมื่อคุณสร้างค่าคง หรือตัวแปรทำให้คอมไพเลอร์อนุมานชนิด ในตัวอย่างข้างต้น คอมไพเลอร์ infers myVariable ที่เป็นจำนวนเต็มเนื่องจากค่าเริ่มต้นเป็นจำนวนเต็มถ้าค่าเริ่มต้นไม่มีข้อมูลเพียงพอ (หรือว่าไม่มีค่าเริ่มต้น), ระบุชนิด โดยการเขียนหลังจากตัวแปร คั่น ด้วยเครื่องหมายจุดคู่กันให้ implicitInteger = 70ให้ implicitDouble = 70.0ให้ explicitDouble: คู่ = 70การทดลองสร้างค่าคงชนิด Float เป็นชัดเจนและค่า 4ค่าจะถูกแปลงเป็นชนิดอื่นไม่มีนัย ถ้าคุณต้องการแปลงค่าให้เป็นชนิดต่าง ๆ การอินสแตนซ์ของชนิดที่ระบุให้ป้าย = "มีความกว้าง"ให้ความกว้าง = 94ให้ widthLabel = String(width) + ป้ายชื่อการทดลองลองเอาการแปลงสายอักขระจากบรรทัดสุดท้าย คุณรับข้อผิดพลาดอะไรมีวิธีง่ายกว่าแม้จะมีค่าในสายอักขระ: เขียนค่าในวงเล็บ และเขียนทับ () ก่อนที่จะวงเล็บ ตัวอย่าง:ให้แอปเปิ้ล = 3ให้ส้ม = 5ให้ appleSummary = "ฉันมี (apples) แอปเปิ้ล"ให้ fruitSummary = "ฉันมีชิ้นผลไม้ (แอปเปิ้ล + ส้ม)"การทดลองใช้ () จะรวมการคำนวณทศนิยมในสายอักขระ และรวมชื่อของคนที่ทักทายกันสร้างอาร์เรย์และพจนานุกรมที่ใช้วงเล็บเหลี่ยม ([]), และเข้าถึงองค์ประกอบของการเขียนดัชนีหรือคีย์ในวงเล็บ เครื่องหมายจุลภาคได้หลังจากองค์ประกอบสุดท้ายvar shoppingList = ["ปลาดุก" "น้ำ" "ดอกทิวลิป" "สีน้ำเงิน"]shoppingList [1] = "ขวดน้ำ" อาชีพ var =[ "Malcolm": "กัปตัน" "Kaylee": "ช่างกล"]อาชีพ ["Jayne"] = "ประชาสัมพันธ์"การสร้างแถวว่างเปล่าหรือพจนานุกรม ใช้ไวยากรณ์ตัวให้ emptyArray = [String]()ให้ emptyDictionary = [สายอักขระ: Float]()ถ้าสามารถสรุปชนิดข้อมูล คุณสามารถเขียนอาร์เรย์ว่างเป็น[]และพจนานุกรมว่างเปล่าเป็น [:] — เช่น เมื่อคุณตั้งค่าใหม่สำหรับตัวแปร หรือส่งผ่านอาร์กิวเมนต์ไปยังฟังก์ชันได้shoppingList =[]อาชีพ = [:]ควบคุมกระแสใช้ และสลับไปทำ conditionals และใช้สำหรับ ใน สำหรับ ขณะ และทำซ้ำในขณะทำการวนรอบ วงเล็บรอบตัวแปรเงื่อนไขหรือวนเป็นทางเลือก จัดฟันทั่วร่างกายจำเป็นต้องใช้ให้ individualScores = [75, 43, 103, 87, 12]var teamScore = 0สำหรับคะแนนใน individualScores { ถ้าคะแนน{> 50 teamScore += 3 } {อื่น teamScore += 1 }}print(teamScore)ในหากงบ แบบมีเงื่อนไขต้องเป็นนิพจน์บูลี — ซึ่งหมายความ ว่า รหัสเช่นถ้าคะแนน {...} ข้อผิดพลาด ไม่มีเปรียบเทียบนัยเป็นศูนย์คุณสามารถใช้ และให้ร่วมกันทำงานกับค่าที่หายไป ค่าเหล่านี้จะถูกแสดงเป็น optionals ค่าตัวเลือกประกอบด้วยค่า หรือประกอบด้วย nil เพื่อบ่งชี้ว่า ค่าหายไป เขียนเครื่องหมายคำถาม (?) หลังจากชนิดของค่าที่จะทำเครื่องหมายการค่าที่เป็นตัวเลือกvar optionalString: สตริง = "สวัสดี"print(optionalString == nil) var optionalName: สตริง = "จอห์น Appleseed"อวยพร var = "Hello "ถ้าให้ชื่อ = optionalName { ทักทาย = "Hello, (name)"}การทดลองเปลี่ยน optionalName เป็น nil คุณจะอวยพรอะไร เพิ่มส่วนคำสั่งอื่นที่กำหนดเป็นอื่นทักทายถ้า optionalName เป็นศูนย์ถ้าค่าตัวเลือกเป็นศูนย์ แบบมีเงื่อนไขเป็นเท็จ และข้ามรหัสในวงเล็บปีกกา มิฉะนั้น ค่าตัวเลือกเป็น unwrapped และกำหนดให้ค่าคงหลังจากปล่อยให้ ซึ่งทำให้ค่า unwrapped ว่างภายในบล็อกของรหัสสวิตช์สนับสนุนใด ๆ ชนิดของข้อมูลและเปรียบเทียบการดำเนินงานที่หลากหลายโดยไม่จำกัดจำนวนเต็มและการทดสอบสำหรับความเสมอภาคให้ผัก = "พริกแดง"{ผักสลับกรณีที่ "ขึ้นฉ่าย": ให้ vegetableComment = "เพิ่มลูกเกดบาง และทำให้มดบนล็อก"กรณี "แตงกวา" "watercress": ให้ vegetableComment = "ที่จะทำแซนวิชาดี"กรณีให้ x x.hasSuffix("pepper"): ให้ vegetableComment = "คือมัน (x) เผ็ดเริ่มต้น: ให้ vegetableComment = "ทุกอย่างรสนิยมดีในซุป"}การทดลองลองเอากรณีเริ่มต้น คุณรับข้อผิดพลาดอะไรNotice how let can be used in a pattern to assign the value that matched that part of a pattern to a constant.After executing the code inside the switch case that matched, the program exits from the switch statement. Execution doesn’t continue to the next case, so there is no need to explicitly break out of the switch at the end of each case’s code.You use for-in to iterate over items in a dictionary by providing a pair of names to use for each key-value pair. Dictionaries are an unordered collection, so their keys and values are iterated over in an arbitrary order.let interestingNumbers = [ "Prime": [2, 3, 5, 7, 11, 13], "Fibonacci": [1, 1, 2, 3, 5, 8], "Square": [1, 4, 9, 16, 25],]var largest = 0for (kind, numbers) in interestingNumbers { for number in numbers { if number > largest { largest = number } }}print(largest)EXPERIMENTAdd another variable to keep track of which kind of number was the largest, as well as what that largest number was.Use while to repeat a block of code until a condition changes. The condition of a loop can be at the end instead, ensuring that the loop is run at least once.var n = 2while n < 100 { n = n * 2}print(n) var m = 2repeat { m = m * 2} while m < 100print(m)You can keep an index in a loop—either by using ..< to make a range of indexes or by writing an explicit initialization, condition, and increment. These two loops do the same thing:
var firstForLoop = 0
for i in 0..<4 {
firstForLoop += i
}
print(firstForLoop)

var secondForLoop = 0
for var i = 0; i < 4; ++i {
secondForLoop += i
}
print(secondForLoop)
Use ..< to make a range that omits its upper value, and use ... to make a range that includes both values.

Functions and Closures

Use func to declare a function. Call a function by following its name with a list of arguments in parentheses. Use -> to separate the parameter names and types from the function’s return type.

func greet(name: String, day: String) -> String {
return "Hello (name), today is (day)."
}
greet("Bob", day: "Tuesday")
EXPERIMENT

Remove the day parameter. Add a parameter to include today’s lunch special in the greeting.

Use a tuple to make a compound value—for example, to return multiple values from a function. The elements of a tuple can be referred to either by name or by number.

func calculateStatistics(scores: [Int]) -> (min: Int, max: Int, sum: Int) {
var min = scores[0]
var max = scores[0]
var sum = 0

for score in scores {
if score > max {
max = score
} else if score < min {
min = score
}
sum += score
}

return (min, max, sum)
}
let statistics = calculateStatistics([5, 3, 100, 3, 9])
print(statistics.sum)
print(statistics.2)
Functions can also take a variable number of arguments, collecting them into an array.

func sumOf(numbers: Int...) -> Int {
var sum = 0
for number in numbers {
sum += number
}
return sum
}
sumOf()
sumOf(42, 597, 12)
EXPERIMENT

Write a function that calculates the average of its arguments.

Functions can be nested. Nested functions have access to variables that were declared in the outer function. You can use nested functions to organize the code in a function that is long or complex.

func returnFifteen() -> Int {
var y = 10
func add() {
y += 5
}
add()
return y
}
returnFifteen()
Functions are a first-class type. This means that a function can return another function as its value.

func makeIncrementer() -> (Int -> Int) {
func addOne(number: Int) -> Int {
return 1 + number
}
return addOne
}
var increment = makeIncrementer()
increment(7)
A function can take another function as one of its arguments.

func hasAnyMatches(list: [Int], condition: Int -> Bool) -> Bool {
for item in list {
if condition(item) {
return true
}
}
return false
}
func lessThanTen(number: Int) -> Bool {
return number < 10
}
var numbers = [20, 19, 7, 12]
hasAnyMatches(numbers, condition: lessThanTen)
Functions are actually a special case of closures: blocks of code that can be called later. The code in a closure has access to things like variables and functions that were available in the scope where the closure was created, even if t
การแปล กรุณารอสักครู่..
ผลลัพธ์ (ไทย) 3:[สำเนา]
คัดลอก!
ทัวร์
Swift ประเพณี ชี้ให้เห็นว่า โปรแกรมแรกในภาษาใหม่ควรพิมพ์คำว่า " สวัสดีโลก ! " บนหน้าจอ ในฉับพลัน ซึ่งสามารถทำได้ในบรรทัดเดียว :

พิมพ์ ( " สวัสดีโลก ! " )
หากคุณเขียนรหัส C หรือภาษาอ็อบเจกทีฟ - ซี ไวยากรณ์นี้ดูคุ้นเคยกับคุณในฉับพลัน บรรทัดของรหัสนี้เป็นโปรแกรมที่สมบูรณ์คุณไม่ต้องเข้าห้องสมุดแยกต่างหากสำหรับการทำงานเช่น input / output หรือสายการจัดการ โค้ดที่เขียนในขอบเขตทั่วโลกใช้เป็นจุดเริ่มต้นสำหรับโปรแกรมดังนั้นคุณจึงไม่ต้อง ฟังก์ชั่น main() . นอกจากนี้คุณยังไม่จำเป็นต้องเขียนอัฒภาคที่ส่วนท้ายของทุกงบ .

ทัวร์นี้จะช่วยให้คุณข้อมูลที่เพียงพอที่จะเริ่มเขียนโค้ดในฉับพลัน โดยการแสดงวิธีการบรรลุความหลากหลายของงานเขียนโปรแกรม ไม่ต้องกังวลถ้าคุณไม่เข้าใจอะไรทุกอย่างที่แนะนำในทัวร์นี้จะอธิบายในรายละเอียดในส่วนที่เหลือของหนังสือเล่มนี้

ทราบ

สำหรับประสบการณ์ที่ดีที่สุด เปิดบทนี้เป็นสนามเด็กเล่นใน Xcode .1 ช่วยให้คุณสามารถแก้ไขรหัสรายการและเห็นผลทันที

ดาวน์โหลดสนามเด็กเล่น

ง่ายๆค่า

ใช้ไปเพื่อให้คงที่และตัวแปรที่จะทำให้ตัวแปร ค่าไม่คงที่ ต้องรู้จักที่รวบรวมเวลา แต่คุณจะให้มันเป็นค่าเดียว ซึ่งหมายความว่าคุณสามารถใช้ค่าคงที่ชื่อมีค่าที่คุณตรวจสอบทันที แต่ใช้ในหลาย ๆ .

var myvariable = 42

myvariable = 50 ให้ myconstant = 42
คงที่หรือตัวแปรต้องมีชนิดเดียวกันเป็นค่าที่คุณต้องการมอบหมายให้มัน อย่างไรก็ตาม คุณไม่ต้องเขียนประเภทอย่างชัดเจน ให้มูลค่าเมื่อคุณสร้างค่าคงที่หรือตัวแปรช่วยให้คอมไพเลอร์อนุมานชนิดของ . ในตัวอย่างข้างต้นคอมไพเลอร์จะพบว่า myvariable เป็นจำนวนเต็มเพราะค่าเริ่มต้นของมันคือจำนวนเต็ม .

ถ้าค่าเริ่มต้นไม่ได้ให้ข้อมูลเพียงพอ ( หรือถ้าไม่มีค่าเริ่มต้น ) , การระบุชนิดโดยเขียนหลังจากที่ตัวแปรคั่นด้วยเครื่องหมายจุดคู่

ให้ implicitinteger =

= 70 ให้ implicitdouble 70.0 ให้ explicitdouble : คู่ = 70

ทดลอง
การแปล กรุณารอสักครู่..
 
ภาษาอื่น ๆ
การสนับสนุนเครื่องมือแปลภาษา: กรีก, กันนาดา, กาลิเชียน, คลิงออน, คอร์สิกา, คาซัค, คาตาลัน, คินยารวันดา, คีร์กิซ, คุชราต, จอร์เจีย, จีน, จีนดั้งเดิม, ชวา, ชิเชวา, ซามัว, ซีบัวโน, ซุนดา, ซูลู, ญี่ปุ่น, ดัตช์, ตรวจหาภาษา, ตุรกี, ทมิฬ, ทาจิก, ทาทาร์, นอร์เวย์, บอสเนีย, บัลแกเรีย, บาสก์, ปัญจาป, ฝรั่งเศส, พาชตู, ฟริเชียน, ฟินแลนด์, ฟิลิปปินส์, ภาษาอินโดนีเซี, มองโกเลีย, มัลทีส, มาซีโดเนีย, มาราฐี, มาลากาซี, มาลายาลัม, มาเลย์, ม้ง, ยิดดิช, ยูเครน, รัสเซีย, ละติน, ลักเซมเบิร์ก, ลัตเวีย, ลาว, ลิทัวเนีย, สวาฮิลี, สวีเดน, สิงหล, สินธี, สเปน, สโลวัก, สโลวีเนีย, อังกฤษ, อัมฮาริก, อาร์เซอร์ไบจัน, อาร์เมเนีย, อาหรับ, อิกโบ, อิตาลี, อุยกูร์, อุสเบกิสถาน, อูรดู, ฮังการี, ฮัวซา, ฮาวาย, ฮินดี, ฮีบรู, เกลิกสกอต, เกาหลี, เขมร, เคิร์ด, เช็ก, เซอร์เบียน, เซโซโท, เดนมาร์ก, เตลูกู, เติร์กเมน, เนปาล, เบงกอล, เบลารุส, เปอร์เซีย, เมารี, เมียนมา (พม่า), เยอรมัน, เวลส์, เวียดนาม, เอสเปอแรนโต, เอสโทเนีย, เฮติครีโอล, แอฟริกา, แอลเบเนีย, โคซา, โครเอเชีย, โชนา, โซมาลี, โปรตุเกส, โปแลนด์, โยรูบา, โรมาเนีย, โอเดีย (โอริยา), ไทย, ไอซ์แลนด์, ไอร์แลนด์, การแปลภาษา.

Copyright ©2024 I Love Translation. All reserved.

E-mail: