Skip to content

Commit 3f59551

Browse files
authored
ts-for-js-programmers.md 나머지 부분 번역 (#179)
* 나머지 부분 번역 #112 * 리뷰 내용에 맞추어서 수정 #112 * 리뷰 내용에 맞추어서 재 수정 #112
1 parent 89a7977 commit 3f59551

File tree

1 file changed

+40
-41
lines changed

1 file changed

+40
-41
lines changed

pages/tutorials/ts-for-js-programmers.md

+40-41
Original file line numberDiff line numberDiff line change
@@ -123,38 +123,38 @@ JavaScript에서 사용할 수 있는 적은 종류의 원시 타입이 이미
123123

124124
타입을 구축하기 위한 두 가지 구문이 있다는 것을 꽤 빠르게 알 수 있을 것입니다.: [Interfaces and Types](/play/?e=83#example/types-vs-interfaces) - `interface`를 우선적으로 사용하고 특정 기능이 필요할 때 `type`을 사용해야 합니다.
125125

126-
## Composing Types
126+
## 타입 구성 (Composing Types)
127127

128-
Similar to how you would create larger complex objects by composing them together TypeScript has tools for doing this with types.
129-
The two most popular techniques you would use in everyday code to create new types by working with many smaller types are Unions and Generics.
128+
객체들을 조합하여 더 크고 복잡한 객체를 만드는 방법과 유사하게 TypeScript에 타입으로 이를 수행하는 도구가 있습니다.
129+
여러가지 타입을 이용하여 새 타입을 작성하기 위해 일상적인 코드에서 가장 많이 사용되는 두 가지 코드로는 유니언(Union)과 제네릭(Generic)이 있습니다.
130130

131-
### Unions
131+
### 유니언 (Unions)
132132

133-
A union is a way to declare that a type could be one of many types. For example, you could describe a `boolean` type as being either `true` or `false`:
133+
유니언은 타입이 여러 타입 중 하나일 수 있음을 선언하는 방법입니다. 예를 들어, `boolean` 타입을 `true` 또는 `false`로 설명할 수 있습니다:
134134

135-
```ts twoslash
135+
```
136136
type MyBool = true | false;
137137
```
138138

139-
_Note:_ If you hover over `MyBool` above, you'll see that it is classed as `boolean` - that's a property of the Structural Type System, which we'll get to later.
139+
_참고:_ `MyBool`위에 마우스를 올린다면, `boolean`으로 분류된 것을 볼 수 있습니다 - 구조적 타입 시스템의 프로퍼티며, 나중에 살펴보겠습니다.
140140

141-
One of the most popular use-cases for union types is to describe a set of `string`s or `number`s [literal](/docs/handbook/literal-types.html) which a value is allowed to be:
141+
유니언 타입이 가장 많이 사용된 사례 중 하나는 값이 다음과 같이 허용되는 `string` 또는 `number`[리터럴](/docs/handbook/literal-types.html)집합을 설명하는 것입니다:
142142

143-
```ts twoslash
143+
```
144144
type WindowStates = "open" | "closed" | "minimized";
145145
type LockStates = "locked" | "unlocked";
146146
type OddNumbersUnderTen = 1 | 3 | 5 | 7 | 9;
147147
```
148148

149-
Unions provide a way to handle different types too, for example you may have a function which accepts an `array` or a `string`.
149+
유니언은 다양한 타입을 처리하는 방법을 제공하는데, 예를 들어 `array` 또는 `string`을 받는 함수가 있을 수 있습니다.
150150

151-
```ts twoslash
151+
```
152152
function getLength(obj: string | string[]) {
153153
return obj.length;
154154
}
155155
```
156156

157-
TypeScript understands how code changes what the variable could be with time, you can use these checks to narrow the type down.
157+
TypeScript는 코드가 시간에 따라 변수가 변경되는 방식을 이해하며, 이러한 검사를 사용해 타입을 골라낼 수 있습니다.
158158

159159
| Type | Predicate |
160160
| --------- | ---------------------------------- |
@@ -165,10 +165,10 @@ TypeScript understands how code changes what the variable could be with time, yo
165165
| function | `typeof f === "function"` |
166166
| array | `Array.isArray(a)` |
167167

168-
For example, you could differentiate between a `string` and an `array`, using `typeof obj === "string"` and TypeScript will know what the object is down different code paths.
168+
예를 들어, `typeof obj === "string"`을 이용하여 `string``array`를 구분할 수 있으며 TypeScript는 객체가 다른 코드 경로에 있음을 알게 됩니다.
169169

170170
<!-- prettier-ignore -->
171-
```ts twoslash
171+
```
172172
function wrapInArray(obj: string | string[]) {
173173
if (typeof obj === "string") {
174174
return [obj];
@@ -179,46 +179,45 @@ function wrapInArray(obj: string | string[]) {
179179
}
180180
```
181181

182-
### Generics
182+
### 제네릭 (Generics)
183183

184-
You can get very deep into the TypeScript generic system, but at a 1 minute high-level explanation, generics are a way to provide variables to types.
184+
TypeScript 제네릭 시스템에 대해 자세히 알아볼 수 있지만, 1분 정도의 수준 높은 설명을 하기 위해, 제네릭은 타입에 변수를 제공하는 방법입니다.
185185

186-
A common example is an array, an array without generics could contain anything. An array with generics can describe what values are inside in the array.
186+
배열이 일반적인 예시이며, 제네릭이 없는 배열은 어떤 것이든 포함할 수 있습니다. 제네릭이 있는 배열은 배열 안의 값을 설명할 수 있습니다.
187187

188188
```ts
189189
type StringArray = Array<string>;
190190
type NumberArray = Array<number>;
191191
type ObjectWithNameArray = Array<{ name: string }>;
192192
```
193193

194-
You can declare your own types which use generics:
194+
제네릭을 사용하는 고유 타입을 선언할 수 있습니다:
195195

196-
```ts twoslash
196+
```
197197
// @errors: 2345
198198
interface Backpack<Type> {
199199
add: (obj: Type) => void;
200200
get: () => Type;
201201
}
202202
203-
// This line is a shortcut to tell TypeScript there is a
204-
// constant called `backpack`, and to not worry about where it came from
205-
declare const backpack: Backpack<string>;
203+
// 이 줄은 TypeScript에 `backpack`이라는 상수가 있음을 알리는 지름길이며
204+
// const backpakc: Backpack<string>이 어디서 왔는지 걱정할 필요가 없습니다.
206205
207-
// object is a string, because we declared it above as the variable part of Backpack
206+
// 위에서 Backpack의 변수 부분으로 선언해서, object는 string입니다.
208207
const object = backpack.get();
209208
210-
// Due to backpack variable being a string, you cannot pass a number to the add function
209+
// backpack 변수가 string이므로, add 함수에 number를 전달할 수 없습니다.
211210
backpack.add(23);
212211
```
213212

214-
## Structural Type System
213+
## 구조적 타입 시스템 (Structural Type System)
215214

216-
One of TypeScript's core principles is that type checking focuses on the _shape_ which values have.
217-
This is sometimes called "duck typing" or "structural typing".
215+
TypeScript의 핵심 원칙 중 하나는 타입 검사가 값이 있는 _형태_에 집중한다는 것입니다.
216+
이는 때때로 "덕 타이핑(duck typing)" 또는 "구조적 타이핑" 이라고 불립니다.
218217

219-
In a structural type system if two objects have the same shape, they are considered the same.
218+
구조적 타입 시스템에서 두 객체가 같은 형태를 가지면 같은 것으로 간주됩니다.
220219

221-
```ts twoslash
220+
```
222221
interface Point {
223222
x: number;
224223
y: number;
@@ -228,17 +227,17 @@ function printPoint(p: Point) {
228227
console.log(`${p.x}, ${p.y}`);
229228
}
230229
231-
// prints "12, 26"
230+
// "12, 26"를 출력합니다
232231
const point = { x: 12, y: 26 };
233232
printPoint(point);
234233
```
235234

236-
The `point` variable is never declared to be a `Point` type, but TypeScript compares the shape of `point` to the shape of `Point` in the type-check.
237-
Because they both have the same shape, then it passes.
235+
`point`변수는 `Point`타입으로 선언된 적이 없지만, TypeScript는 타입 검사에서 `point`의 형태와 `Point`의 형태를 비교합니다.
236+
둘 다 같은 형태이기 때문에, 통과합니다.
238237

239-
The shape matching only requires a subset of the object's fields to match.
238+
형태 일치에는 일치시킬 객체의 필드의 하위 집합만 필요합니다.
240239

241-
```ts twoslash
240+
```
242241
// @errors: 2345
243242
interface Point {
244243
x: number;
@@ -260,9 +259,9 @@ const color = { hex: "#187ABF" };
260259
printPoint(color);
261260
```
262261

263-
Finally, to really nail this point down, structurally there is no difference between how classes and objects conform to shapes:
262+
마지막으로, 정확하게 마무리 짓기 위해, 구조적으로 클래스와 객체가 형태를 따르는 방법에는 차이가 없습니다:
264263

265-
```ts twoslash
264+
```
266265
// @errors: 2345
267266
interface Point {
268267
x: number;
@@ -287,11 +286,11 @@ const newVPoint = new VirtualPoint(13, 56);
287286
printPoint(newVPoint); // prints "13, 56"
288287
```
289288

290-
If the object or class has all the required properties, then TypeScript will say they match regardless of the implementation details.
289+
객체 또는 클래스에 필요한 모든 속성이 존재한다면, TypeScript는 구현 세부 정보에 관계없이 일치하게 봅니다.
291290

292-
## Next Steps
291+
## 다음 단계 (Next Steps)
293292

294-
This doc is a high level 5 minute overview of the sort of syntax and tools you would use in everyday code. From here you should:
293+
해당 문서는 일상적인 코드에서 사용하는 구문 및 도구의 종류에 대한 수준 높은 5분 개요입니다. 여기에서:
295294

296-
* Read the full Handbook [from start to finish](/docs/handbook/intro.html) (30m)
297-
* Explore the [Playground examples](/play#show-examples).
295+
* 전체 핸드북을 [처음부터 끝까지](/docs/handbook/intro.html) 읽으세요(30분)
296+
* [Playground 예시](/play#show-examples)를 탐색하세요.

0 commit comments

Comments
 (0)