Laravelでユーザー登録時に確認メールを送る方法

2857 回閲覧されました
みなさんこんにちは、jonioです。
今回はLaravelのBreeze等でログイン機能を作ってユーザー登録した時に確認のメールが来る様になる方法について解説します。
目次 [隠す]
Laravelのバージョン
バージョンは8です。
前提としてしないといけない事
ログイン機能をBreezeで実装するなら↓の記事を読んで実装して下さい。
またLaravelのプロジェクト直下にある「.env」ファイルにメールを送信する為の記述をしないといけないのですが↓の解説の「.envの編集」の項目を参考にしてやってみて下さい。
Userモデルの編集
「Laravelのプロジェクト > app >Models > User.php」を編集します。
まずはEmail認証を必須にする為の設定です。
↓の3つのuse文を追加します。
use Illuminate\Contracts\Auth\MustVerifyEmail; | |
use Illuminate\Foundation\Auth\User as Authenticatable; | |
use Illuminate\Notifications\Notifiable; |
この3つの文はLaravelのバージョン8ではデフォルトで付いているみたいです。
次にUser.phpの14行目辺りにある「class User extends・・・」のコードを↓に編集します。
<?php | |
namespace App\Models; | |
use Illuminate\Contracts\Auth\MustVerifyEmail; | |
use Illuminate\Database\Eloquent\Factories\HasFactory; | |
use Illuminate\Foundation\Auth\User as Authenticatable; | |
use Illuminate\Notifications\Notifiable; | |
use Laravel\Sanctum\HasApiTokens; | |
use App\Notifications\NewVerifyEmail; | |
//ここから編集 | |
class User extends Authenticatable implements MustVerifyEmail | |
{ | |
use HasApiTokens, HasFactory, Notifiable; | |
//ここまで編集 |
次はルーティングです。
ルーティング
web.phpを編集します。
「Auth::route(); 」がありますが「Auth::routes([‘verify’ => true]); 」に変えます。
更にメール認証をしてユーザー登録した場合だけアクセスする事ができるページの設定をweb.phpにします。(必須ではないです)
Route::middleware(['verified'])->group(function(){ | |
見たいページのルーティング | |
}); |
例えばユーザー登録をしたらトップページを見る事ができる様にする為のコードは↓みたいな感じです。
Route::middleware(['verified'])->group(function(){ | |
Route::get('/index','HomeController@index')->name('index'); | |
}); |
ここまでができたらアカウントを作るページに移動します。
↓のページで項目に入力して「アカウント作成」を押します。
するとメールアドレスの確認画面になります。
また、確認のメールが届きます。
メールアドレスの確認画面・確認メールは文章が少し硬い感じがするので内容を変えます。
メールアドレスの確認画面の修正
確認画面を表示するbladeは「Laravelのプロジェクト > resources > views/auth > verify.blade.php」ですがこれを修正します。
今の状態は↓です。
@extends('layouts.app') | |
@section('content') | |
<div class="container"> | |
<div class="row justify-content-center"> | |
<div class="col-md-8"> | |
<div class="card"> | |
<div class="card-header">{{ __('Verify Your Email Address') }}</div> | |
<div class="card-body"> | |
@if (session('resent')) | |
<div class="alert alert-success" role="alert"> | |
{{ __('A fresh verification link has been sent to your email address.') }} | |
</div> | |
@endif | |
{{ __('Before proceeding, please check your email for a verification link.') }} | |
{{ __('If you did not receive the email') }}, | |
<form class="d-inline" method="POST" action="{{ route('verification.resend') }}"> | |
@csrf | |
<button type="submit" class="btn btn-link p-0 m-0 align-baseline">{{ __('click here to request another') }}</button>. | |
</form> | |
</div> | |
</div> | |
</div> | |
</div> | |
</div> | |
@endsection |
これを↓にします。
@extends('layouts.app') | |
@section('content') | |
<div class="container"> | |
<div class="row justify-content-center"> | |
<div class="col-md-8"> | |
<div class="card"> | |
<div class="card-header">メールアドレスをご確認ください。</div> //この行を修正 | |
<div class="card-body"> | |
@if (session('resent')) | |
<div class="alert alert-success" role="alert"> | |
ご登録いただいたメールアドレスに確認用のリンクをお送りしました。 //この行を修正 | |
</div> | |
@endif | |
メールをご確認ください。<br> //この行を修正 | |
もし確認用メールが送信されていない場合は、下記をクリックしてください。<br> //この行を修正 | |
<form class="d-inline" method="POST" action="{{ route('verification.resend') }}"> | |
@csrf | |
<button type="submit" class="btn btn-link p-0 m-0 align-baseline">確認メールを再送信する</button>. //この行を修正 | |
</form> | |
</div> | |
</div> | |
</div> | |
</div> | |
</div> | |
@endsection |
8行目・13行目・17行目・18行目・22行目を修正しています。
これで確認画面が↓に変わります。
次は確認メールの修正です。
確認メールの修正
確認メールの中身は「Laravelのプロジェクト > vendor > laravel > framework > src/Illuminate > Auth > Notifications > VerifyEmail.php」にあります。
<?php | |
namespace Illuminate\Auth\Notifications; | |
use Illuminate\Notifications\Messages\MailMessage; | |
use Illuminate\Notifications\Notification; | |
use Illuminate\Support\Carbon; | |
use Illuminate\Support\Facades\Config; | |
use Illuminate\Support\Facades\Lang; | |
use Illuminate\Support\Facades\URL; | |
class VerifyEmail extends Notification | |
{ | |
/** | |
* The callback that should be used to create the verify email URL. | |
* | |
* @var \Closure|null | |
*/ | |
public static $createUrlCallback; | |
/** | |
* The callback that should be used to build the mail message. | |
* | |
* @var \Closure|null | |
*/ | |
public static $toMailCallback; | |
/** | |
* Get the notification's channels. | |
* | |
* @param mixed $notifiable | |
* @return array|string | |
*/ | |
public function via($notifiable) | |
{ | |
return ['mail']; | |
} | |
/** | |
* Build the mail representation of the notification. | |
* | |
* @param mixed $notifiable | |
* @return \Illuminate\Notifications\Messages\MailMessage | |
*/ | |
public function toMail($notifiable) | |
{ | |
$verificationUrl = $this->verificationUrl($notifiable); | |
if (static::$toMailCallback) { | |
return call_user_func(static::$toMailCallback, $notifiable, $verificationUrl); | |
} | |
return $this->buildMailMessage($verificationUrl); | |
} | |
/** | |
* Get the verify email notification mail message for the given URL. | |
* | |
* @param string $url | |
* @return \Illuminate\Notifications\Messages\MailMessage | |
*/ | |
protected function buildMailMessage($url) | |
{ | |
return (new MailMessage) | |
->subject(Lang::get('Verify Email Address')) | |
->line(Lang::get('Please click the button below to verify your email address.')) | |
->action(Lang::get('Verify Email Address'), $url) | |
->line(Lang::get('If you did not create an account, no further action is required.')); | |
} | |
/** | |
* Get the verification URL for the given notifiable. | |
* | |
* @param mixed $notifiable | |
* @return string | |
*/ | |
protected function verificationUrl($notifiable) | |
{ | |
if (static::$createUrlCallback) { | |
return call_user_func(static::$createUrlCallback, $notifiable); | |
} | |
return URL::temporarySignedRoute( | |
'verification.verify', | |
Carbon::now()->addMinutes(Config::get('auth.verification.expire', 60)), | |
[ | |
'id' => $notifiable->getKey(), | |
'hash' => sha1($notifiable->getEmailForVerification()), | |
] | |
); | |
} | |
/** | |
* Set a callback that should be used when creating the email verification URL. | |
* | |
* @param \Closure $callback | |
* @return void | |
*/ | |
public static function createUrlUsing($callback) | |
{ | |
static::$createUrlCallback = $callback; | |
} | |
/** | |
* Set a callback that should be used when building the notification mail message. | |
* | |
* @param \Closure $callback | |
* @return void | |
*/ | |
public static function toMailUsing($callback) | |
{ | |
static::$toMailCallback = $callback; | |
} | |
} |
65行目〜68行目の英語が日本語に翻訳されています。
日本語に翻訳するファイルは「Laravelのプロジェクト > resorces > lang > ja.json」 です。
例えばVerifyEmail.phpの65行目の「Verify Email Address」はja.jsonの738行目に翻訳があります。
{ | |
"(and :count more error)": "(その他、:countエラーあり)", | |
"(and :count more errors)": "(その他、:countエラーあり)", | |
"30 Days": "30日", | |
"60 Days": "60日", | |
"90 Days": "90日", | |
":amount Total": "合計:amount", | |
":days day trial": ":Days日のトライアル", | |
":resource Details": ":Resource詳細", | |
":resource Details: :title": ":Resource詳細:title", | |
"A fresh verification link has been sent to your email address.": "新しい確認リンクがメールアドレスに送信されました。", | |
"A new verification link has been sent to the email address you provided during registration.": "入力いただいたメールアドレスに新しい確認メールを送信しました。", | |
"A new verification link has been sent to the email address you provided in your profile settings.": "登録いただいたメールアドレスに確認メールを送信しました。", | |
"A new verification link has been sent to your email address.": "確認メールを送信しました。", | |
"Accept Invitation": "招待を受け入れる", | |
"Action": "アクション", | |
"Action Happened At": "で起こった", | |
"Action Initiated By": "によって開始", | |
"Action Name": "名前", | |
"Action Status": "ステータス", | |
"Action Target": "ターゲット", | |
"Actions": "アクション", | |
"Add": "追加", | |
"Add a new team member to your team, allowing them to collaborate with you.": "新しいチームメンバーを追加。", | |
"Add additional security to your account using two factor authentication.": "セキュリティ強化のため二要素認証を追加。", | |
"Add row": "行を追加", | |
"Add Team Member": "チームメンバーを追加", | |
"Add VAT Number": "VAT番号を追加", | |
"Added.": "追加が完了しました。", | |
"Address": "住所", | |
"Address Line 2": "住所2", | |
"Administrator": "管理者", | |
"Administrator users can perform any action.": "管理者は全てのアクションを実行可能です。", | |
"Afghanistan": "アフガニスタン", | |
"Aland Islands": "オーランド諸島", | |
"Albania": "アルバニア", | |
"Algeria": "アルジェリア", | |
"All of the people that are part of this team.": "全チームメンバー", | |
"All resources loaded.": "全てのリソースが読み込まれました。", | |
"All rights reserved.": "All rights reserved.", | |
"Already registered?": "登録済みの方はこちら", | |
"American Samoa": "アメリカ領サモア", | |
"An error occured while uploading the file.": "ファイルのアップロード中にエラーが発生しました。", | |
"An error occurred while uploading the file.": "ファイルのアップロード中にエラーが発生しました。", | |
"An unexpected error occurred and we have notified our support team. Please try again later.": "予期せぬエラーが発生しました。時間をおいてから改めてお試しください。", | |
"Andorra": "アンドラ", | |
"Angola": "アンゴラ", | |
"Anguilla": "アンギラ", | |
"Another user has updated this resource since this page was loaded. Please refresh the page and try again.": "ページが読み込まれてから他のユーザーがリソースを更新しました。ページを更新して、もう一度お試しください。", | |
"Antarctica": "南極大陸", | |
"Antigua And Barbuda": "アンティグア・バーブーダ", | |
"Antigua and Barbuda": "アンティグア・バーブーダ", | |
"API Token": "APIトークン", | |
"API Token Permissions": "APIトークン認可", | |
"API Tokens": "APIトークン", | |
"API tokens allow third-party services to authenticate with our application on your behalf.": "APIトークンを用いることで、サードパーティーのサービスを使用してアプリケーションの認証を行うことが可能です。", | |
"Apply": "申し込む", | |
"Apply Coupon": "クーポンを申し込む", | |
"April": "4月", | |
"Are you sure you want to delete the selected resources?": "選択したリソースを削除しますか?", | |
"Are you sure you want to delete this file?": "このファイルを削除しますか?", | |
"Are you sure you want to delete this notification?": "この通知を削除しますか?", | |
"Are you sure you want to delete this resource?": "このリソースを削除しますか?", | |
"Are you sure you want to delete this team? Once a team is deleted, all of its resources and data will be permanently deleted.": "チームを削除しますか? チームを削除すると、全てのデータが完全に削除されます。", | |
"Are you sure you want to delete your account? Once your account is deleted, all of its resources and data will be permanently deleted. Please enter your password to confirm you would like to permanently delete your account.": "アカウントを削除しますか? アカウントを削除すると全てのデータが完全に削除されます。よろしければパスワードを入力してください。", | |
"Are you sure you want to detach the selected resources?": "選択したリソースを解除しますか?", | |
"Are you sure you want to detach this resource?": "このリソースを解除しますか?", | |
"Are you sure you want to force delete the selected resources?": "選択したリソースを強制的に削除しますか?", | |
"Are you sure you want to force delete this resource?": "このリソースを強制的に削除しますか?", | |
"Are you sure you want to log out?": "ログアウトしてもよろしいですか?", | |
"Are you sure you want to restore the selected resources?": "選択したリソースを復元しますか?", | |
"Are you sure you want to restore this resource?": "このリソースを復元しますか?", | |
"Are you sure you want to run this action?": "このアクションを実行しますか?", | |
"Are you sure you want to stop impersonating?": "なりすましを停止してもよろしいですか?", | |
"Are you sure you would like to delete this API token?": "APIトークンを削除しますか?", | |
"Are you sure you would like to leave this team?": "このチームから脱退してよろしいですか?", | |
"Are you sure you would like to remove this person from the team?": "このメンバーをチームから削除しますか?", | |
"Argentina": "アルゼンチン", | |
"Armenia": "アルメニア", | |
"Aruba": "アルバ", | |
"Attach": "添付", | |
"Attach & Attach Another": "添付して新しく添付", | |
"Attach :resource": ":Resourceを添付", | |
"August": "8月", | |
"Australia": "オーストラア", | |
"Austria": "オーストリア", | |
"Azerbaijan": "アゼルバイジャン", | |
"Bahamas": "バハマ", | |
"Bahrain": "バーレーン", | |
"Bangladesh": "バングラデシュ", | |
"Barbados": "バルバドス", | |
"Before continuing, could you verify your email address by clicking on the link we just emailed to you? If you didn't receive the email, we will gladly send you another.": "続行する前に、メールアドレスの認証を完了してください。メールが届いていない場合、再送することも可能です。", | |
"Before proceeding, please check your email for a verification link.": "先に進む前に、確認リンクのためにあなたの電子メールを確認してください。", | |
"Belarus": "ベラルーシ", | |
"Belgium": "ベルギー", | |
"Belize": "ベリーズ", | |
"Benin": "ベナン", | |
"Bermuda": "バミューダ諸島", | |
"Bhutan": "ブータン", | |
"Billing Information": "請求情報", | |
"Billing Management": "請求管理", | |
"Bolivia": "ボリビア", | |
"Bolivia, Plurinational State of": "ボリビア多民族国", | |
"Bonaire, Sint Eustatius and Saba": "ボネール、シント・ユースタティウスおよびサバ", | |
"Bosnia And Herzegovina": "ボスニア・ヘルツェゴビナ", | |
"Bosnia and Herzegovina": "ボスニア・ヘルツェゴビナ", | |
"Botswana": "ボツワナ", | |
"Bouvet Island": "ブーベ島", | |
"Brazil": "ブラジル", | |
"British Indian Ocean Territory": "イギリス領インド洋地域", | |
"Browser Sessions": "ブラウザセッション", | |
"Brunei Darussalam": "ブルネイ", | |
"Bulgaria": "ブルガリア", | |
"Burkina Faso": "ブルキナファソ", | |
"Burundi": "ブルンジ", | |
"Cambodia": "カンボジア", | |
"Cameroon": "カメルーン", | |
"Canada": "カナダ", | |
"Cancel": "キャンセル", | |
"Cancel Subscription": "サブスクリプションをキャンセル", | |
"Cape Verde": "カーボベルデ", | |
"Card": "カード", | |
"Cayman Islands": "ケイマン諸島", | |
"Central African Republic": "中央アフリカ共和国", | |
"Chad": "チャド", | |
"Change Subscription Plan": "サブスクリプションプランを変更", | |
"Changes": "変更点", | |
"Chile": "チリ", | |
"China": "中国", | |
"Choose": "選択", | |
"Choose :field": ":Fieldを選択", | |
"Choose :resource": ":Resourceを選択", | |
"Choose an option": "オプションを選択", | |
"Choose date": "日付を選択", | |
"Choose File": "ファイルを選択", | |
"Choose Files": "ファイルを選択", | |
"Choose Type": "タイプを選択", | |
"Christmas Island": "クリスマス島", | |
"City": "市区町村", | |
"Click here to re-send the verification email.": "確認メールを再送するにはこちらをクリックしてください。", | |
"click here to request another": "ここをクリックして別のものをリクエストしてください", | |
"Click to choose": "クリックして選択", | |
"Close": "閉じる", | |
"Cocos (Keeling) Islands": "ココス(キーリング)諸島", | |
"Code": "コード", | |
"Colombia": "コロンビア", | |
"Comoros": "コモロ", | |
"Confirm": "確認", | |
"Confirm Password": "パスワード(確認用)", | |
"Confirm Payment": "お支払いの確認", | |
"Confirm your :amount payment": ":Amount 個のお支払いを確認", | |
"Congo": "コンゴ", | |
"Congo, Democratic Republic": "コンゴ民主共和国", | |
"Congo, the Democratic Republic of the": "コンゴ民主共和国", | |
"Constant": "定数", | |
"Cook Islands": "クック諸島", | |
"Copy to clipboard": "クリップボードにコピー", | |
"Costa Rica": "コスタリカ", | |
"Cote D'Ivoire": "コートジボワール", | |
"could not be found.": "見つかりませんでした。", | |
"Country": "国", | |
"Coupon": "クーポン", | |
"Create": "作成", | |
"Create & Add Another": "作成して新しく追加する", | |
"Create :resource": ":Resourceを作成", | |
"Create a new team to collaborate with others on projects.": "新しいチームを作って、共同でプロジェクトを進める。", | |
"Create Account": "アカウントの作成", | |
"Create API Token": "APIトークン生成", | |
"Create New Team": "新しいチームを作成", | |
"Create Team": "チームを作成", | |
"Created.": "作成しました。", | |
"Croatia": "クロアチア", | |
"CSV (.csv)": "CSV (.csv)", | |
"Cuba": "キューバ", | |
"Curaçao": "キュラソー島", | |
"Current Password": "現在のパスワード", | |
"Current Subscription Plan": "現在のサブスクリプションプラン", | |
"Currently Subscribed": "現在購読している", | |
"Customize": "カスタマイズ", | |
"Cyprus": "キプロス", | |
"Czech Republic": "チェコ", | |
"Côte d'Ivoire": "コートジボワール", | |
"Dark": "暗い", | |
"Dashboard": "ダッシュボード", | |
"December": "12月", | |
"Decrease": "減少", | |
"Delete": "削除", | |
"Delete Account": "アカウント削除", | |
"Delete API Token": "APIトークン削除", | |
"Delete File": "ファイル削除", | |
"Delete Resource": "リソース削除", | |
"Delete Selected": "選択した内容を削除", | |
"Delete Team": "チームを削除", | |
"Denmark": "デンマーク", | |
"Detach": "解除", | |
"Detach Resource": "リソースを解除", | |
"Detach Selected": "選択した内容を解除", | |
"Details": "詳細", | |
"Disable": "無効化", | |
"Djibouti": "ジブチ", | |
"Do you really want to leave? You have unsaved changes.": "保存されていない変更があります。離れますか?", | |
"Dominica": "ドミニカ", | |
"Dominican Republic": "ドミニカ共和国", | |
"Done.": "完了しました。", | |
"Download": "ダウンロード", | |
"Download Receipt": "領収書をダウンロード", | |
"Drop file or click to choose": "ファイルをドラッグ&ドロップするか、クリックしてファイルを選択してください。", | |
"Drop files or click to choose": "ファイルをドラッグ&ドロップするか、クリックしてファイルを選択してください。", | |
"Ecuador": "エクアドル", | |
"Edit": "編集", | |
"Edit :resource": ":Resourceを編集", | |
"Edit Attached": "添付を編集", | |
"Edit Profile": "プロフィール編集", | |
"Editor": "編集者", | |
"Editor users have the ability to read, create, and update.": "編集者は読み込み、作成、更新ができます。", | |
"Egypt": "エジプト", | |
"El Salvador": "エルサルバドル", | |
"Email": "メール", | |
"Email Address": "メールアドレス", | |
"Email Addresses": "メールアドレス", | |
"Email Password Reset Link": "送信", | |
"Enable": "有効化", | |
"Ensure your account is using a long, random password to stay secure.": "アカウントを安全に保つため、ランダムで長いパスワードを使用していることを確認してください。", | |
"Equatorial Guinea": "赤道ギニア", | |
"Eritrea": "エリトリア", | |
"Error": "エラー", | |
"Estonia": "エストニア", | |
"Ethiopia": "エチオピア", | |
"ex VAT": "ex VAT", | |
"Excel (.xlsx)": "Excel (.xlsx)", | |
"Extra Billing Information": "追加請求情報", | |
"Extra confirmation is needed to process your payment. Please confirm your payment by filling out your payment details below.": "お支払いを完了するには、追加の確認が必要です。以下のお支払い詳細をご記入の上、お支払いを確認してください。", | |
"Extra confirmation is needed to process your payment. Please continue to the payment page by clicking on the button below.": "お支払いを完了するには、追加の確認が必要です。以下のボタンをクリックして、お支払いページに進んでください。", | |
"Failed to load :resource!": "読み込みに失敗しました :resource!", | |
"Falkland Islands (Malvinas)": "フォークランド諸島 (マルビナス諸島)", | |
"Faroe Islands": "フェロー諸島", | |
"February": "2月", | |
"Fiji": "フィジー", | |
"Filename": "ファイル名", | |
"Finish enabling two factor authentication.": "二要素認証の有効化を終了します。", | |
"Finland": "フィンランド", | |
"For your security, please confirm your password to continue.": "安全のため、パスワードを入力して続行してください。", | |
"Forbidden": "禁止されています", | |
"Force Delete": "強制的に削除する", | |
"Force Delete Resource": "リソースを強制的に削除する", | |
"Force Delete Selected": "選択した内容を強制的に削除する", | |
"Forgot Password": "パスワードを忘れた場合", | |
"Forgot your password?": "パスワードを忘れた方はこちら", | |
"Forgot Your Password?": "パスワードを忘れた方はこちら", | |
"Forgot your password? No problem. Just let us know your email address and we will email you a password reset link that will allow you to choose a new one.": "ご登録いただいたメールアドレスを入力してください。パスワード再設定用のURLをメールにてお送りします。", | |
"France": "フランス", | |
"French Guiana": "フランス領ギアナ", | |
"French Polynesia": "フランス領ポリネシア", | |
"French Southern Territories": "フランス領南方・南極地域", | |
"From": "From", | |
"Full name": "フルネーム", | |
"Gabon": "ガボン", | |
"Gambia": "ガンビア", | |
"Georgia": "ジョージア", | |
"Germany": "ドイツ", | |
"Ghana": "ガーナ", | |
"Gibraltar": "ジブラルタル", | |
"Go back": "戻る", | |
"Go Home": "ホームへ", | |
"Go to page :page": ":Pageページへ", | |
"Great! You have accepted the invitation to join the :team team.": ":Teamチームに参加しました。", | |
"Greece": "ギリシャ", | |
"Greenland": "グリーンランド", | |
"Grenada": "グレナダ", | |
"Guadeloupe": "グアドループ", | |
"Guam": "グアム", | |
"Guatemala": "グアテマラ", | |
"Guernsey": "ガーンジー島", | |
"Guinea": "ギニア", | |
"Guinea-Bissau": "ギニア・ビサウ", | |
"Guyana": "ガイアナ", | |
"Haiti": "ハイチ", | |
"Have a coupon code?": "クーポンコードをお持ちの場合", | |
"Having second thoughts about cancelling your subscription? You can instantly reactive your subscription at any time until the end of your current billing cycle. After your current billing cycle ends, you may choose an entirely new subscription plan.": "有効期間内であれば、いつでもサブスクリプションを再開できます。有効期限を過ぎた後は、新規登録し直す必要があります。", | |
"Heard Island & Mcdonald Islands": "ハード島とマクドナルド諸島", | |
"Heard Island and McDonald Islands": "ハード島とマクドナルド諸島", | |
"Hello!": "こんにちは", | |
"Hide Content": "コンテンツを非表示", | |
"Hold Up!": "お待ちください", | |
"Holy See (Vatican City State)": "バチカン市国", | |
"Honduras": "ホンジュラス", | |
"Hong Kong": "香港", | |
"Hungary": "ハンガリー", | |
"I accept the terms of service": "利用規約に同意します", | |
"I agree to the :terms_of_service and :privacy_policy": ":Terms_of_serviceと:privacy_policyに同意します", | |
"Iceland": "アイスランド", | |
"ID": "ID", | |
"If necessary, you may log out of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "お使いの全ての端末からログアウトできます。最近のセッションは下記の通りです(一部の情報が表示されていない可能性があります)。アカウント不正利用の恐れがある場合は、パスワードの更新を行ってください。", | |
"If necessary, you may logout of all of your other browser sessions across all of your devices. Some of your recent sessions are listed below; however, this list may not be exhaustive. If you feel your account has been compromised, you should also update your password.": "お使いの全ての端末からログアウトできます。最近のセッションは下記の通りです(一部の情報が表示されていない可能性があります)。アカウント不正利用の恐れがある場合は、パスワードの更新を行ってください。", | |
"If you already have an account, you may accept this invitation by clicking the button below:": "アカウントを既にお持ちの場合は、以下のボタンをクリックして招待を承認できます:", | |
"If you did not create an account, no further action is required.": "アカウント作成にお心当たりがない場合は、このメールを無視してください。", | |
"If you did not expect to receive an invitation to this team, you may discard this email.": "この招待メールにお心当たりがない場合は、このメールを無視してください。", | |
"If you did not receive the email": "メールが受信できなかった場合", | |
"If you did not request a password reset, no further action is required.": "パスワード再設定のリクエストにお心当たりがない場合は、このメールを無視してください。", | |
"If you do not have an account, you may create one by clicking the button below. After creating an account, you may click the invitation acceptance button in this email to accept the team invitation:": "アカウントをお持ちでない場合は、以下のボタンをクリックしてアカウントを作成できます。アカウント作成後は招待メールのリンクをクリックして登録を完了してください。", | |
"If you need to add specific contact or tax information to your receipts, like your full business name, VAT identification number, or address of record, you may add it here.": "領収書に社名や住所など追加の情報を記載する場合は、こちらに記入してください。", | |
"If you're having trouble clicking the \":actionText\" button, copy and paste the URL below\ninto your web browser:": "\":actionText\"ボタンがクリックできない場合は、以下のURLに直接アクセスしてください。", | |
"Impersonate": "なりすまし", | |
"Increase": "増やす", | |
"India": "インド", | |
"Indonesia": "インドネシア", | |
"Iran, Islamic Republic Of": "イラン", | |
"Iran, Islamic Republic of": "イラン", | |
"Iraq": "イラク", | |
"Ireland": "アイルランド", | |
"Isle Of Man": "マン島", | |
"Isle of Man": "マン島", | |
"Israel": "イスラエル", | |
"It looks like you do not have an active subscription. You may choose one of the subscription plans below to get started. Subscription plans may be changed or cancelled at your convenience.": "有効なサブスクリプションがありません。以下のプランの中から1つを選んで続けてください。プランはいつでも変更やキャンセルができます。", | |
"Italy": "イタリア", | |
"Jamaica": "ジャマイカ", | |
"Jane Doe": "ジェーン-ドウ", | |
"January": "1月", | |
"Japan": "日本", | |
"Jersey": "ジャージー島", | |
"Jordan": "ヨルダン", | |
"July": "7月", | |
"June": "6月", | |
"Kazakhstan": "カザフスタン", | |
"Kenya": "ケニア", | |
"Key": "キー", | |
"Kiribati": "キリバス", | |
"Korea": "韓国", | |
"Korea, Democratic People's Republic of": "北朝鮮", | |
"Korea, Republic of": "韓国", | |
"Kosovo": "コソボ", | |
"Kuwait": "クウェート", | |
"Kyrgyzstan": "キルギスタン", | |
"Lao People's Democratic Republic": "ラオス", | |
"Last active": "最後のログイン", | |
"Last used": "最後に使用された", | |
"Latvia": "ラトビア", | |
"Leave": "離れる", | |
"Leave Team": "チームを離れる", | |
"Lebanon": "レバノン", | |
"Lens": "レンズ", | |
"Lesotho": "レソト", | |
"Liberia": "リベリア", | |
"Libyan Arab Jamahiriya": "リビア", | |
"Liechtenstein": "リヒテンシュタイン", | |
"Light": "ライト", | |
"Lithuania": "リトアニア", | |
"Load :perPage More": ":PerPageページ分読み込む", | |
"Log in": "ログイン", | |
"Log In": "ログイン", | |
"Log Out": "ログアウト", | |
"Log Out Other Browser Sessions": "全ての端末からログアウト", | |
"Log Viewer": "ログビューアー", | |
"Login": "ログイン", | |
"Logout": "ログアウト", | |
"Logout Other Browser Sessions": "全ての端末からログアウト", | |
"Logs": "ログ", | |
"Luxembourg": "ルクセンブルク", | |
"Macao": "マカオ", | |
"Macedonia": "北マケドニア", | |
"Macedonia, the former Yugoslav Republic of": "北マケドニア共和国", | |
"Madagascar": "マダガスカル", | |
"Malawi": "マラウイ", | |
"Malaysia": "マレーシア", | |
"Maldives": "モルディブ", | |
"Mali": "小さい", | |
"Malta": "マルタ", | |
"Manage Account": "アカウント管理", | |
"Manage and log out your active sessions on other browsers and devices.": "全ての端末からログアウトする。", | |
"Manage and logout your active sessions on other browsers and devices.": "全ての端末からログアウトする。", | |
"Manage API Tokens": "APIトークン管理", | |
"Manage Role": "役割管理", | |
"Manage Team": "チーム管理", | |
"Managing billing for :billableName": ":BillableNameの支払いを管理", | |
"March": "3月", | |
"Mark all as Read": "全て既読", | |
"Marshall Islands": "マーシャル諸島", | |
"Martinique": "マルティニーク島", | |
"Mauritania": "モーリタニア", | |
"Mauritius": "モーリシャス", | |
"May": "5月", | |
"Mayotte": "マヨット", | |
"Mexico": "メキシコ", | |
"Micronesia, Federated States Of": "ミクロネシア", | |
"Micronesia, Federated States of": "ミクロネシア", | |
"Moldova": "モルドバ", | |
"Moldova, Republic of": "モルドバ共和国", | |
"Monaco": "モナコ", | |
"Mongolia": "モンゴル", | |
"Montenegro": "モンテネグロ", | |
"Month To Date": "月", | |
"Monthly": "月", | |
"monthly": "月", | |
"Montserrat": "モントセラト", | |
"Morocco": "モロッコ", | |
"Mozambique": "モザンビーク", | |
"Myanmar": "ミャンマー", | |
"Name": "氏名", | |
"Namibia": "ナミビア", | |
"Nauru": "ナウル", | |
"Nepal": "ネパール", | |
"Netherlands": "オランダ", | |
"Netherlands Antilles": "オランダ領アンティル", | |
"Nevermind": "やはり", | |
"Nevermind, I'll keep my old plan": "以前のプランを継続します。", | |
"New": "新しい", | |
"New :resource": "新:resource", | |
"New Caledonia": "ニューカレドニア", | |
"New Password": "新しいパスワード", | |
"New Zealand": "ニュージーランド", | |
"Next": "次へ", | |
"Nicaragua": "ニカラグア", | |
"Niger": "ニジェール", | |
"Nigeria": "ナイジェリア", | |
"Niue": "ニウエ", | |
"No": "いいえ。", | |
"No :resource matched the given criteria.": ":Resourceは与えられた基準に一致しませんでした。", | |
"No additional information...": "追加情報なし", | |
"No Current Data": "現在のデータなし", | |
"No Data": "データなし", | |
"no file selected": "ファイル未選択", | |
"No Increase": "増加なし", | |
"No Prior Data": "事前データなし", | |
"No Results Found.": "結果は見つかりませんでした。", | |
"Norfolk Island": "ノーフォーク島", | |
"Northern Mariana Islands": "北マリアナ諸島", | |
"Norway": "ノルウェー", | |
"Not Found": "見つかりません", | |
"Notifications": "通知", | |
"Nova User": "Novaユーザー", | |
"November": "11月", | |
"October": "10月", | |
"of": "の", | |
"Oman": "オマーン", | |
"Once a team is deleted, all of its resources and data will be permanently deleted. Before deleting this team, please download any data or information regarding this team that you wish to retain.": "チームを削除すると、全てのデータが完全に削除されます。残しておきたいデータなどは削除前にダウンロードしてください。", | |
"Once your account is deleted, all of its resources and data will be permanently deleted. Before deleting your account, please download any data or information that you wish to retain.": "アカウントを削除すると、全てのデータが完全に削除されます。残しておきたいデータなどは削除前にダウンロードしてください。", | |
"Only Trashed": "削除済のみ", | |
"Original": "オリジナル", | |
"Our billing management portal allows you to conveniently manage your subscription plan, payment method, and download your recent invoices.": "支払いの管理ポータルではサブスクリプションプランの管理、お支払い方法の変更、請求書のダウンロードができます。", | |
"Page Expired": "ページが無効です", | |
"Pagination Navigation": "ページネーション", | |
"Pakistan": "パキスタン", | |
"Palau": "パラオ", | |
"Palestinian Territory, Occupied": "パレスチナ自治区", | |
"Panama": "パナマ", | |
"Papua New Guinea": "パプアニューギニア", | |
"Paraguay": "パラグアイ", | |
"Password": "パスワード", | |
"Pay :amount": ":Amount円", | |
"Payment Cancelled": "お支払いのキャンセル", | |
"Payment Confirmation": "お支払いの確認", | |
"Payment Information": "お支払い情報", | |
"Payment Method": "お支払い方法", | |
"Payment Successful": "支払い完了", | |
"Pending Team Invitations": "保留中のチーム招待", | |
"Per Page": "ページごと", | |
"Permanently delete this team.": "永久にチームを削除する。", | |
"Permanently delete your account.": "永久にアカウントを削除する。", | |
"Permissions": "認可", | |
"Peru": "ペルー", | |
"Philippines": "フィリピン", | |
"Photo": "写真", | |
"Pitcairn": "ピトケアン諸島", | |
"Please accept the terms of service.": "利用規約に同意してください。", | |
"Please click the button below to verify your email address.": "メールアドレスを確認するには、以下のボタンをクリックしてください。", | |
"Please confirm access to your account by entering one of your emergency recovery codes.": "アカウントへアクセスするには、リカバリーコードを1つ入力してください。", | |
"Please confirm access to your account by entering the authentication code provided by your authenticator application.": "認証アプリから提供された認証コードを入力し、アカウントへのアクセスを確認してください。", | |
"Please confirm your password before continuing.": "続行する前にパスワードを確認してください。", | |
"Please copy your new API token. For your security, it won't be shown again.": "新しいAPIトークンをコピーしてください。漏洩防止のため、二度と表示されることはありません。", | |
"Please enter your password to confirm you would like to log out of your other browser sessions across all of your devices.": "全ての端末からログアウトします。よろしければパスワードを入力してください。", | |
"Please enter your password to confirm you would like to logout of your other browser sessions across all of your devices.": "全ての端末からログアウトします。よろしければパスワードを入力してください。", | |
"Please provide a maximum of three receipt emails addresses.": "領収書発行用メールアドレスを最大3つまで入力してください。", | |
"Please provide the email address of the person you would like to add to this team.": "このチームに追加したい人のメールアドレスを入力してください。", | |
"Please provide the email address of the person you would like to add to this team. The email address must be associated with an existing account.": "このチームに追加したい人のメールアドレスを入力してください。 メールアドレスは既存のアカウントと紐付いている必要があります。", | |
"Please provide your name.": "お名前をご記入ください。", | |
"Poland": "ポーランド", | |
"Portugal": "ポルトガル", | |
"Press / to search": "「/」を押して検索", | |
"Preview": "プレビュー", | |
"Previewing": "プレビュー", | |
"Previous": "前のページ", | |
"Privacy Policy": "プライバシーポリシー", | |
"Profile": "プロフィール", | |
"Profile Information": "プロフィール情報", | |
"Puerto Rico": "プエルトリコ", | |
"Qatar": "カタール", | |
"Quarter To Date": "四半期", | |
"Receipt Email Addresses": "領収書発行用メールアドレス", | |
"Receipts": "領収書", | |
"Recovery Code": "リカバリーコード", | |
"Refresh": "ページ更新", | |
"Regards": "よろしくお願いします", | |
"Regenerate Recovery Codes": "リカバリーコード再生成", | |
"Register": "アカウント作成", | |
"Reload": "リロード", | |
"Remember me": "ログイン状態を保持する", | |
"Remember Me": "ログイン状態を保持する", | |
"Remove": "削除", | |
"Remove Photo": "写真を削除", | |
"Remove Team Member": "チームメンバーを削除", | |
"Replicate": "複製", | |
"Resend Verification Email": "確認メールを再送する", | |
"Reset Filters": "フィルタをリセット", | |
"Reset Password": "パスワード再設定", | |
"Reset Password Notification": "パスワード再設定のお知らせ", | |
"resource": "リソース", | |
"Resource Row Dropdown": "リソース行のドロップダウン", | |
"Resources": "リソース", | |
"resources": "リソース", | |
"Restore": "復元", | |
"Restore Resource": "リソースの復元", | |
"Restore Selected": "選択した項目を復元", | |
"results": "結果", | |
"Resume Subscription": "サブスクリプションを再開", | |
"Return to :appName": ":AppNameに戻る", | |
"Reunion": "打合せ", | |
"Role": "役割", | |
"Romania": "ルーマニア", | |
"Run Action": "アクションを実行", | |
"Russian Federation": "ロシア連邦", | |
"Rwanda": "ルワンダ", | |
"Réunion": "レユニオン", | |
"Saint Barthelemy": "サン・バルテルミー島", | |
"Saint Barthélemy": "サン・バルテルミー島", | |
"Saint Helena": "セントヘレナ", | |
"Saint Kitts And Nevis": "セントクリストファー・ネービス", | |
"Saint Kitts and Nevis": "セントクリストファー・ネービス", | |
"Saint Lucia": "セントルシア", | |
"Saint Martin": "サン・マルタン島", | |
"Saint Martin (French part)": "サン・マルタン島", | |
"Saint Pierre And Miquelon": "サンピエール島・ミクロン島", | |
"Saint Pierre and Miquelon": "サンピエール島・ミクロン島", | |
"Saint Vincent And Grenadines": "セントビンセントおよびグレナディーン諸島", | |
"Saint Vincent and the Grenadines": "セントビンセントおよびグレナディーン諸島", | |
"Samoa": "サモア", | |
"San Marino": "サンマリノ", | |
"Sao Tome And Principe": "サントメ・プリンシペ", | |
"Sao Tome and Principe": "サントメ・プリンシペ", | |
"Saudi Arabia": "サウジアラビア", | |
"Save": "保存", | |
"Saved.": "保存が完了しました。", | |
"Scroll to bottom": "一番下までスクロール", | |
"Scroll to top": "一番上までスクロール", | |
"Search": "検索", | |
"Select": "選択", | |
"Select a different plan": "別のプランを選択", | |
"Select a log file...": "ログファイルを選択", | |
"Select A New Photo": "新しい写真を選択", | |
"Select Action": "アクションを選択", | |
"Select All": "全て選択", | |
"Select all": "全て選択", | |
"Select All Dropdown": "リスト内の項目を全て選択", | |
"Select All Matching": "条件を満たすものを全て選択", | |
"Select this page": "このページを選択", | |
"Send Password Reset Link": "パスワード再設定URLを送信", | |
"Senegal": "セネガル", | |
"September": "9月", | |
"Serbia": "セルビア", | |
"Server Error": "サーバーエラー", | |
"Service Unavailable": "サービスは利用できません", | |
"Setup Key": "キー設定", | |
"Seychelles": "セーシェル", | |
"Show All Fields": "全項目表示", | |
"Show Content": "コンテンツを表示", | |
"Show Recovery Codes": "リカバリーコードを表示", | |
"Showing": "表示中", | |
"Sierra Leone": "シエラレオネ", | |
"Signed in as": "ログイン中のアカウント", | |
"Singapore": "シンガポール", | |
"Sint Maarten (Dutch part)": "シント・マールテン", | |
"Slovakia": "スロバキア", | |
"Slovenia": "スロベニア", | |
"Solomon Islands": "ソロモン諸島", | |
"Somalia": "ソマリア", | |
"Something went wrong.": "エラーが発生しました。", | |
"Sorry! You are not authorized to perform this action.": "このアクションを実行する権限がありません。", | |
"Sorry, your session has expired.": "セッションの期限が切れました。", | |
"South Africa": "南アフリカ", | |
"South Georgia And Sandwich Isl.": "サウスジョージア・サウスサンドウィッチ諸島", | |
"South Georgia and the South Sandwich Islands": "サウスジョージア・サウスサンドウィッチ諸島", | |
"South Sudan": "南スーダン", | |
"Spain": "スペイン", | |
"Sri Lanka": "スリランカ", | |
"Standalone Actions": "スタンドアロンアクション", | |
"Start Polling": "ポーリング開始", | |
"Start polling": "ポーリング開始", | |
"State / County": "州", | |
"Stop Impersonating": "なりすましを止める", | |
"Stop Polling": "ポーリング停止", | |
"Stop polling": "ポーリング停止", | |
"Store these recovery codes in a secure password manager. They can be used to recover access to your account if your two factor authentication device is lost.": "パスワード管理ツールにリカバリーコードを保存してください。二要素認証に使用する端末を紛失した場合にリカバリーコードを使ってログインできます。", | |
"Subscribe": "購読する", | |
"Subscription Information": "サブスクリプション情報", | |
"Subscription Pending": "サブスクリプション保留中", | |
"Sudan": "スーダン", | |
"Suriname": "スリナム", | |
"Svalbard And Jan Mayen": "スヴァールバル諸島およびヤンマイエン島", | |
"Svalbard and Jan Mayen": "スヴァールバル諸島およびヤンマイエン島", | |
"Swaziland": "スイス", | |
"Sweden": "スウェーデン", | |
"Switch Teams": "チーム切り替え", | |
"Switzerland": "スイス", | |
"Syrian Arab Republic": "シリア", | |
"System": "システム", | |
"Taiwan": "台湾", | |
"Taiwan, Province of China": "台湾", | |
"Tajikistan": "タジキスタン", | |
"Tanzania": "タンザニア", | |
"Tanzania, United Republic of": "タンザニア連合共和国", | |
"Team Details": "チーム詳細", | |
"Team Invitation": "チーム招待", | |
"Team Members": "チームメンバー", | |
"Team Name": "チーム名", | |
"Team Owner": "チームオーナー", | |
"Team Settings": "チーム設定", | |
"Terms of Service": "利用規約", | |
"Thailand": "タイ", | |
"Thanks for signing up! Before getting started, could you verify your email address by clicking on the link we just emailed to you? If you didn't receive the email, we will gladly send you another.": "ご登録ありがとうございます。入力いただいたメールアドレス宛に確認メールを送信しました。メールをご確認いただき、メールに記載されたURLをクリックして登録を完了してください。メールが届いていない場合、メールを再送できます。", | |
"Thanks for your continued support. We've attached a copy of your invoice for your records. Please let us know if you have any questions or concerns.": "継続的なご支援をいただき誠にありがとうございます。請求書のコピーをレコードに添付しました。ご不明点があればお問い合わせください。", | |
"Thanks,": "ありがとうございます。", | |
"The :attribute must be a valid role.": ":Attributeは有効なロールである必要があります。", | |
"The :attribute must be at least :length characters and contain at least one number.": ":Attributeは:length文字以上で、数字を1文字以上含めなければいけません。", | |
"The :attribute must be at least :length characters and contain at least one special character and one number.": ":Attributeは:length文字以上で、記号と数字をそれぞれ1文字以上含めなければいけません。。", | |
"The :attribute must be at least :length characters and contain at least one special character.": ":Attributeは:length文字以上で、記号を1文字以上含めなければいけません。", | |
"The :attribute must be at least :length characters and contain at least one uppercase character and one number.": ":Attributeは:length文字以上で、大文字と数字をそれぞれ1文字以上含めなければいけません。", | |
"The :attribute must be at least :length characters and contain at least one uppercase character and one special character.": ":Attributeは:length文字以上で、大文字と記号をそれぞれ1文字以上含めなければいけません。", | |
"The :attribute must be at least :length characters and contain at least one uppercase character, one number, and one special character.": ":Attributeは:length文字以上で、大文字・数字・記号をそれぞれ1文字以上含めなければいけません。", | |
"The :attribute must be at least :length characters and contain at least one uppercase character.": ":Attributeは:length文字以上で、大文字を1文字以上含めなければいけません。", | |
"The :attribute must be at least :length characters.": ":Attributeは:length文字以上でなければいけません。", | |
"The :attribute must contain at least one letter.": ":Attributeは文字を1文字以上含めなければいけません。", | |
"The :attribute must contain at least one number.": ":Attributeは数字を1文字以上含めなければいけません。", | |
"The :attribute must contain at least one symbol.": ":Attributeは記号を1文字以上含めなければいけません。", | |
"The :attribute must contain at least one uppercase and one lowercase letter.": ":Attributeは大文字と小文字をそれぞれ1文字以上含めなければいけません。", | |
"The :resource was created!": ":Resourceが作成されました。", | |
"The :resource was deleted!": ":Resourceが削除されました。", | |
"The :resource was restored!": ":Resourceが復元されました。", | |
"The :resource was updated!": ":Resourceが更新されました。", | |
"The action ran successfully!": "アクションは成功しました。", | |
"The action was executed successfully.": "アクションの実行に成功しました。", | |
"The file was deleted!": "ファイルが削除されました。", | |
"The given :attribute has appeared in a data leak. Please choose a different :attribute.": ":Attributeは情報漏洩した可能性があります。別の:attributeを選んでください。", | |
"The given data was invalid.": "指定されたデータは無効でした。", | |
"The government won't let us show you what's behind these doors": "政府はこれらのドアの背後にあるものをお見せさせません", | |
"The HasOne relationship has already been filled.": "HasOneの関係はすでに満たされています。", | |
"The image could not be loaded": "画像の読み込みに失敗", | |
"The password is incorrect.": "パスワードが正しくありません。", | |
"The payment was successful.": "支払いは成功しました。", | |
"The provided coupon code is invalid.": "クーポンコードが無効です。", | |
"The provided password does not match your current password.": "パスワードが現在のパスワードと一致しません。", | |
"The provided password was incorrect.": "パスワードが違います。", | |
"The provided two factor authentication code was invalid.": "二要素認証コードが無効です。", | |
"The provided two factor recovery code was invalid.": "二要素認証のリカバリーコードが無効です。", | |
"The provided VAT number is invalid.": "VAT番号が無効です。", | |
"The receipt emails must be valid email addresses.": "有効なメールアドレスを入力してください。", | |
"The resource was attached!": "リソースが添付されました。", | |
"The resource was prevented from being saved!": "リソースが保存されないようにしました。", | |
"The resource was updated!": "リソースが更新されました。", | |
"The selected country is invalid.": "選択された国が無効です。", | |
"The selected plan is invalid.": "選択されたプランが無効です。", | |
"The team's name and owner information.": "チーム名とオーナー情報", | |
"There are no available options for this resource.": "このリソースに使用可能なオプションはありません。", | |
"There are no fields to display.": "表示するフィールドはありません。", | |
"There are no new notifications.": "新しい通知はありません。", | |
"There is no active subscription.": "有効なサブスクリプションはありません。", | |
"There was a problem executing the action.": "アクションの実行に問題が発生しました", | |
"There was a problem fetching the resource.": "リソースの取得に問題が発生しました。", | |
"There was a problem submitting the form.": "フォームの送信に問題が発生しました。", | |
"These people have been invited to your team and have been sent an invitation email. They may join the team by accepting the email invitation.": "これらのユーザー宛にチームへの招待メールが送信されました。招待メールを確認してチームに参加できます。", | |
"This account does not have an active subscription.": "このアカウントには有効なサブスクリプションがありません。", | |
"This copy of Nova is unlicensed.": "Novaのコピーではライセンス認証ができません。", | |
"This coupon code can only be used by new customers.": "このクーポンコードは、新規のお客様のみが使用できます。", | |
"This device": "この端末", | |
"This file field is read-only.": "このファイル欄は読み取り専用です。", | |
"This image": "この画像", | |
"This is a secure area of the application. Please confirm your password before continuing.": "ここはアプリケーションの安全な領域です。パスワードを入力して続行ください。", | |
"This password does not match our records.": "パスワードが違います。", | |
"This password reset link will expire in :count minutes.": "このパスワード再設定リンクの有効期限は:count分です。", | |
"This payment was already successfully confirmed.": "既にお支払い済です。", | |
"This payment was cancelled.": "この支払いは取り消されました。", | |
"This resource no longer exists": "このリソースは存在しません", | |
"This subscription cannot be resumed. Please create a new subscription.": "このサブスクリプションを再開できません。 新しいサブスクリプションを作成してください。", | |
"This subscription has expired and cannot be resumed. Please create a new subscription.": "このサブスクリプションは有効期限を過ぎており再開できません。新しいサブスクリプションを作成してください。", | |
"This user already belongs to the team.": "このユーザーは既にチームに所属しています。", | |
"This user has already been invited to the team.": "このユーザーは既にチームに招待されています。", | |
"Timor-Leste": "東ティモール", | |
"to": "に", | |
"To": "To", | |
"To finish enabling two factor authentication, scan the following QR code using your phone's authenticator application or enter the setup key and provide the generated OTP code.": "二要素認証を有効にするには、お使いの携帯電話の認証アプリを使用してQRコードをスキャンするか、セットアップキーを入力した後に生成されたワンタイムパスワードを入力してください。", | |
"Today": "今日は", | |
"Toggle navigation": "ナビゲーションを切り替える", | |
"Togo": "トーゴ", | |
"Tokelau": "トケラウ", | |
"Token Name": "トークン名", | |
"Tonga": "トンガ", | |
"Too Many Requests": "リクエストが多すぎます", | |
"total": "合計", | |
"Total:": "合計:", | |
"Trashed": "ゴミ箱", | |
"Trinidad And Tobago": "トリニダード・ドバゴ", | |
"Trinidad and Tobago": "トリニダード・ドバゴ", | |
"Tunisia": "チュニジア", | |
"Turkey": "トルコ", | |
"Turkmenistan": "トルクメニスタン", | |
"Turks And Caicos Islands": "タークス・カイコス諸島", | |
"Turks and Caicos Islands": "タークス・カイコス諸島", | |
"Tuvalu": "ツバル", | |
"Two Factor Authentication": "二要素認証", | |
"Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application or enter the setup key.": "二要素認証が有効になりました。 お使いの携帯電話の認証アプリを使用して、QRコードをスキャンするか、セットアップキーを入力します。", | |
"Two factor authentication is now enabled. Scan the following QR code using your phone's authenticator application.": "二要素認証が有効になりました。 お使いの携帯電話の認証アプリを使用して、QRコードをスキャンしてください。", | |
"Type": "タイプ", | |
"Uganda": "ウガンダ", | |
"Ukraine": "ウクライナ", | |
"Unauthorized": "認証が必要です", | |
"United Arab Emirates": "アラブ首長国連邦", | |
"United Kingdom": "イギリス", | |
"United States": "アメリカ合衆国", | |
"United States Minor Outlying Islands": "アメリカ合衆国のマイナーな離島", | |
"United States Outlying Islands": "アメリカ合衆国の離島", | |
"Unknown": "Unknown", | |
"Update": "更新", | |
"Update & Continue Editing": "更新して編集を続ける", | |
"Update :resource": ":Resource更新", | |
"Update :resource: :title": ":Resource::title", | |
"Update attached :resource: :title": "アップデート添付:resource::title", | |
"Update Password": "パスワード更新", | |
"Update Payment Information": "お支払い情報の更新", | |
"Update Payment Method": "お支払い方法の更新", | |
"Update your account's profile information and email address.": "プロフィール情報とメールアドレスを更新する。", | |
"Uruguay": "ウルグアイ", | |
"Use a recovery code": "リカバリーコードを使用する", | |
"Use an authentication code": "認証コードを使用する", | |
"Uzbekistan": "ウズベキスタン", | |
"Value": "値", | |
"Vanuatu": "バヌアツ", | |
"VAT Number": "VAT番号", | |
"Venezuela": "ベネズエラ", | |
"Venezuela, Bolivarian Republic of": "ベネズエラ・ボリバル共和国", | |
"Verify Email Address": "メールアドレスの確認", | |
"Verify Your Email Address": "メールアドレスの確認", | |
"Viet Nam": "ベトナム", | |
"View": "ビュー", | |
"View Receipt": "領収書を見る", | |
"Virgin Islands, British": "英領ヴァージン諸島", | |
"Virgin Islands, U.S.": "米領ヴァージン諸島", | |
"Wallis And Futuna": "ウォリス・フツナ", | |
"Wallis and Futuna": "ウォリス・フツナ", | |
"We are processing your subscription. Once the subscription has successfully processed, this page will update automatically. Typically, this process should only take a few seconds.": "サブスクリプションを処理しています。数秒でサブスクリプションが正常に処理され、このページは自動的に更新されます。", | |
"We are unable to process your payment. Please contact customer support.": "決済が完了できません。カスタマーサポートへお問い合わせください。", | |
"We have emailed your password reset link!": "パスワードリセットメールを送信しました。", | |
"We were unable to find a registered user with this email address.": "このメールアドレスと紐づくユーザーは見つかりませんでした。", | |
"We will send a receipt download link to the email addresses that you specify below. You may separate multiple email addresses using commas.": "領収書のダウンロードURLを以下のメールアドレスにお送りします。カンマ区切りで複数のメールアドレスの指定が可能です。", | |
"We're lost in space. The page you were trying to view does not exist.": "お探しのページが見つかりませんでした。", | |
"Welcome Back!": "おかえりなさい。", | |
"Western Sahara": "西サハラ", | |
"When two factor authentication is enabled, you will be prompted for a secure, random token during authentication. You may retrieve this token from your phone's Google Authenticator application.": "二要素認証を有効化した場合、ログイン時に安全かつランダムなトークンが与えられます。トークンはGoogle Authenticatorアプリから取得できます。", | |
"Whoops": "おっと", | |
"Whoops!": "おっと!", | |
"Whoops! Something went wrong.": "エラーの内容を確認してください。", | |
"With Trashed": "削除済を含む", | |
"Write": "書き込み", | |
"Year To Date": "当年度の初めから今日まで", | |
"Yearly": "毎年", | |
"Yemen": "イエメン", | |
"Yes": "はい。", | |
"You are already subscribed.": "あなたはすでに購読しています。", | |
"You are currently within your free trial period. Your trial will expire on :date.": "現在トライアル期間です。トライアル期間は:dateまでです。", | |
"You are logged in!": "ログインしています。", | |
"You are receiving this email because we received a password reset request for your account.": "パスワード再設定のリクエストを受け付けました。", | |
"You have been invited to join the :team team!": ":Teamに招待されました。", | |
"You have enabled two factor authentication.": "二要素認証が有効です。", | |
"You have not enabled two factor authentication.": "二要素認証が未設定です。", | |
"You may accept this invitation by clicking the button below:": "以下のボタンをクリックして、この招待を受諾することができます:", | |
"You may cancel your subscription at any time. Once your subscription has been cancelled, you will have the option to resume the subscription until the end of your current billing cycle.": "サブスクリプションはいつでもキャンセルできます。キャンセルする際は次回お支払い日まで利用を続けるかどうかを選択できます。", | |
"You may delete any of your existing tokens if they are no longer needed.": "不要なAPIトークンを削除する。", | |
"You may not delete your personal team.": "パーソナルチームを削除することはできません。", | |
"You may not leave a team that you created.": "自身が作成したチームを離れることはできません。", | |
"Your :invoiceName invoice is now available!": ":InvoiceNameの請求書がご利用可能です。", | |
"Your card was declined. Please contact your card issuer for more information.": "このクレジットカードは使用できません。詳細はカード発行会社にお問い合わせください。", | |
"Your current payment method is :paypal.": "あなたの現在の支払方法は次のとおりです:paypal。", | |
"Your current payment method is a credit card ending in :lastFour that expires on :expiration.": "現在のお支払い方法は下4桁が:lastFour、有効期限が:expirationのクレジットカードです。", | |
"Your email address is unverified.": "メールアドレスが未認証です。", | |
"Your registered VAT Number is :vatNumber.": "登録されているVAT番号は:vatNumberです。", | |
"Zambia": "ザンビア", | |
"Zimbabwe": "ジンバブエ", | |
"Zip / Postal Code": "郵便番号", | |
"Åland Islands": "オーランド諸島" | |
} |
日本語化をしてない方は↓の記事を読んでやってみて下さい。
ファイルの中身の変更はダメ
VerifyEmail.phpですが日本語に翻訳するのではなくファイルの中身を変更すればいいと考える方もいると思います。
でもそれはできません。
変更してはいけない理由
理由はvendorフォルダの中のファイルはライブラリ(プログラムを誰でも簡単に使える様にした物)で開発環境で変更しても本番環境に持って行く事ができないからです。
だからNotificationという機能を使ってVerifyEmail.phpを上書きして確認メールの内容を変えます。
Userモデルの編集
「Laravelのプロジェクト > app > Models > User.php」を編集します。
ファイルの中身の一番上にuse文がありますが↓を追加します。
use App\Notifications\NewVerifyEmail; |
また↓のメソッドを追加します。
public function sendEmailVerificationNotification() | |
{ | |
$this->notify(new NewVerifyEmail()); | |
} |
新規Notificationの作成
ターミナルで↓のコマンドを叩きます。
php artisan make:notification NewVerifyEmail |
すると「Laravelのプロジェクト > app > Notifications > NewVerifyEmail.php」が作成されます。
use文に↓を追加します。
use Illuminate\Auth\Notifications\VerifyEmail; |
また、43行目〜49行目辺りに↓のコードがあります。
public function toMail($notifiable) | |
{ | |
return (new MailMessage) | |
->line('The introduction to the notification.') | |
->action('Notification Action', url('/')) | |
->line('Thank you for using our application!'); | |
} |
これを↓に変えます。
protected function buildMailMessage($url) | |
{ | |
return (new MailMessage) | |
->subject('メールアドレスの確認') | |
->line('ご登録ありがとうございます') | |
->action('このボタンをクリック', $url) | |
->line('上記ボタンをクリックすると、ご登録が完了します!'); | |
} |
これでユーザー登録をして確認メールを見ると↓に表示が変わります。
↑の「このボタンをクリック」を押すとデータベースのusersテーブルにメール認証をした日時も登録されます。
これで確認メールの修正が完了です。
「よろしくお願いします」の修正
確認メールの「よろしくお願いします,」がまだ修正されていません。
この部分の修正方法も解説します。
ターミナルで↓のコマンドを叩きます。
php artisan vendor:publish --tag=laravel-notifications |
すると「Laravelのプロジェクト > resources > views > vendor > notifications > email.blade.php」が作成されます。
46行目辺りに「@lang(‘Regards’),」があるのでそれを変更すると 「よろしくお願いします,」を変える事ができます。
ロゴの修正
今の状態の確認メールはLaravelのロゴがあります。
これを変える事ができる様にします。
ターミナルで↓のコマンドを叩きます。
php artisan vendor:publish --tag=laravel-mail |
すると「Laravelのプロジェクト > resources > views > vendor > mail > html > header.blade.php」 が作成されます。
5行目辺りにimgタグがあります。
<img src="https://laravel.com/img/notification-logo.png" class="logo" alt="Laravel Logo"> |
これを変更すればLaravelのロゴを変更する事ができます。