구글 자바 스타일 가이드

1 개요[ | ]

Crystal Clear action info.png 작성 중인 문서입니다.
Google Java Style Guide
구글 Java 스타일 가이드

https://google.github.io/styleguide/javaguide.html

2 도입[ | ]

이 문서는 Java™ 프로그래밍 언어의 소스 코드에 대한 Google 코딩 표준의 완전한 정의 역할을 한다. Java 소스 파일은 여기에 있는 규칙을 준수하는 경우에만 Google 스타일에 있는 것으로 설명된다.

다른 프로그래밍 스타일 가이드와 마찬가지로, 다루는 이슈는 서식 지정의 미학적 문제뿐만 아니라 다른 유형의 규칙이나 코딩 표준에도 적용된다. 그러나 이 문서는 주로 보편적으로 따르는 엄격하고 빠른 규칙에 중점을 두고 있으며 (인간이든 도구든) 명확하게 시행할 수 없는 조언은 피한다.

2.1 용어 참고[ | ]

이 문서에서, 달리 명시하지 않는 한:

클래스라는 용어는 "일반" 클래스, 열거형 클래스, 인터페이스 또는 주석 유형(@interface)을 의미하기 위해 포괄적으로 사용된다. (클래스의) 멤버라는 용어는 중첩된 클래스, 필드, 메서드 또는 생성자를 의미하는 데 포괄적으로 사용된다. 즉, 이니셜라이저와 주석을 제외한 클래스의 모든 최상위 콘텐츠이다. 주석이라는 용어는 항상 구현 주석을 나타냅니다. "Javadoc"이라는 일반적인 용어를 사용하는 대신 "문서 주석"이라는 문구를 사용하지 않는다. 다른 "용어 참고사항"이 문서 전체에 가끔씩 나온다.

2.2 가이트 참고[ | ]

이 문서의 예제 코드는 비표준이다. 즉, 예제는 Google 스타일이지만 코드를 표현하는 유일한 스타일리시한 방법을 설명하지 않을 수 있다. 예제에서 선택한 선택적 형식 지정은 규칙으로 적용해서는 안된다.

3 소스 파일 기본[ | ]

3.1 파일 이름[ | ]

소스 파일 이름은 포함된 최상위 클래스의 대소문자 구분 이름(정확히 하나가 있음)과 .java 확장자로 구성된다.

3.2 파일 인코딩: UTF-8[ | ]

소스 파일은 UTF-8로 인코딩된다.

3.3 특수 문자[ | ]

3.3.1 화이트스페이스 문자[ | ]

줄 종결자 시퀀스를 제외하고, ASCII 가로 공백 문자(0x20)는 소스 파일의 모든 위치에 나타나는 유일한 화이트스페이스 문자이다. 이것은 다음을 의미한다:

문자열 및 문자 리터럴의 다른 모든 공백 문자는 이스케이프된다. 탭 문자는 들여쓰기에 사용되지 않는다.

3.3.2 특수 이스케이프 시퀀스[ | ]

특수 이스케이프 시퀀스(\b, \t, \n, \f, \r, \", \', \\)가 있는 어느 문자든, 해당 8진수(예: \012) 또는 유니코드(예: \u000a) 이스케이프 대신 해당 시퀀스가 사용된다.

3.3.3 비-ASCII 문자[ | ]

나머지 비 ASCII 문자의 경우 실제 유니코드 문자(예: ∞) 또는 이에 상응하는 유니코드 이스케이프(예: \u221e)가 사용된다. 유니코드가 문자열 리터럴 및 주석 외부로 이스케이프되는 것은 강력히 권장되지 않지만, 선택은 코드를 읽고 이해하기 쉽게 만드는 것에 달려 있다.

유니코드 이스케이프의 경우, 그리고 때로 실제 유니코드 문자가 사용되는 경우에도 설명 주석은 큰 도움이 될 수 있다.

예시:

예시 논의
String unitAbbrev = "μs";
최고: 주석 없이도 완벽하게 명확하다.
String unitAbbrev = "\u03bcs"; // "μs"
허용되지만 이렇게 할 이유가 없습다.
String unitAbbrev = "\u03bcs"; // Greek letter mu, "s"
허용되지만 어색하고 실수하기 쉽다.
String unitAbbrev = "\u03bcs";
나쁨: 보는 사람이 이게 무엇인지 모른다.
return '\ufeff' + content; // byte order mark
좋음: 인쇄할 수 없는 문자에 이스케이프를 사용하고 필요한 경우 주석을 추가한다.

팁: 일부 프로그램이 비-ASCII 문자를 제대로 처리하지 못할 수 있다는 걱정 때문에 코드 가독성을 낮추지 말자. 그런 일이 발생하면 해당 프로그램이 고장나고 수정되어야 한다.

4 소스 파일 구조[ | ]

소스 파일은 순서대로 구성된다:

  1. 라이센스 또는 저작권 정보 (있는 경우)
  2. 패키지 명세서
  3. import 문
  4. 정확히 하나의 최상위 클래스

정확히 하나의 빈 줄은 존재하는 각 섹션을 구분한다.

4.1 라이선스 또는 저작권 정보 (있는 경우)[ | ]

라이선스 또는 저작권 정보가 파일에 속해 있으면 여기에 속한다.

4.2 package 문[ | ]

package 문은 줄바꿈하지 않는다. 열 제한(섹션 4.4, 열 제한: 100)은 package 문에 적용되지 않는다.

4.3 import 문[ | ]

4.3.1 와일드카드 import 사용안함[ | ]

정적(static)이든 아니든 와일드카드 import는 사용하지 않는다.

4.3.2 줄바꿈 사용안함[ | ]

import 문은 줄바꿈하지 않는다. 열 제한(섹션 4.4, 열 제한: 100)은 import 문에 적용되지 않는다.

4.3.3 순서와 스페이스[ | ]

import는 다음과 같은 순서로 정렬한다:

  1. 단일 블록의 모든 static import
  2. 단일 블록에 있는 non-static import
  3. static 및 non-static import가 모두 있는 경우, 빈 줄 1개로 두 블록을 구분한다. import 문 사이에 다른 빈 줄은 넣지 않는다.

각 블록 내에서 import된 이름은 ASCII 순서로 나타낸다. (참고: '.'가 ';'보다 먼저 정렬되기 때문에 이것은 ASCII 순서에 있는 import 문과 동일하지 않다.)

4.3.4 클래스에 static import 사용안함[ | ]

static 중첩 클래스에는 static import를 사용하지 않는다. 일반 import로 import한다.

4.4 Class 선언[ | ]

4.4.1 단 1개의 최상위 class 선언[ | ]

각 최상위 클래스는 자체 소스 파일에 둔다.

4.4.2 class 내용의 순서[ | ]

클래스의 멤버와 이니셜라이저에 대해 선택한 순서는 학습 가능성에 큰 영향을 줄 수 있다. 그러나 그것을 하는 방법에 대한 하나의 올바른 레시피는 없다. 다른 클래스는 다른 방식으로 내용을 정렬할 수 있다.

중요한 것은 각 클래스가 어떤 논리적 순서를 사용한다는 것이다. 예를 들어, 새 메소드를 습관적으로 클래스 끝에 추가하지 않는다. 논리적 순서가 아닌 "추가된 날짜순" 순서가 생성되기 때문이다.

4.4.3 오버로드: 떨어지면 안됨[ | ]

클래스에 동일한 이름을 가지는 생성자 또는 메소드가 여러 개 있는 경우, 사이에 다른 코드(비공개 멤버 포함) 없이 순차적으로 나타낸다.

5 서식[ | ]

용어 참고: 블록 같은 구조는 클래스, 메소드, 생성자의 본문을 나타낸다. 배열 이니셜라이저에 대한 섹션 4.8.3.1에 따르면 모든 배열 이니셜라이저는 선택적으로 블록 같은 구조로 처리할 수 있다.

5.1 중괄호[ | ]

5.1.1 선택적 중괄호 사용[ | ]

중괄호는, 본문이 비어 있거나 단일 문만 포함하는 경우에도 if, else, for, do, while 문에서 사용한다.

5.1.2 비어있지 않은 블록: K & R 스타일[ | ]

중괄호는, 비어 있지 않은 블록 및 블록 같은 구조에 대해 Kernighan 및 Ritchie 스타일("이집트 대괄호")을 따른다:

No line break before the opening brace. Line break after the opening brace. Line break before the closing brace. Line break after the closing brace, only if that brace terminates a statement or terminates the body of a method, constructor, or named class. For example, there is no line break after the brace if it is followed by else or a comma. Examples:

return () -> {

 while (condition()) {
   method();
 }

};

return new MyClass() {

 @Override public void method() {
   if (condition()) {
     try {
       something();
     } catch (ProblemException e) {
       recover();
     }
   } else if (otherCondition()) {
     somethingElse();
   } else {
     lastThing();
   }
 }

}; A few exceptions for enum classes are given in Section 4.8.1, Enum classes.

5.1.3 빈 블록: 간결하게 표기 가능[ | ]

An empty block or block-like construct may be in K & R style (as described in Section 4.1.2). Alternatively, it may be closed immediately after it is opened, with no characters or line break in between ({}), unless it is part of a multi-block statement (one that directly contains multiple blocks: if/else or try/catch/finally).

Examples:

 // This is acceptable
 void doNothing() {}
 // This is equally acceptable
 void doNothingElse() {
 }
 // This is not acceptable: No concise empty blocks in a multi-block statement
 try {
   doSomething();
 } catch (Exception e) {}

5.2 블록 들여쓰기: +2 스페이스[ | ]

Each time a new block or block-like construct is opened, the indent increases by two spaces. When the block ends, the indent returns to the previous indent level. The indent level applies to both code and comments throughout the block. (See the example in Section 4.1.2, Nonempty blocks: K & R Style.)

5.3 행마다 하나의 문(statement)[ | ]

Each statement is followed by a line break.

5.4 컬럼 제한: 100[ | ]

Java code has a column limit of 100 characters. A "character" means any Unicode code point. Except as noted below, any line that would exceed this limit must be line-wrapped, as explained in Section 4.5, Line-wrapping.

Each Unicode code point counts as one character, even if its display width is greater or less. For example, if using fullwidth characters, you may choose to wrap the line earlier than where this rule strictly requires.

Exceptions:

Lines where obeying the column limit is not possible (for example, a long URL in Javadoc, or a long JSNI method reference). package and import statements (see Sections 3.2 Package statement and 3.3 Import statements). Command lines in a comment that may be cut-and-pasted into a shell.

5.5 줄바꿈[ | ]

Terminology Note: When code that might otherwise legally occupy a single line is divided into multiple lines, this activity is called line-wrapping.

There is no comprehensive, deterministic formula showing exactly how to line-wrap in every situation. Very often there are several valid ways to line-wrap the same piece of code.

Note: While the typical reason for line-wrapping is to avoid overflowing the column limit, even code that would in fact fit within the column limit may be line-wrapped at the author's discretion.

Tip: Extracting a method or local variable may solve the problem without the need to line-wrap.

5.5.1 어디서 끊는가[ | ]

The prime directive of line-wrapping is: prefer to break at a higher syntactic level. Also:

When a line is broken at a non-assignment operator the break comes before the symbol. (Note that this is not the same practice used in Google style for other languages, such as C++ and JavaScript.) This also applies to the following "operator-like" symbols: the dot separator (.) the two colons of a method reference (::) an ampersand in a type bound (<T extends Foo & Bar>) a pipe in a catch block (catch (FooException | BarException e)). When a line is broken at an assignment operator the break typically comes after the symbol, but either way is acceptable. This also applies to the "assignment-operator-like" colon in an enhanced for ("foreach") statement. A method or constructor name stays attached to the open parenthesis (() that follows it. A comma (,) stays attached to the token that precedes it. A line is never broken adjacent to the arrow in a lambda, except that a break may come immediately after the arrow if the body of the lambda consists of a single unbraced expression. Examples: MyLambda<String, Long, Object> lambda =

   (String label, Long value, Object obj) -> {
       ...
   };

Predicate<String> predicate = str ->

   longExpressionInvolving(str);

Note: The primary goal for line wrapping is to have clear code, not necessarily code that fits in the smallest number of lines.

5.5.2 들여쓰기 연속 행은 최소 +4 스페이스[ | ]

When line-wrapping, each line after the first (each continuation line) is indented at least +4 from the original line.

When there are multiple continuation lines, indentation may be varied beyond +4 as desired. In general, two continuation lines use the same indentation level if and only if they begin with syntactically parallel elements.

Section 4.6.3 on Horizontal alignment addresses the discouraged practice of using a variable number of spaces to align certain tokens with previous lines.

5.6 화이트스페이스[ | ]

5.6.1 수직 화이트스페이스[ | ]

A single blank line always appears:

Between consecutive members or initializers of a class: fields, constructors, methods, nested classes, static initializers, and instance initializers. Exception: A blank line between two consecutive fields (having no other code between them) is optional. Such blank lines are used as needed to create logical groupings of fields. Exception: Blank lines between enum constants are covered in Section 4.8.1. As required by other sections of this document (such as Section 3, Source file structure, and Section 3.3, Import statements). A single blank line may also appear anywhere it improves readability, for example between statements to organize the code into logical subsections. A blank line before the first member or initializer, or after the last member or initializer of the class, is neither encouraged nor discouraged.

Multiple consecutive blank lines are permitted, but never required (or encouraged).

5.6.2 수평 화이트스페이스[ | ]

Beyond where required by the language or other style rules, and apart from literals, comments and Javadoc, a single ASCII space also appears in the following places only.

Separating any reserved word, such as if, for or catch, from an open parenthesis (() that follows it on that line Separating any reserved word, such as else or catch, from a closing curly brace (}) that precedes it on that line Before any open curly brace ({), with two exceptions: @SomeAnnotation({a, b}) (no space is used) String[][] x = 틀:"foo"; (no space is required between {{, by item 8 below) On both sides of any binary or ternary operator. This also applies to the following "operator-like" symbols: the ampersand in a conjunctive type bound: <T extends Foo & Bar> the pipe for a catch block that handles multiple exceptions: catch (FooException | BarException e) the colon (:) in an enhanced for ("foreach") statement the arrow in a lambda expression: (String str) -> str.length() but not the two colons (::) of a method reference, which is written like Object::toString the dot separator (.), which is written like object.toString() After ,:; or the closing parenthesis ()) of a cast On both sides of the double slash (//) that begins an end-of-line comment. Here, multiple spaces are allowed, but not required. Between the type and variable of a declaration: List<String> list Optional just inside both braces of an array initializer new int[] {5, 6} and new int[] { 5, 6 } are both valid Between a type annotation and [] or .... This rule is never interpreted as requiring or forbidding additional space at the start or end of a line; it addresses only interior space.

5.6.3 수직 정렬: 필요없음[ | ]

Terminology Note: Horizontal alignment is the practice of adding a variable number of additional spaces in your code with the goal of making certain tokens appear directly below certain other tokens on previous lines.

This practice is permitted, but is never required by Google Style. It is not even required to maintain horizontal alignment in places where it was already used.

Here is an example without alignment, then using alignment:

private int x; // this is fine private Color color; // this too

private int x; // permitted, but future edits private Color color; // may leave it unaligned Tip: Alignment can aid readability, but it creates problems for future maintenance. Consider a future change that needs to touch just one line. This change may leave the formerly-pleasing formatting mangled, and that is allowed. More often it prompts the coder (perhaps you) to adjust whitespace on nearby lines as well, possibly triggering a cascading series of reformattings. That one-line change now has a "blast radius." This can at worst result in pointless busywork, but at best it still corrupts version history information, slows down reviewers and exacerbates merge conflicts.

5.7 그루핑 소괄호: 권장[ | ]

Optional grouping parentheses are omitted only when author and reviewer agree that there is no reasonable chance the code will be misinterpreted without them, nor would they have made the code easier to read. It is not reasonable to assume that every reader has the entire Java operator precedence table memorized.

5.8 특정 constructs[ | ]

5.8.1 Enum 클래스[ | ]

After each comma that follows an enum constant, a line break is optional. Additional blank lines (usually just one) are also allowed. This is one possibility:

private enum Answer {

 YES {
   @Override public String toString() {
     return "yes";
   }
 },
 NO,
 MAYBE

} An enum class with no methods and no documentation on its constants may optionally be formatted as if it were an array initializer (see Section 4.8.3.1Array initializers: can be "block-like"

private enum Suit { CLUBS, HEARTS, SPADES, DIAMONDS } Since enum classes are classes, all other rules for formatting classes apply.

5.8.2 변수 선언[ | ]

5.8.2.1 선언마다 하나의 변수[ | ]

Every variable declaration (field or local) declares only one variable: declarations such as int a, b; are not used.

Exception: Multiple variable declarations are acceptable in the header of a for loop.

5.8.2.2 필요할 때 선언[ | ]

Local variables are not habitually declared at the start of their containing block or block-like construct. Instead, local variables are declared close to the point they are first used (within reason), to minimize their scope. Local variable declarations typically have initializers, or are initialized immediately after declaration.

5.8.3 배열[ | ]

5.8.3.1 배열 초기화: "block 처럼" 가능[ | ]

Any array initializer may optionally be formatted as if it were a "block-like construct." For example, the following are all valid (not an exhaustive list):

new int[] { new int[] {

 0, 1, 2, 3            0,

} 1,

                       2,

new int[] { 3,

 0, 1,               }
 2, 3

} new int[]

                         {0, 1, 2, 3}
5.8.3.2 C-style 배열 선언 사용안함[ | ]

The square brackets form a part of the type, not the variable: String[] args, not String args[].

5.8.4 Switch 문[ | ]

Terminology Note: Inside the braces of a switch block are one or more statement groups. Each statement group consists of one or more switch labels (either case FOO: or default:), followed by one or more statements (or, for the last statement group, zero or more statements).

5.8.4.1 들여쓰기[ | ]

As with any other block, the contents of a switch block are indented +2.

After a switch label, there is a line break, and the indentation level is increased +2, exactly as if a block were being opened. The following switch label returns to the previous indentation level, as if a block had been closed.

5.8.4.2 Fall-through: commented[ | ]

Within a switch block, each statement group either terminates abruptly (with a break, continue, return or thrown exception), or is marked with a comment to indicate that execution will or might continue into the next statement group. Any comment that communicates the idea of fall-through is sufficient (typically // fall through). This special comment is not required in the last statement group of the switch block. Example:

switch (input) {
  case 1:
  case 2:
    prepareOneOrTwo();
    // fall through
  case 3:
    handleOneTwoOrThree();
    break;
  default:
    handleLargeNumber(input);
}

Notice that no comment is needed after case 1:, only at the end of the statement group.

5.8.4.3 default 케이스 존재[ | ]

Each switch statement includes a default statement group, even if it contains no code.

Exception: A switch statement for an enum type may omit the default statement group, if it includes explicit cases covering all possible values of that type. This enables IDEs or other static analysis tools to issue a warning if any cases were missed.

5.8.5 애노테이션[ | ]

Annotations applying to a class, method or constructor appear immediately after the documentation block, and each annotation is listed on a line of its own (that is, one annotation per line). These line breaks do not constitute line-wrapping (Section 4.5, Line-wrapping), so the indentation level is not increased. Example:

@Override @Nullable public String getNameIfPresent() { ... } Exception: A single parameterless annotation may instead appear together with the first line of the signature, for example:

@Override public int hashCode() { ... } Annotations applying to a field also appear immediately after the documentation block, but in this case, multiple annotations (possibly parameterized) may be listed on the same line; for example:

@Partial @Mock DataLoader loader; There are no specific rules for formatting annotations on parameters, local variables, or types.

5.8.6 주석[ | ]

This section addresses implementation comments. Javadoc is addressed separately in Section 7, Javadoc.

Any line break may be preceded by arbitrary whitespace followed by an implementation comment. Such a comment renders the line non-blank.

5.8.6.1 블록 주석 스타일[ | ]

Block comments are indented at the same level as the surrounding code. They may be in /* ... */ style or // ... style. For multi-line /* ... */ comments, subsequent lines must start with * aligned with the * on the previous line.

/*
 * This is          // And so           /* Or you can
 * okay.            // is this.          * even do this. */
 */

Comments are not enclosed in boxes drawn with asterisks or other characters.

Tip: When writing multi-line comments, use the /* ... */ style if you want automatic code formatters to re-wrap the lines when necessary (paragraph-style). Most formatters don't re-wrap lines in // ... style comment blocks.

5.8.7 지정자[ | ]

Class and member modifiers, when present, appear in the order recommended by the Java Language Specification:

public protected private abstract default static final transient volatile synchronized native strictfp

5.8.8 숫자 리터럴[ | ]

long-valued integer literals use an uppercase L suffix, never lowercase (to avoid confusion with the digit 1). For example, 3000000000L rather than 3000000000l.

6 Naming[ | ]

6.1 모든 식별자에 공통적인 규칙[ | ]

식별자는 ASCII 문자와 숫자만 사용하며 아래에 언급된 소수의 경우 밑줄을 사용합니다. 따라서 각 유효한 식별자 이름은 정규식 \w+ 와 일치합니다. Google Style에서는 특수 접두사 또는 접미사를 사용하지 않습니다. 예를 들어 name_, mName, s_name 및 kName과 같은 이름은 Google 스타일이 아닙니다.

6.2 식별자 유형별 규칙[ | ]

6.2.1 패키지 이름[ | ]

패키지 이름은 모두 소문자이며 연속된 단어는 단순히 함께 연결됩니다(밑줄 없음). 예를 들어 com.example.deepSpace 또는 com.example.deep_space가 아니라 com.example.deepspace입니다.

6.2.2 클래스 이름[ | ]

클래스 이름은 UpperCamelCase로 작성됩니다.

클래스 이름은 일반적으로 명사 또는 명사구입니다. 예를 들어 Character 또는 ImmutableList입니다. 인터페이스 이름은 명사 또는 명사구(예: List)일 수도 있지만 때로는 대신 형용사 또는 형용사구가 될 수도 있습니다(예: Readable).

주석 유형 이름 지정에 대한 특정 규칙이나 잘 정립된 규칙은 없습니다.

테스트 클래스는 테스트 중인 클래스의 이름으로 시작하여 Test로 끝나는 이름이 지정됩니다. 예: HashTest 또는 HashIntegrationTest.

6.2.3 메소드 명[ | ]

메서드 이름은 lowerCamelCase로 작성됩니다.

메서드 이름은 일반적으로 동사 또는 동사 구입니다. 예를 들어 sendMessage 또는 중지입니다.

JUnit 테스트 메서드 이름에 밑줄이 표시되어 이름의 논리적 구성 요소를 구분할 수 있으며 각 구성 요소는 lowerCamelCase로 작성됩니다. 한 가지 일반적인 패턴은 <methodUnderTest>_<state>입니다(예: pop_emptyStack). 테스트 방법의 이름을 지정하는 올바른 방법은 없습니다.

6.2.4 상수 이름[ | ]

상수 이름은 CONSTANT_CASE를 사용합니다. 모두 대문자이며 각 단어는 단일 밑줄로 다음 단어와 구분됩니다. 그러나 상수란 정확히 무엇입니까?

상수는 내용이 완전히 변경되지 않고 메서드에 감지할 수 있는 부작용이 없는 정적 최종 필드입니다. 여기에는 기본, 문자열, 불변 유형 및 불변 유형의 불변 컬렉션이 포함됩니다. 인스턴스의 관찰 가능한 상태가 변경될 수 있는 경우 상수가 아닙니다. 객체를 변경하지 않으려는 의도만으로는 충분하지 않습니다. 예:

// Constants
static final int NUMBER = 5;
static final ImmutableList<String> NAMES = ImmutableList.of("Ed", "Ann");
static final ImmutableMap<String, Integer> AGES = ImmutableMap.of("Ed", 35, "Ann", 32);
static final Joiner COMMA_JOINER = Joiner.on(','); // because Joiner is immutable
static final SomeMutableType[] EMPTY_ARRAY = {};
enum SomeEnum { ENUM_CONSTANT }

// Not constants
static String nonFinal = "non-final";
final String nonStatic = "non-static";
static final Set<String> mutableCollection = new HashSet<String>();
static final ImmutableSet<SomeMutableType> mutableElements = ImmutableSet.of(mutable);
static final ImmutableMap<String, SomeMutableType> mutableValues =
    ImmutableMap.of("Ed", mutableInstance, "Ann", mutableInstance2);
static final Logger logger = Logger.getLogger(MyClass.getName());
static final String[] nonEmptyArray = {"these", "can", "change"};
These names are typically nouns or noun phrases.

6.2.5 비상수 필드 이름[ | ]

상수가 아닌 필드 이름(정적 또는 기타)은 lowerCamelCase로 작성됩니다.

이러한 이름은 일반적으로 명사 또는 명사구입니다. 예를 들어, computedValues 또는 index.

645 / 5000 번역 결과

6.2.6 매개변수 이름[ | ]

매개변수 이름은 lowerCamelCase로 작성됩니다.

공용 메소드에서 한 문자 매개변수 이름은 피해야 합니다.

6.2.7 로컬 변수 이름[ | ]

지역 변수 이름은 lowerCamelCase로 작성됩니다.

최종적이고 변경할 수 없는 경우에도 지역 변수는 상수로 간주되지 않으며 상수로 스타일 지정되어서는 안 됩니다.

6.2.8 유형 변수 이름[ | ]

각 유형 변수의 이름은 다음 두 가지 스타일 중 하나로 지정됩니다.

단일 대문자, 선택적으로 뒤에 단일 숫자(예: E, T, X, T2) 클래스에 사용되는 형식의 이름(섹션 5.2.2, 클래스 이름 참조) 뒤에 대문자 T가 옵니다(예: RequestT, FooBarT).

6.3 Camel case: 정의됨[ | ]

Sometimes there is more than one reasonable way to convert an English phrase into camel case, such as when acronyms or unusual constructs like "IPv6" or "iOS" are present. To improve predictability, Google Style specifies the following (nearly) deterministic scheme.

Beginning with the prose form of the name:

Convert the phrase to plain ASCII and remove any apostrophes. For example, "Müller's algorithm" might become "Muellers algorithm". Divide this result into words, splitting on spaces and any remaining punctuation (typically hyphens). Recommended: if any word already has a conventional camel-case appearance in common usage, split this into its constituent parts (e.g., "AdWords" becomes "ad words"). Note that a word such as "iOS" is not really in camel case per se; it defies any convention, so this recommendation does not apply. Now lowercase everything (including acronyms), then uppercase only the first character of: ... each word, to yield upper camel case, or ... each word except the first, to yield lower camel case Finally, join all the words into a single identifier.

7 프로그래밍 실무[ | ]

7.1 @Override: 항상 사용[ | ]

A method is marked with the @Override annotation whenever it is legal. This includes a class method overriding a superclass method, a class method implementing an interface method, and an interface method respecifying a superinterface method.

Exception: @Override may be omitted when the parent method is @Deprecated.

7.2 exception 처리: 무시 안함[ | ]

Except as noted below, it is very rarely correct to do nothing in response to a caught exception. (Typical responses are to log it, or if it is considered "impossible", rethrow it as an AssertionError.)

When it truly is appropriate to take no action whatsoever in a catch block, the reason this is justified is explained in a comment.

try {
  int i = Integer.parseInt(response);
  return handleNumericResponse(i);
} catch (NumberFormatException ok) {
  // it's not numeric; that's fine, just continue
}
return handleTextResponse(response);

Exception: In tests, a caught exception may be ignored without comment if its name is or begins with expected. The following is a very common idiom for ensuring that the code under test does throw an exception of the expected type, so a comment is unnecessary here.

try {
  emptyStack.pop();
  fail();
} catch (NoSuchElementException expected) {
}

7.3 static 멤버: 클래스 사용하여 접근[ | ]

When a reference to a static class member must be qualified, it is qualified with that class's name, not with a reference or expression of that class's type.

Foo aFoo = ...; Foo.aStaticMethod(); // good aFoo.aStaticMethod(); // bad somethingThatYieldsAFoo().aStaticMethod(); // very bad

7.4 Finalizers: 사용 안함[ | ]

It is extremely rare to override Object.finalize.

Tip: Don't do it. If you absolutely must, first read and understand Effective Java Item 7, "Avoid Finalizers," very carefully, and then don't do it.

8 Javadoc[ | ]

8.1 서식[ | ]

8.1.1 일반양식[ | ]

javadoc 블록의 기본 형식은 다음과 같다

/**
 * Multiple lines of Javadoc text are written here,
 * wrapped normally...
 */
public int method(String p1) { ... }

... 또는 아래 한줄의 예를 확인:

/** An especially short bit of Javadoc. */

기본형식은 항상 허용됩니다. javadoc 블록 전체(주석 표시 포함)가 한줄에 들어갈 수 있는 경우 한 줄 형식으로 대체될 수 있습니다. @return과 같은 블록 태그가 없는 경우에만 적용 됩니다.

8.1.2 단락[ | ]

빈줄(앞에 * 로 정렬된)은 단락 사이와 블록 태그 그룹 앞에 있습니다.첫 번째 단락을 제외한 각 단락은 첫 번째 단어 바로 앞에

가 있고 뒤에 공백이 없습니다.

8.1.3 태그 차단[ | ]

표준 블록태그 @param, @return, @throws, @deprecated 순서로 표시되며 4가지 유형은 설명이 없으면 안됨. 블록 태그가 한 줄에 맞지 않으면 @ 위치에서 연속 줄을 4칸(또는 그 이상) 들여씀.

8.2 요약 단편[ | ]

Each Javadoc block begins with a brief summary fragment. This fragment is very important: it is the only part of the text that appears in certain contexts such as class and method indexes.

This is a fragment—a noun phrase or verb phrase, not a complete sentence. It does not begin with A {@code Foo} is a..., or This method returns..., nor does it form a complete imperative sentence like Save the record.. However, the fragment is capitalized and punctuated as if it were a complete sentence.

Tip: A common mistake is to write simple Javadoc in the form /** @return the customer ID */. This is incorrect, and should be changed to /** Returns the customer ID. */.

8.3 Javadoc이 사용되는 곳[ | ]

At the minimum, Javadoc is present for every public class, and every public or protected member of such a class, with a few exceptions noted below.

Additional Javadoc content may also be present, as explained in Section 7.3.4, Non-required Javadoc.

8.3.1 예외: 자명한 방법[ | ]

Javadoc is optional for "simple, obvious" methods like getFoo, in cases where there really and truly is nothing else worthwhile to say but "Returns the foo".

Important: it is not appropriate to cite this exception to justify omitting relevant information that a typical reader might need to know. For example, for a method named getCanonicalName, don't omit its documentation (with the rationale that it would say only /** Returns the canonical name. */) if a typical reader may have no idea what the term "canonical name" means!

8.3.2 예외: overrides[ | ]

Javadoc is not always present on a method that overrides a supertype method.

8.3.3 javadoc이 필요없음[ | ]

Other classes and members have Javadoc as needed or desired.

Whenever an implementation comment would be used to define the overall purpose or behavior of a class or member, that comment is written as Javadoc instead (using /**).

Non-required Javadoc is not strictly required to follow the formatting rules of Sections 7.1.2, 7.1.3, and 7.2, though it is of course recommended.

9 참고[ | ]

문서 댓글 ({{ doc_comments.length }})
{{ comment.name }} {{ comment.created | snstime }}