헬퍼 함수들
시작하기
라라벨은 다양한 글로벌 "헬퍼" PHP 함수들을 포함하고 있습니다. 그 중 많은 기능은 프레임워크가 스스로 사용하지만 여러분의 애플리케이션에도 자유롭게 사용하실 수 있습니다.
사용 가능한 메소드
배열
- array_add
- array_collapse
- array_divide
- array_dot
- array_except
- array_first
- array_flatten
- array_forget
- array_get
- array_has
- array_last
- array_only
- array_pluck
- array_prepend
- array_pull
- array_set
- array_sort
- array_sort_recursive
- array_where
- head
- last
경로
문자열
- camel_case
- class_basename
- e
- ends_with
- snake_case
- str_limit
- starts_with
- str_contains
- str_finish
- str_is
- str_plural
- str_random
- str_singular
- str_slug
- studly_case
- title_case
- trans
- trans_choice
URLs
기타
- abort
- abort_if
- abort_unless
- auth
- back
- bcrypt
- cache
- collect
- config
- csrf_field
- csrf_token
- dd
- dispatch
- env
- event
- factory
- info
- logger
- method_field
- old
- redirect
- request
- response
- session
- value
- view
메소드 목록
배열
array_add()
{#collection-method .first-collection-method}
array_add
함수는 배열 내에 키가 존재하지 않는 경우 주어진 key/value 쌍을 배열에 추가합니다:
$array = array_add(['name' => 'Desk'], 'price', 100);
// ['name' => 'Desk', 'price' => 100]
array_collapse()
{#collection-method}
array_collapse
함수는 배열들의 배열(여러개의 배열)을 하나의 배열로 통합합니다:
$array = array_collapse([[1, 2, 3], [4, 5, 6], [7, 8, 9]]);
// [1, 2, 3, 4, 5, 6, 7, 8, 9]
array_divide()
{#collection-method}
array_divide
함수는 원래의 배열에서 키(key)들을 담고 있는 배열과 값(value)들을 담고 있는 배열, 총 2개의 배열들을 반환합니다:
list($keys, $values) = array_divide(['name' => 'Desk']);
// $keys: ['name']
// $values: ['Desk']
array_dot()
{#collection-method}
array_dot
함수는 다차원 배열을 ‘점(.)’으로 배열 깊이를 표기하면서 단일 레벨의 배열로 만듭니다:
$array = array_dot(['foo' => ['bar' => 'baz']]);
// ['foo.bar' => 'baz'];
array_except()
{#collection-method}
array_except
메소드는 주어진 키 / 값 쌍을 배열에서 제거합니다.
$array = ['name' => 'Desk', 'price' => 100];
$array = array_except($array, ['price']);
// ['name' => 'Desk']
array_first()
{#collection-method}
array_first
함수는 넘겨진 배열 중 주어진 조건을 만족하는 첫번째 요소를 반환합니다:
$array = [100, 200, 300];
$value = array_first($array, function ($value, $key) {
return $value >= 150;
});
// 200
메소드에 세번째 파라미터로 기본 값을 지정할 수 있습니다. 배열의 어떠한 값도 조건을 통과하지 못했을 때 이 값이 반환됩니다:
$value = array_first($array, $callback, $default);
array_flatten()
{#collection-method}
array_flatten
함수는 다차원 배열을 단일 레벨의 1차원 배열로 만듭니다.
$array = ['name' => 'Joe', 'languages' => ['PHP', 'Ruby']];
$array = array_flatten($array);
// ['Joe', 'PHP', 'Ruby'];
array_forget()
{#collection-method}
array_forget
함수는 “점(.)”표기법을 사용하여 중첩 배열로부터 주어진 키/ 값 쌍을 제거합니다:
$array = ['products' => ['desk' => ['price' => 100]]];
array_forget($array, 'products.desk');
// ['products' => []]
array_get()
{#collection-method}
array_get
함수는 “점(.)”표기법으로 중첩 배열로부터 주어진 값을 찾습니다:
$array = ['products' => ['desk' => ['price' => 100]]];
$value = array_get($array, 'products.desk');
// ['price' => 100]
array_get
함수는 특정 키를 찾지 못한 경우 반환되는 기본값을 지정할 수도 있습니다.
$value = array_get($array, 'names.john', 'default');
array_has()
{#collection-method}
array_has
함수는 "점(.)" 표기를 이용하여 배열에 주어진 아이템 또는 아이템들이 존재하는지 확인합니다:
$array = ['product' => ['name' => 'desk', 'price' => 100]];
$hasItem = array_has($array, 'product.name');
// true
$hasItems = array_has($array, ['product.price', 'product.discount']);
// false
array_last()
{#collection-method}
array_last
함수는 전달된 조검을 통과하는 아이템의 가장 마지막 요소를 반환합니다:
$array = [100, 200, 300, 110];
$value = array_last($array, function ($value, $key) {
return $value >= 150;
});
// 300
array_only()
{#collection-method}
array_only
함수는 특정한 키 / 값 쌍만을 배열로부터 반환합니다:
$array = ['name' => 'Desk', 'price' => 100, 'orders' => 10];
$array = array_only($array, ['name', 'price']);
// ['name' => 'Desk', 'price' => 100]
array_pluck()
{#collection-method}
array_pluck
함수는 배열로부터 주어진 키 / 값 쌍의 리스트를 뽑아냅니다:
$array = [
['developer' => ['id' => 1, 'name' => 'Taylor']],
['developer' => ['id' => 2, 'name' => 'Abigail']],
];
$array = array_pluck($array, 'developer.name');
// ['Taylor', 'Abigail'];
리스트만들어 지는 결과가 어떻게 키로 변환될지 지정할 수도 있습니다:
$array = array_pluck($array, 'developer.name', 'developer.id');
// [1 => 'Taylor', 2 => 'Abigail'];
array_prepend()
{#collection-method}
array_prepend
함수는 배열의 시작부분에 아이템을 추가할 것입니다:
$array = ['one', 'two', 'three', 'four'];
$array = array_prepend($array, 'zero');
// $array: ['zero', 'one', 'two', 'three', 'four']
array_pull()
{#collection-method}
array_pull
함수는 배열에서 주어진 키 / 값 쌍을 반환함과 동시에 제거합니다:
$array = ['name' => 'Desk', 'price' => 100];
$name = array_pull($array, 'name');
// $name: Desk
// $array: ['price' => 100]
array_set()
{#collection-method}
array_set
함수는 "점(.)" 표기법을 이용하여 중첩된 배열 내에 값을 설정합니다:
$array = ['products' => ['desk' => ['price' => 100]]];
array_set($array, 'products.desk.price', 200);
// ['products' => ['desk' => ['price' => 200]]]
array_sort()
{#collection-method}
array_sort
함수는 주어진 클로져의 결과 값으로 배열을 정렬합니다:
$array = [
['name' => 'Desk'],
['name' => 'Chair'],
];
$array = array_values(array_sort($array, function ($value) {
return $value['name'];
}));
/*
[
['name' => 'Chair'],
['name' => 'Desk'],
]
*/
array_sort_recursive()
{#collection-method}
array_sort_recursive
함수는 sort
함수를 이용하여 반복적으로 배열을 정렬합니다:
$array = [
[
'Roman',
'Taylor',
'Li',
],
[
'PHP',
'Ruby',
'JavaScript',
],
];
$array = array_sort_recursive($array);
/*
[
[
'Li',
'Roman',
'Taylor',
],
[
'JavaScript',
'PHP',
'Ruby',
]
];
*/
array_where()
{#collection-method}
array_where
함수는 주어진 클로져를 사용하여 배열을 필터링합니다:
$array = [100, '200', 300, '400', 500];
$array = array_where($array, function ($value, $key) {
return is_string($value);
});
// [1 => 200, 3 => 400]
head()
{#collection-method}
head
함수는 단순히 배열의 첫번째 요소를 반환합니다:
$array = [100, 200, 300];
$first = head($array);
// 100
last()
{#collection-method}
last
함수는 배열의 마지막 요소를 반환합니다:
$array = [100, 200, 300];
$last = last($array);
// 300
경로
app_path()
{#collection-method}
app_path
함수는 app
디렉토리에 대한 절대 경로를 반환합니다. app_path
함수를 사용하면 애플리케이션 디렉토리에서 특정 파일의 절대 경로를 생성할 수도 있습니다:
$path = app_path();
$path = app_path('Http/Controllers/Controller.php');
base_path()
{#collection-method}
base_path
함수는 프로젝트의 루트 디렉토리에 대한 절대 경로를 반환합니다. base_path
함수를 사용하여 프로젝트 루트 디렉토리에 대한 특정 파일의 절대 경로를 생성할 수도 있습니다:
$path = base_path();
$path = base_path('vendor/bin');
config_path()
{#collection-method}
config_path
함수는 애플리케이션의 config
디렉토리에 대한 절대 경로를 반환합니다:
$path = config_path();
database_path()
{#collection-method}
database_path
함수는 애플리케이션의 데이터베이스 디렉토리에 대한 절대 경로를 반환합니다:
$path = database_path();
elixir()
{#collection-method}
elixir
함수는 버전이 지정된 Elixir 파일에 대한 경로를 반환합니다:
elixir($file);
public_path()
{#collection-method}
public_path
함수는 public
디렉토리에 대한 절대경로를 반환합니다:
$path = public_path();
resource_path()
{#collection-method}
resource_path
함수는 resources
디렉토리에 대한 절대경로를 반환합니다. resource_path
함수를 사용하여 주어진 파일에 대한 경로를 생성할 수도 있습니다:
$path = resource_path();
$path = resource_path('assets/sass/app.scss');
storage_path()
{#collection-method}
storage_path
함수는 storage
디렉토리에 대한 절대경로를 반환합니다. storage_path
함수를 사용하여 주어진 파일에 대한 경로를 생성할 수도 있습니다:
$path = storage_path();
$path = storage_path('app/file.txt');
문자열
camel_case()
{#collection-method}
camel_case
함수는 주어진 문자열을 camelCase
형태로 변환합니다:
$camel = camel_case('foo_bar');
// fooBar
class_basename()
{#collection-method}
class_basename
은 클래스의 네임스페이스를 제거한 클래스의 클래스 명을 반환합니다:
$class = class_basename('Foo\Bar\Baz');
// Baz
e()
{#collection-method}
e
함수는 주어진 문자열에 htmlspecialchars
를 실행합니다:
echo e('<html>foo</html>');
// <html>foo</html>
ends_with()
{#collection-method}
ends_with
함수는 주어진 문자열이 특정 값으로 끝나는지 알아냅니다:
$value = ends_with('This is my name', 'name');
// true
snake_case()
{#collection-method}
snake_case
함수는 주어진 문자열을 snake_case
형태로 변환합니다:
$snake = snake_case('fooBar');
// foo_bar
str_limit()
{#collection-method}
str_limit
함수는 문자열의 문자 수를 제한합니다. 함수는 문자열을 첫번째 인자로 받고 반환되는 최대 문자의 길이를 두번째 인자로 받습니다:
$value = str_limit('The PHP framework for web artisans.', 7);
// The PHP...
starts_with()
{#collection-method}
starts_with
함수는 문자열이 주어진 문자열으로 시작하는지 판별합니다:
$value = starts_with('This is my name', 'This');
// true
str_contains()
{#collection-method}
str_contains
함수는 주어진 문자열이 특정 문자열을 포함하는지 판별합니다:
$value = str_contains('This is my name', 'my');
// true
또한 주어진 문자열이 특정 문자열을 포함하고 있는지 판별하기 위한 배열을 전달할 수도 있습니다:
$value = str_contains('This is my name', ['my', 'foo']);
// true
str_finish()
{#collection-method}
str_finish
함수는 문자열 뒤에 주어진 값을 추가합니다:
$string = str_finish('this/string', '/');
// this/string/
str_is()
{#collection-method}
str_is
함수는 주어진 문자열이 주어진 패턴과 대응되는지 확인합니다. 와일드카드를 표시하기 위해 별표를 사용할 수 있습니다:
$value = str_is('foo*', 'foobar');
// true
$value = str_is('baz*', 'foobar');
// false
str_plural()
{#collection-method}
str_plural
함수는 문자열을 복수형태로 변환합니다. 이 함수는 현재 영어에만 적용 가능합니다:
$plural = str_plural('car');
// cars
$plural = str_plural('child');
// children
문자열의 단일 혹은 복수 형태를 조회하기 위해서, 함수의 두번째 인자로 정수를 전달할 수 있습니다:
$plural = str_plural('child', 2);
// children
$plural = str_plural('child', 1);
// child
str_random()
{#collection-method}
str_random
함수는 지정된 길이의 문자열을 무작위로 생성합니다. 이 함수는 PHP의 random_bytes
함수를 사용합니다:
$string = str_random(40);
str_singular()
{#collection-method}
str_singular
함수는 문자열을 단수 형태로 변환합니다. 이 함수는 현재 영어에만 적용 가능합니다:
$singular = str_singular('cars');
// car
str_slug()
{#collection-method}
str_slug
함수는 주어진 문자열로부터 URL에 알맞은 "slug"를 생성합니다:
$title = str_slug('Laravel 5 Framework', '-');
// laravel-5-framework
studly_case()
{#collection-method}
studly_case
함수는 주어진 문자열을 StudlyCase
형태로 변환합니다:
$value = studly_case('foo_bar');
// FooBar
title_case()
{#collection-method}
title_case
함수는 주어진 문자열을 Title Case
로 변환합니다(단어별로 앞글자를 대문자, 단어 사이를 공백이 포함되는 형태):
$title = title_case('a nice title uses the correct case');
// A Nice Title Uses The Correct Case
trans()
{#collection-method}
trans
함수는 다국어 파일을 이용하여 주어진 언어를 번역합니다:
echo trans('validation.required'):
trans_choice()
{#collection-method}
trans_choice
함수는 주어진, 수량(단수, 복수 처리)을 이용하여 주어진 언어를 번역합니다:
$value = trans_choice('foo.bar', $count);
URLs
action()
{#collection-method}
action
함수는 주어진 컨트롤러 메소드로 URL을 생성합니다. 컨트롤러는 전체 네임스페이스를 전달하지 않아도 됩니다. 대신, App\Http\Controllers
네임스페이스에 따른 컨트롤러 클래스 이름을 전달하면 됩니다.:
$url = action('HomeController@getIndex');
메소드가 라우트 파라미터를 받아들인다면, 두번째 인자로 메소드에 전달하십시오:
$url = action('UserController@profile', ['id' => 1]);
asset()
{#collection-method}
HTTP요청의 현재 scheme(HTTP나 HTTPS)을 이용하여 asset을 사용하기 위한 URL을 생성합니다:
$url = asset('img/photo.jpg');
secure_asset()
{#collection-method}
HTTPS를 이용하여 asset을 사용하기 위한 URL을 생성합니다:
echo secure_asset('foo/bar.zip', $title, $attributes = []);
route()
{#collection-method}
route
함수는 주어진 라우트 이름으로 URL을 생성합니다:
$url = route('routeName');
라우트가 파라미터를 가진다면 파라미터를 두번째 인자로 메소드에 전달하세요:
$url = route('routeName', ['id' => 1]);
secure_url()
{#collection-method}
secure_url
함수는 주어진 경로에 대한 전체 HTTPS URL을 생성합니다:
echo secure_url('user/profile');
echo secure_url('user/profile', [1]);
url()
{#collection-method}
url
함수는 주어진 경로에 대한 전체 URL을 생성합니다:
echo url('user/profile');
echo url('user/profile', [1]);
경로를 전달하지 않으면, Illuminate\Routing\UrlGenerator
인스턴스가 반환됩니다:
echo url()->current();
echo url()->full();
echo url()->previous();
기타 함수들
abort()
{#collection-method}
abort
함수는 Exception 핸들러에 의해서 렌더링 될 수 있는 HTTP exception 을 발생시킵니다:
abort(401);
exception 의 응답 텍스트를 제공할 수도 있습니다:
abort(401, 'Unauthorized.');
abort_if()
{#collection-method}
abort_if
함수는 주어진 조건식이 true
일때 HTTP exception을 발생시킵니다:
abort_if(! Auth::user()->isAdmin(), 403);
abort_unless()
{#collection-method}
abort_unless
함수는 주어진 조건식이 false
일때 HTTP exception 을 발생시킵니다:
abort_unless(Auth::user()->isAdmin(), 403);
auth()
{#collection-method}
auth
함수는 authenticator 인스턴스를 반환합니다. 편의를 위하여 Auth
파사드 대신 이용할 수 있습니다:
$user = auth()->user();
back()
{#collection-method}
back()
함수는 사용자의 이전 위치로 리다이렉트하는 응답을 생성합니다:
return back();
bcrypt()
{#collection-method}
bcrypt
함수는 Bcrypt를 이용하여 주어진 값을 해시 처리합니다. Hash
파사드 대신 사용할 수 있습니다:
$password = bcrypt('my-secret-password');
cache()
{#collection-method}
cache
함수는 캐시로 부터 값을 가져오는데 사용할 수 있습니다. 캐시에서 주어진 키가 존재하지 않는 경우, 옵션으로 전달된 기본값(두번째인자)가 반환됩니다
$value = cache('key');
$value = cache('key', 'default');
함수에 키 / 값으로 된 배열을 전달하여 캐시에 아이템을 추가할 수 있습니다. 또한 캐시에 값이 얼마나 유지되어야 하는지에 대한 시간(분)을 숫자로 전달할 수도 있습니다.
cache(['key' => 'value'], 5);
cache(['key' => 'value'], Carbon::now()->addSeconds(10));
collect()
{#collection-method}
collect
함수는 주어진 배열로부터 collection 인스턴스를 생성합니다:
$collection = collect(['taylor', 'abigail']);
config()
{#collection-method}
config
함수는 환경 설정 변수의 값을 가져옵니다. 설정 값은 파일명과 접근하고자 하는 옵션을 포함하는 "점(.)" 문법(syntax)를 사용하여 접근할 수 있습니다. 설정 옵션이 존재하지 않는다면 지정된 기본값이 반환됩니다:
$value = config('app.timezone');
$value = config('app.timezone', $default);
config
헬퍼는 키 / 값 쌍을 런타임에 전달하는 방법으로 설정 변수를 설정할 수도 있습니다:
config(['app.debug' => true]);
csrf_field()
{#collection-method}
csrf_field
함수는 CSRF 토큰 값을 포함하는 HTML hidden
Input 필드를 생성합니다. 예를 들어 Blade syntax에서 사용할 수 있습니다:
{{ csrf_field() }}
csrf_token()
{#collection-method}
csrf_token
함수는 현재 CSRF 토큰의 값을 조회합니다:
$token = csrf_token();
dd()
{#collection-method}
dd
함수는 주어진 변수들을 Dump 처리하고 스크립트의 실행을 중단합니다:
dd($value);
dd($value1, $value2, $value3, ...);
스크립트 실행을 중단하고 싶지 않다면, dump
함수를 사용하십시오:
dump($value);
dispatch()
{#collection-method}
dispatch
함수는 라라벨의 job queue에 새로운 작업을 추가합니다:
dispatch(new App\Jobs\SendEmails);
env()
{#collection-method}
env
함수는 환경 변수의 값을 가져오거나 기본값을 반환합니다:
$env = env('APP_ENV');
// Return a default value if the variable doesn't exist...
$env = env('APP_ENV', 'production');
event()
{#collection-method}
event
함수는 주어진 event를 리스너들에게 보냅니다:
event(new UserRegistered($user));
factory()
{#collection-method}
factory
함수는 주어진 클래스, 이름, 양을 위한 모델 팩토리 빌더를 생성합니다. testing이나 seeding 중에 이용할 수 있습니다:
$user = factory(App\User::class)->make();
info()
{#collection-method}
info
함수는 로그에 정보를 기록합니다:
info('Some helpful information!');
문맥에대한 데이터를 함수에 배열로 전달할 수도 있습니다:
info('User login attempt failed.', ['id' => $user->id]);
logger()
{#collection-method}
logger
함수는 로그에 debug
로그 레벨을 기록하는데 사용합니다:
logger('Debug message');
문맥에대한 데이터를 함수에 배열로 전달할 수도 있습니다:
logger('User has logged in.', ['id' => $user->id]);
함수에 아무런 값이 전달되지 않으면 logger 인스턴스가 반환됩니다:
logger()->error('You are not allowed here.');
method_field()
{#collection-method}
method_field
함수는 HTTP 메소드 형식의 가짜(spoof) 값을 포함하는 HTML hidden
Input 필드를 생성합니다. 예를 들어 Blade syntax에서 사용할 수 있습니다:
<form method="POST">
{{ method_field('DELETE') }}
</form>
old()
{#collection-method}
old
함수는 세션에 저장된 오래된(flashed) 입력 값을 조회합니다:
$value = old('value');
$value = old('value', 'default');
redirect()
{#collection-method}
redirect
함수는 HTTP 응답을 리다이렉션 처리 하거나, 인자 없이 호출되는 경우 리디렉터 인스턴스를 반환합니다:
return redirect('/home');
return redirect()->route('route.name');
request()
{#collection-method}
request
함수는 현재의 요청 인스턴스를 반환하거나 입력 아이템을 가져옵니다:
$request = request();
$value = request('key', $default = null)
response()
{#collection-method}
response
함수는 응답 인스턴스를 생성하거나 응답 팩토리의 인스턴스를 가져옵니다:
return response('Hello World', 200, $headers);
return response()->json(['foo' => 'bar'], 200, $headers);
session()
{#collection-method}
session
함수는 세션 값을 얻거나 지정하는 데에 사용할 수 있습니다.
$value = session('key');
키 / 값 쌍들의 배열을 함수로 전달하여 값을 설정할 수 있습니다:
session(['chairs' => 7, 'instruments' => 3]);
함수에 아무런 값도 전달되지 않는다면 세션 스토어가 반환됩니다:
$value = session()->get('key');
session()->put('key', $value);
value()
{#collection-method}
value
함수의 행동은 단순히 자신에게 주어진 값을 반환합니다. 하지만 함수에 Closure
를 전달하면 Closure
가 실행되고 그 결과물이 반환됩니다:
$value = value(function () {
return 'bar';
});
view()
{#collection-method}
view
함수는 view 인스턴스를 조회합니다:
return view('auth.login');