Compare commits

..

2 Commits

Author SHA1 Message Date
Nabeel Shahzad
e4a42c53ba Build new assets 2022-08-22 12:42:52 -05:00
Nabeel Shahzad
a4b90fcce3 Add colors to the maps options 2022-08-22 12:39:31 -05:00
2948 changed files with 39384 additions and 30957 deletions

2
.gitignore vendored
View File

@@ -30,6 +30,8 @@ env.php
Homestead.json Homestead.json
LocalValetDriver.php LocalValetDriver.php
docker-compose-profiler.yml docker-compose-profiler.yml
sync.sh
.env.*
# Rocketeer PHP task runner and deployment package. https://github.com/rocketeers/rocketeer # Rocketeer PHP task runner and deployment package. https://github.com/rocketeers/rocketeer
.rocketeer/ .rocketeer/

View File

@@ -6,6 +6,7 @@ language: php
php: php:
- '7.4' - '7.4'
- '7.3' - '7.3'
- '7.2'
#env: #env:
# - DB=mysql # - DB=mysql

View File

@@ -21,9 +21,9 @@
<directory suffix=".php">./app</directory> <directory suffix=".php">./app</directory>
</whitelist> </whitelist>
</filter> </filter>
<!--<listeners> <listeners>
<listener class="NunoMaduro\Collision\Adapters\Phpunit\Listener"/> <listener class="NunoMaduro\Collision\Adapters\Phpunit\Listener"/>
</listeners>--> </listeners>
<php> <php>
<ini name="error_reporting" value="E_ALL"/> <ini name="error_reporting" value="E_ALL"/>
<ini name="display_errors" value="On"/> <ini name="display_errors" value="On"/>

View File

@@ -74,9 +74,9 @@ reload-db:
tests: test tests: test
.PHONY: test .PHONY: test
test: test: phpcs
@#php artisan database:create --reset #php artisan database:create --reset
@vendor/bin/phpunit --verbose vendor/bin/phpunit --debug --verbose
.PHONY: phpcs .PHONY: phpcs
phpcs: phpcs:

View File

@@ -14,7 +14,7 @@ A full distribution, with all of the composer dependencies, is available at this
## Requirements ## Requirements
- PHP 7.3+, extensions: - PHP 7.1+, extensions:
- cURL - cURL
- JSON - JSON
- mbstring - mbstring

View File

@@ -79,13 +79,6 @@ class CreateDatabase extends Command
*/ */
protected function create_sqlite($dbkey) protected function create_sqlite($dbkey)
{ {
$dbPath = config($dbkey.'database');
// Skip if running in memory
if ($dbPath === ':memory:') {
return;
}
$exec = 'sqlite3'; $exec = 'sqlite3';
if ($this->os->isWindowsLike()) { if ($this->os->isWindowsLike()) {
$exec = 'sqlite3.exe'; $exec = 'sqlite3.exe';
@@ -96,11 +89,11 @@ class CreateDatabase extends Command
$this->runCommand($cmd); $this->runCommand($cmd);
} }
if (!file_exists($dbPath)) { if (!file_exists(config($dbkey.'database'))) {
$cmd = [ $cmd = [
$exec, $exec,
$dbPath, config($dbkey.'database'),
'".exit"', '""',
]; ];
$this->runCommand($cmd); $this->runCommand($cmd);

View File

@@ -3,7 +3,6 @@
namespace App\Contracts; namespace App\Contracts;
use Illuminate\Support\Facades\Log; use Illuminate\Support\Facades\Log;
use function is_array;
use Symfony\Component\Process\Process; use Symfony\Component\Process\Process;
/** /**
@@ -83,9 +82,9 @@ abstract class Command extends \Illuminate\Console\Command
} }
/** /**
* @param array|string $cmd * @param $cmd
* @param bool $return * @param bool $return
* @param mixed $verbose * @param mixed $verbose
* *
* @throws \Symfony\Component\Process\Exception\RuntimeException * @throws \Symfony\Component\Process\Exception\RuntimeException
* @throws \Symfony\Component\Process\Exception\LogicException * @throws \Symfony\Component\Process\Exception\LogicException
@@ -94,16 +93,16 @@ abstract class Command extends \Illuminate\Console\Command
*/ */
public function runCommand($cmd, $return = false, $verbose = true): string public function runCommand($cmd, $return = false, $verbose = true): string
{ {
if (is_array($cmd)) { if (\is_array($cmd)) {
$cmd = implode(' ', $cmd); $cmd = implode(' ', $cmd);
} }
if ($verbose) { if ($verbose) {
$this->info('Running '.$cmd); $this->info('Running "'.$cmd.'"');
} }
$val = ''; $val = '';
$process = Process::fromShellCommandline($cmd); $process = new Process($cmd);
$process->run(function ($type, $buffer) use ($return, &$val) { $process->run(function ($type, $buffer) use ($return, &$val) {
if ($return) { if ($return) {
$val .= $buffer; $val .= $buffer;

View File

@@ -1,12 +0,0 @@
<?php
namespace App\Contracts;
use Illuminate\Foundation\Events\Dispatchable;
use Illuminate\Queue\SerializesModels;
class Event
{
use Dispatchable;
use SerializesModels;
}

View File

@@ -16,7 +16,7 @@ abstract class Listener
public function subscribe(Dispatcher $events): void public function subscribe(Dispatcher $events): void
{ {
foreach (static::$callbacks as $klass => $cb) { foreach (static::$callbacks as $klass => $cb) {
$events->listen($klass, static::class.'@'.$cb); $events->listen($klass, get_class($this).'@'.$cb);
} }
} }
} }

View File

@@ -6,8 +6,7 @@ use Illuminate\Validation\Validator;
use Prettus\Repository\Eloquent\BaseRepository; use Prettus\Repository\Eloquent\BaseRepository;
/** /**
* @mixin Model * @mixin \Prettus\Repository\Eloquent\BaseRepository
* @mixin BaseRepository
*/ */
abstract class Repository extends BaseRepository abstract class Repository extends BaseRepository
{ {

View File

@@ -2,12 +2,10 @@
namespace App\Contracts; namespace App\Contracts;
use Illuminate\Http\Resources\Json\JsonResource;
/** /**
* Base class for a resource/response * Base class for a resource/response
*/ */
class Resource extends JsonResource class Resource extends \Illuminate\Http\Resources\Json\Resource
{ {
/** /**
* Iterate through the list of $fields and check if they're a "Unit" * Iterate through the list of $fields and check if they're a "Unit"

View File

@@ -1,30 +1,24 @@
<?php <?php
use App\Models\Airport;
use App\Models\Enums\AircraftState;
use App\Models\Enums\AircraftStatus;
use App\Models\Subfleet;
use App\Support\ICAO;
use Faker\Generator as Faker; use Faker\Generator as Faker;
$factory->define(App\Models\Aircraft::class, function (Faker $faker) { $factory->define(App\Models\Aircraft::class, function (Faker $faker) {
return [ return [
'id' => null, 'id' => null,
'subfleet_id' => function () { 'subfleet_id' => function () {
return factory(Subfleet::class)->create()->id; return factory(App\Models\Subfleet::class)->create()->id;
}, },
'airport_id' => function () { 'airport_id' => function () {
return factory(Airport::class)->create()->id; return factory(App\Models\Airport::class)->create()->id;
}, },
'iata' => $faker->unique()->text(5), 'iata' => $faker->unique()->text(5),
'icao' => $faker->unique()->text(5), 'icao' => $faker->unique()->text(5),
'name' => $faker->text(50), 'name' => $faker->text(50),
'registration' => $faker->unique()->text(10), 'registration' => $faker->unique()->text(10),
'hex_code' => ICAO::createHexCode(), 'hex_code' => \App\Support\ICAO::createHexCode(),
'mtow' => $faker->randomFloat(2, 0, 50000),
'zfw' => $faker->randomFloat(2, 0, 50000), 'zfw' => $faker->randomFloat(2, 0, 50000),
'status' => AircraftStatus::ACTIVE, 'status' => \App\Models\Enums\AircraftStatus::ACTIVE,
'state' => AircraftState::PARKED, 'state' => \App\Models\Enums\AircraftState::PARKED,
'created_at' => $faker->dateTimeBetween('-1 week', 'now'), 'created_at' => $faker->dateTimeBetween('-1 week', 'now'),
'updated_at' => function (array $pirep) { 'updated_at' => function (array $pirep) {
return $pirep['created_at']; return $pirep['created_at'];

View File

@@ -9,7 +9,7 @@ use Hashids\Hashids;
$factory->define(App\Models\Airline::class, function (Faker $faker) { $factory->define(App\Models\Airline::class, function (Faker $faker) {
return [ return [
'id' => null, 'id' => null,
'icao' => function (array $apt) { 'icao' => function (array $apt) use ($faker) {
$hashids = new Hashids(microtime(), 5); $hashids = new Hashids(microtime(), 5);
$mt = str_replace('.', '', microtime(true)); $mt = str_replace('.', '', microtime(true));

View File

@@ -8,19 +8,19 @@ $factory->define(App\Models\Flight::class, function (Faker $faker) {
return [ return [
'id' => $faker->unique()->numberBetween(10, 10000000), 'id' => $faker->unique()->numberBetween(10, 10000000),
'airline_id' => function () { 'airline_id' => function () {
return factory(\App\Models\Airline::class)->create()->id; return factory(App\Models\Airline::class)->create()->id;
}, },
'flight_number' => $faker->unique()->numberBetween(10, 1000000), 'flight_number' => $faker->unique()->numberBetween(10, 1000000),
'route_code' => $faker->randomElement(['', $faker->text(5)]), 'route_code' => $faker->randomElement(['', $faker->text(5)]),
'route_leg' => $faker->randomElement(['', $faker->numberBetween(0, 1000)]), 'route_leg' => $faker->randomElement(['', $faker->numberBetween(0, 1000)]),
'dpt_airport_id' => function () { 'dpt_airport_id' => function () {
return factory(\App\Models\Airport::class)->create()->id; return factory(App\Models\Airport::class)->create()->id;
}, },
'arr_airport_id' => function () { 'arr_airport_id' => function () {
return factory(\App\Models\Airport::class)->create()->id; return factory(App\Models\Airport::class)->create()->id;
}, },
'alt_airport_id' => function () { 'alt_airport_id' => function () {
return factory(\App\Models\Airport::class)->create()->id; return factory(App\Models\Airport::class)->create()->id;
}, },
'distance' => $faker->numberBetween(1, 1000), 'distance' => $faker->numberBetween(1, 1000),
'route' => null, 'route' => null,

View File

@@ -6,7 +6,7 @@ $factory->define(App\Models\JournalTransactions::class, function (Faker $faker)
return [ return [
'transaction_group' => \Ramsey\Uuid\Uuid::uuid4()->toString(), 'transaction_group' => \Ramsey\Uuid\Uuid::uuid4()->toString(),
'journal_id' => function () { 'journal_id' => function () {
return factory(\App\Models\Journal::class)->create()->id; return factory(App\Models\Journal::class)->create()->id;
}, },
'credit' => $faker->numberBetween(100, 10000), 'credit' => $faker->numberBetween(100, 10000),
'debit' => $faker->numberBetween(100, 10000), 'debit' => $faker->numberBetween(100, 10000),

View File

@@ -6,7 +6,7 @@ $factory->define(App\Models\News::class, function (Faker $faker) {
return [ return [
'id' => null, 'id' => null,
'user_id' => function () { 'user_id' => function () {
return factory(\App\Models\User::class)->create()->id; return factory(App\Models\User::class)->create()->id;
}, },
'subject' => $faker->text(), 'subject' => $faker->text(),
'body' => $faker->sentence, 'body' => $faker->sentence,

View File

@@ -10,8 +10,8 @@ use Faker\Generator as Faker;
* Create a new PIREP * Create a new PIREP
*/ */
$factory->define(App\Models\Pirep::class, function (Faker $faker) { $factory->define(App\Models\Pirep::class, function (Faker $faker) {
$airline = factory(\App\Models\Airline::class)->create(); $airline = factory(App\Models\Airline::class)->create();
$flight = factory(\App\Models\Flight::class)->create([ $flight = factory(App\Models\Flight::class)->create([
'airline_id' => $airline->id, 'airline_id' => $airline->id,
]); ]);
@@ -21,10 +21,10 @@ $factory->define(App\Models\Pirep::class, function (Faker $faker) {
return $airline->id; return $airline->id;
}, },
'user_id' => function () { 'user_id' => function () {
return factory(\App\Models\User::class)->create()->id; return factory(App\Models\User::class)->create()->id;
}, },
'aircraft_id' => function () { 'aircraft_id' => function () {
return factory(\App\Models\Aircraft::class)->create()->id; return factory(App\Models\Aircraft::class)->create()->id;
}, },
'flight_id' => function () use ($flight) { 'flight_id' => function () use ($flight) {
return $flight->id; return $flight->id;

View File

@@ -6,7 +6,7 @@ $factory->define(App\Models\Subfleet::class, function (Faker $faker) {
return [ return [
'id' => null, 'id' => null,
'airline_id' => function () { 'airline_id' => function () {
return factory(\App\Models\Airline::class)->create()->id; return factory(App\Models\Airline::class)->create()->id;
}, },
'name' => $faker->unique()->text(50), 'name' => $faker->unique()->text(50),
'type' => $faker->unique()->text(7), 'type' => $faker->unique()->text(7),

View File

@@ -1,9 +1,7 @@
<?php <?php
use App\Models\Airline;
use App\Models\Enums\UserState; use App\Models\Enums\UserState;
use Faker\Generator as Faker; use Faker\Generator as Faker;
use Illuminate\Support\Facades\Hash;
$factory->define(App\Models\User::class, function (Faker $faker) { $factory->define(App\Models\User::class, function (Faker $faker) {
static $password; static $password;
@@ -16,7 +14,7 @@ $factory->define(App\Models\User::class, function (Faker $faker) {
'password' => $password ?: $password = Hash::make('secret'), 'password' => $password ?: $password = Hash::make('secret'),
'api_key' => $faker->sha1, 'api_key' => $faker->sha1,
'airline_id' => function () { 'airline_id' => function () {
return factory(Airline::class)->create()->id; return factory(App\Models\Airline::class)->create()->id;
}, },
'rank_id' => 1, 'rank_id' => 1,
'flights' => $faker->numberBetween(0, 1000), 'flights' => $faker->numberBetween(0, 1000),

View File

@@ -1,6 +1,5 @@
<?php <?php
use App\Models\Enums\PageType;
use Illuminate\Database\Migrations\Migration; use Illuminate\Database\Migrations\Migration;
use Illuminate\Database\Schema\Blueprint; use Illuminate\Database\Schema\Blueprint;
use Illuminate\Support\Facades\Schema; use Illuminate\Support\Facades\Schema;
@@ -23,7 +22,7 @@ class CreatePages extends Migration
$table->string('name'); $table->string('name');
$table->string('slug'); $table->string('slug');
$table->string('icon'); $table->string('icon');
$table->unsignedSmallInteger('type')->default(PageType::PAGE); $table->unsignedSmallInteger('type');
$table->boolean('public'); $table->boolean('public');
$table->boolean('enabled'); $table->boolean('enabled');
$table->mediumText('body'); $table->mediumText('body');

View File

@@ -1,36 +0,0 @@
<?php
use Illuminate\Database\Migrations\Migration;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Support\Facades\Schema;
class PagesAddLink extends Migration
{
/**
* Add a `link` column and make the body optional. Also add a "new_window" bool
* which determines if we open this link in a new window or not
*/
public function up()
{
Schema::table('pages', function (Blueprint $table) {
$table->string('body')->change()->nullable();
$table->string('link')
->default('')
->nullable()
->after('body');
$table->boolean('new_window')->default(false);
});
}
/**
* @return void
*/
public function down()
{
Schema::table('fares', function (Blueprint $table) {
$table->dropColumn('link');
$table->dropColumn('new_window');
});
}
}

View File

@@ -1,49 +0,0 @@
<?php
use App\Contracts\Model;
use Illuminate\Database\Migrations\Migration;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Support\Facades\Schema;
class CreateUserFields extends Migration
{
/**
* Add two tables for holding user fields and the values
*/
public function up()
{
/*
* Hold a master list of fields
*/
Schema::create('user_fields', function (Blueprint $table) {
$table->increments('id');
$table->string('name', 200);
$table->text('description')->nullable();
$table->boolean('show_on_registration')->default(false)->nullable();
$table->boolean('required')->default(false)->nullable();
$table->boolean('private')->default(false)->nullable();
$table->boolean('active')->default(true)->nullable();
$table->timestamps();
});
/*
* The values for the actual fields
*/
Schema::create('user_field_values', function (Blueprint $table) {
$table->bigIncrements('id');
$table->unsignedBigInteger('user_field_id');
$table->string('user_id', Model::ID_MAX_LENGTH);
$table->text('value')->nullable();
$table->timestamps();
$table->index(['user_field_id', 'user_id']);
});
}
/**
* @return void
*/
public function down()
{
}
}

View File

@@ -1,33 +0,0 @@
<?php
use Illuminate\Database\Migrations\Migration;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Support\Facades\Schema;
/**
* Add a `mtow` column for the max takeoff weight
*/
class AircraftAddMtow extends Migration
{
public function up()
{
Schema::table('aircraft', function (Blueprint $table) {
$table->unsignedDecimal('mtow')
->nullable()
->default(0.0)
->after('hex_code');
});
}
/**
* Reverse the migrations.
*
* @return void
*/
public function down()
{
Schema::table('aircraft', function (Blueprint $table) {
$table->dropColumn('mtow');
});
}
}

View File

@@ -12,11 +12,3 @@ airlines:
active: 1 active: 1
created_at: now created_at: now
updated_at: now updated_at: now
- id: 2
icao: XXX
iata: XX
name: inactive airline
country: us
active: 0
created_at: now
updated_at: now

View File

@@ -69,26 +69,3 @@ role_user:
- user_id: 3 - user_id: 3
role_id: 2 role_id: 2
user_type: App\Models\User user_type: App\Models\User
user_fields:
- id: 1
name: 'VATSIM ID'
show_on_registration: true
required: false
private: false
- id: 2
name: 'Referral'
description: 'Who referred you'
show_on_registration: true
required: false
private: true
user_field_values:
- id: 1
user_field_id: 1
user_id: 1
value: 'my vatsim id'
- id: 2
user_field_id: 2
user_id: 1
value: 'Nobody did'

View File

@@ -3,9 +3,6 @@
- name: admin-access - name: admin-access
display_name: Admin Panel display_name: Admin Panel
description: Access the admin panel description: Access the admin panel
- name: aircraft
display_name: Aircraft
description: Create/edit aircraft
- name: airlines - name: airlines
display_name: Airlines display_name: Airlines
description: Create/edit airlines description: Create/edit airlines

View File

@@ -26,13 +26,6 @@
options: options:
type: boolean type: boolean
description: If an airport isn't added, try to look it up when adding schedules description: If an airport isn't added, try to look it up when adding schedules
- key: general.allow_unadded_airports
name: 'Allow unadded airports'
group: general
value: false
options:
type: boolean
description: If an un-added airport is used, it is looked up and added
- key: general.check_prerelease_version - key: general.check_prerelease_version
name: 'Pre-release versions in version check' name: 'Pre-release versions in version check'
group: general group: general

View File

@@ -1,22 +0,0 @@
<?php
namespace App\Events;
use App\Contracts\Event;
use App\Models\Acars;
use App\Models\Pirep;
class AcarsUpdate extends Event
{
/** @var Pirep */
public $pirep;
/** @var Acars */
public $acars;
public function __construct(Pirep $pirep, Acars $acars)
{
$this->pirep = $pirep;
$this->acars = $acars;
}
}

View File

@@ -2,11 +2,13 @@
namespace App\Events; namespace App\Events;
use App\Contracts\Event; use Illuminate\Broadcasting\InteractsWithSockets;
use Illuminate\Foundation\Events\Dispatchable;
use Illuminate\Queue\SerializesModels;
/** class BaseEvent
* @deprecated Extend App\Contracts\Event directly
*/
class BaseEvent extends Event
{ {
use Dispatchable;
use InteractsWithSockets;
use SerializesModels;
} }

View File

@@ -2,8 +2,6 @@
namespace App\Events; namespace App\Events;
use App\Contracts\Event; class CronHourly extends BaseEvent
class CronHourly extends Event
{ {
} }

View File

@@ -2,12 +2,10 @@
namespace App\Events; namespace App\Events;
use App\Contracts\Event;
/** /**
* This event is dispatched when the monthly cron is run * This event is dispatched when the monthly cron is run
* It happens after all of the default nightly tasks * It happens after all of the default nightly tasks
*/ */
class CronMonthly extends Event class CronMonthly extends BaseEvent
{ {
} }

View File

@@ -2,12 +2,10 @@
namespace App\Events; namespace App\Events;
use App\Contracts\Event;
/** /**
* This event is dispatched when the daily cron is run * This event is dispatched when the daily cron is run
* It happens after all of the default nightly tasks * It happens after all of the default nightly tasks
*/ */
class CronNightly extends Event class CronNightly extends BaseEvent
{ {
} }

View File

@@ -2,13 +2,11 @@
namespace App\Events; namespace App\Events;
use App\Contracts\Event;
/** /**
* This event is dispatched when the weekly cron is run * This event is dispatched when the weekly cron is run
* It happens after all of the default nightly tasks * It happens after all of the default nightly tasks
*/ */
class CronWeekly extends Event class CronWeekly extends BaseEvent
{ {
public function __construct() public function __construct()
{ {

View File

@@ -2,7 +2,6 @@
namespace App\Events; namespace App\Events;
use App\Contracts\Event;
use App\Models\Pirep; use App\Models\Pirep;
/** /**
@@ -26,7 +25,7 @@ use App\Models\Pirep;
* *
* The event will have a copy of the PIREP model, if it's applicable * The event will have a copy of the PIREP model, if it's applicable
*/ */
class Expenses extends Event class Expenses extends BaseEvent
{ {
public $pirep; public $pirep;

View File

@@ -2,10 +2,9 @@
namespace App\Events; namespace App\Events;
use App\Contracts\Event;
use App\Models\News; use App\Models\News;
class NewsAdded extends Event class NewsAdded extends BaseEvent
{ {
public $news; public $news;

View File

@@ -2,10 +2,9 @@
namespace App\Events; namespace App\Events;
use App\Contracts\Event;
use App\Models\Pirep; use App\Models\Pirep;
class PirepAccepted extends Event class PirepAccepted extends BaseEvent
{ {
public $pirep; public $pirep;

View File

@@ -2,10 +2,9 @@
namespace App\Events; namespace App\Events;
use App\Contracts\Event;
use App\Models\Pirep; use App\Models\Pirep;
class PirepCancelled extends Event class PirepCancelled extends BaseEvent
{ {
public $pirep; public $pirep;

View File

@@ -2,10 +2,9 @@
namespace App\Events; namespace App\Events;
use App\Contracts\Event;
use App\Models\Pirep; use App\Models\Pirep;
class PirepFiled extends Event class PirepFiled extends BaseEvent
{ {
public $pirep; public $pirep;

View File

@@ -2,10 +2,9 @@
namespace App\Events; namespace App\Events;
use App\Contracts\Event;
use App\Models\Pirep; use App\Models\Pirep;
class PirepPrefiled extends Event class PirepPrefiled extends BaseEvent
{ {
public $pirep; public $pirep;

View File

@@ -2,10 +2,9 @@
namespace App\Events; namespace App\Events;
use App\Contracts\Event;
use App\Models\Pirep; use App\Models\Pirep;
class PirepRejected extends Event class PirepRejected extends BaseEvent
{ {
public $pirep; public $pirep;

View File

@@ -2,10 +2,9 @@
namespace App\Events; namespace App\Events;
use App\Contracts\Event;
use App\Models\Pirep; use App\Models\Pirep;
class PirepUpdated extends Event class PirepUpdated extends BaseEvent
{ {
public $pirep; public $pirep;

View File

@@ -2,10 +2,9 @@
namespace App\Events; namespace App\Events;
use App\Contracts\Event;
use App\Models\User; use App\Models\User;
class TestEvent extends Event class TestEvent extends BaseEvent
{ {
public $user; public $user;

View File

@@ -2,10 +2,9 @@
namespace App\Events; namespace App\Events;
use App\Contracts\Event;
use App\Models\User; use App\Models\User;
class UserAccepted extends Event class UserAccepted extends BaseEvent
{ {
public $user; public $user;

View File

@@ -2,10 +2,9 @@
namespace App\Events; namespace App\Events;
use App\Contracts\Event;
use App\Models\User; use App\Models\User;
class UserRegistered extends Event class UserRegistered extends BaseEvent
{ {
public $user; public $user;

View File

@@ -2,13 +2,12 @@
namespace App\Events; namespace App\Events;
use App\Contracts\Event;
use App\Models\User; use App\Models\User;
/** /**
* Event triggered when a user's state changes * Event triggered when a user's state changes
*/ */
class UserStateChanged extends Event class UserStateChanged extends BaseEvent
{ {
public $old_state; public $old_state;
public $user; public $user;

View File

@@ -2,10 +2,9 @@
namespace App\Events; namespace App\Events;
use App\Contracts\Event;
use App\Models\User; use App\Models\User;
class UserStatsChanged extends Event class UserStatsChanged extends BaseEvent
{ {
public $stat_name; public $stat_name;
public $old_value; public $old_value;

View File

@@ -1,47 +0,0 @@
<?php
namespace App\Exceptions;
use App\Models\Aircraft;
class AircraftInvalid extends AbstractHttpException
{
public const MESSAGE = 'The supplied aircraft is invalid';
private $aircraft;
public function __construct(Aircraft $aircraft)
{
$this->aircraft = $aircraft;
parent::__construct(
400,
static::MESSAGE
);
}
/**
* Return the RFC 7807 error type (without the URL root)
*/
public function getErrorType(): string
{
return 'aircraft-invalid';
}
/**
* Get the detailed error string
*/
public function getErrorDetails(): string
{
return $this->getMessage();
}
/**
* Return an array with the error details, merged with the RFC7807 response
*/
public function getErrorMetadata(): array
{
return [
'aircraft_id' => optional($this->aircraft)->id,
];
}
}

View File

@@ -3,13 +3,13 @@
namespace App\Exceptions\Converters; namespace App\Exceptions\Converters;
use App\Exceptions\AbstractHttpException; use App\Exceptions\AbstractHttpException;
use Throwable; use Exception;
class GenericExceptionAbstract extends AbstractHttpException class GenericExceptionAbstract extends AbstractHttpException
{ {
private $exception; private $exception;
public function __construct(Throwable $exception) public function __construct(Exception $exception)
{ {
$this->exception = $exception; $this->exception = $exception;
parent::__construct( parent::__construct(

View File

@@ -5,7 +5,8 @@ namespace App\Exceptions;
use App\Exceptions\Converters\GenericExceptionAbstract; use App\Exceptions\Converters\GenericExceptionAbstract;
use App\Exceptions\Converters\SymfonyException; use App\Exceptions\Converters\SymfonyException;
use App\Exceptions\Converters\ValidationException; use App\Exceptions\Converters\ValidationException;
use App\Http\Middleware\SetActiveTheme; use Exception;
use Illuminate\Auth\Access\AuthorizationException;
use Illuminate\Auth\AuthenticationException; use Illuminate\Auth\AuthenticationException;
use Illuminate\Contracts\Container\BindingResolutionException; use Illuminate\Contracts\Container\BindingResolutionException;
use Illuminate\Database\Eloquent\ModelNotFoundException; use Illuminate\Database\Eloquent\ModelNotFoundException;
@@ -14,9 +15,10 @@ use Illuminate\Http\Request;
use Illuminate\Session\TokenMismatchException; use Illuminate\Session\TokenMismatchException;
use Illuminate\Support\Facades\Log; use Illuminate\Support\Facades\Log;
use Illuminate\Validation\ValidationException as IlluminateValidationException; use Illuminate\Validation\ValidationException as IlluminateValidationException;
use Symfony\Component\HttpFoundation\Response;
use Symfony\Component\HttpKernel\Exception\HttpException as SymfonyHttpException; use Symfony\Component\HttpKernel\Exception\HttpException as SymfonyHttpException;
use Symfony\Component\HttpKernel\Exception\HttpExceptionInterface;
use Symfony\Component\HttpKernel\Exception\NotFoundHttpException; use Symfony\Component\HttpKernel\Exception\NotFoundHttpException;
use Throwable;
use Whoops\Handler\HandlerInterface; use Whoops\Handler\HandlerInterface;
/** /**
@@ -40,19 +42,19 @@ class Handler extends ExceptionHandler
/** /**
* Render an exception into an HTTP response. * Render an exception into an HTTP response.
* *
* @param Request $request * @param Request $request
* @param \Throwable $exception * @param Exception $exception
* *
* @return mixed * @return mixed
*/ */
public function render($request, Throwable $exception) public function render($request, Exception $exception)
{ {
if ($request->is('api/*')) { if ($request->is('api/*')) {
return $this->handleApiError($request, $exception); return $this->handleApiError($request, $exception);
} }
(new SetActiveTheme())->setTheme($request); if ($exception instanceof AbstractHttpException
if ($exception instanceof AbstractHttpException && $exception->getStatusCode() === 403) { && $exception->getStatusCode() === 403) {
return redirect()->guest('login'); return redirect()->guest('login');
} }
@@ -63,11 +65,11 @@ class Handler extends ExceptionHandler
* Handle errors in the API * Handle errors in the API
* *
* @param $request * @param $request
* @param \Throwable $exception * @param \Exception $exception
* *
* @return \Illuminate\Http\JsonResponse|\Illuminate\Http\Response * @return \Illuminate\Http\JsonResponse|\Illuminate\Http\Response
*/ */
private function handleApiError($request, Throwable $exception) private function handleApiError($request, Exception $exception)
{ {
Log::error('API Error', $exception->getTrace()); Log::error('API Error', $exception->getTrace());
@@ -116,13 +118,38 @@ class Handler extends ExceptionHandler
{ {
if ($request->expectsJson() || $request->is('api/*')) { if ($request->expectsJson() || $request->is('api/*')) {
$error = new Unauthenticated(); $error = new Unauthenticated();
return $error->getResponse(); return $error->getResponse();
} }
return redirect()->guest('login'); return redirect()->guest('login');
} }
/**
* Render the given HttpException.
*
* @param AbstractHttpException $e
*
* @return \Illuminate\Http\Response|Response
*/
protected function renderHttpException(HttpExceptionInterface $e)
{
$status = $e->getStatusCode();
view()->replaceNamespace('errors', [
resource_path('views/layouts/'.setting('general.theme', 'default').'/errors'),
resource_path('views/errors'),
__DIR__.'/views',
]);
if (view()->exists("errors::{$status}")) {
return response()->view("errors::{$status}", [
'exception' => $e,
'SKIN_NAME' => setting('general.theme', 'default'),
], $status, $e->getHeaders());
}
return $this->convertExceptionToResponse($e);
}
/** /**
* Ignition error page integration * Ignition error page integration
*/ */

View File

@@ -1,43 +0,0 @@
<?php
namespace App\Exceptions;
class PilotIdNotFound extends AbstractHttpException
{
private $pilot_id;
public function __construct($pilot_id)
{
$this->pilot_id = $pilot_id;
parent::__construct(
404,
'Pilot '.$pilot_id.' not found'
);
}
/**
* Return the RFC 7807 error type (without the URL root)
*/
public function getErrorType(): string
{
return 'pilot-id-not-found';
}
/**
* Get the detailed error string
*/
public function getErrorDetails(): string
{
return $this->getMessage();
}
/**
* Return an array with the error details, merged with the RFC7807 response
*/
public function getErrorMetadata(): array
{
return [
'pilot_id' => $this->pilot_id,
];
}
}

View File

@@ -1,43 +0,0 @@
<?php
namespace App\Exceptions;
use Exception;
class Unauthorized extends AbstractHttpException
{
private $exception;
public function __construct(Exception $exception)
{
$this->exception = $exception;
parent::__construct(
403,
$exception->getMessage()
);
}
/**
* Return the RFC 7807 error type (without the URL root)
*/
public function getErrorType(): string
{
return 'unauthorized';
}
/**
* Get the detailed error string
*/
public function getErrorDetails(): string
{
return $this->getMessage();
}
/**
* Return an array with the error details, merged with the RFC7807 response
*/
public function getErrorMetadata(): array
{
return [];
}
}

View File

@@ -1,46 +0,0 @@
<?php
namespace App\Exceptions;
use App\Models\Page;
class UnknownPageType extends AbstractHttpException
{
private $page;
public function __construct(Page $page)
{
$this->page = $page;
parent::__construct(
400,
'Unknown page type "'.$page->type.'"'
);
}
/**
* Return the RFC 7807 error type (without the URL root)
*/
public function getErrorType(): string
{
return 'unknown-page-type';
}
/**
* Get the detailed error string
*/
public function getErrorDetails(): string
{
return $this->getMessage();
}
/**
* Return an array with the error details, merged with the RFC7807 response
*/
public function getErrorMetadata(): array
{
return [
'id' => $this->page->id,
'type' => $this->page->type,
];
}
}

View File

@@ -10,10 +10,7 @@ use Illuminate\View\View;
class PageLinksComposer extends Composer class PageLinksComposer extends Composer
{ {
private static $fields = ['id', 'name', 'slug', 'icon', 'type', 'link', 'new_window']; protected $pageRepo;
/** @var \App\Repositories\PageRepository */
private $pageRepo;
/** /**
* PageLinksComposer constructor. * PageLinksComposer constructor.
@@ -31,16 +28,13 @@ class PageLinksComposer extends Composer
public function compose(View $view) public function compose(View $view)
{ {
try { try {
$w = [
'enabled' => true,
];
// If not logged in, then only get the public pages // If not logged in, then only get the public pages
$w = ['enabled' => true];
if (!Auth::check()) { if (!Auth::check()) {
$w['public'] = true; $w = ['public' => true];
} }
$pages = $this->pageRepo->findWhere($w, static::$fields); $pages = $this->pageRepo->findWhere($w, ['id', 'name', 'slug', 'icon']);
} catch (Exception $e) { } catch (Exception $e) {
$pages = []; $pages = [];
} }

View File

@@ -11,7 +11,6 @@ use Illuminate\Http\Request;
use Illuminate\Support\Facades\Artisan; use Illuminate\Support\Facades\Artisan;
use Illuminate\Support\Facades\Log; use Illuminate\Support\Facades\Log;
use Laracasts\Flash\Flash; use Laracasts\Flash\Flash;
use Nwidart\Modules\Facades\Module;
class MaintenanceController extends Controller class MaintenanceController extends Controller
{ {
@@ -37,7 +36,7 @@ class MaintenanceController extends Controller
return view('admin.maintenance.index', [ return view('admin.maintenance.index', [
'cron_path' => $this->cronSvc->getCronExecString(), 'cron_path' => $this->cronSvc->getCronExecString(),
'cron_problem_exists' => $this->cronSvc->cronProblemExists(), 'cron_problem_exists' => $this->cronSvc->cronProblemExists(),
'new_version' => $this->kvpRepo->get('new_version_available', false), 'new_version' => true, //$this->kvpRepo->get('new_version_available', false),
'new_version_tag' => $this->kvpRepo->get('latest_version_tag'), 'new_version_tag' => $this->kvpRepo->get('latest_version_tag'),
]); ]);
} }
@@ -111,10 +110,6 @@ class MaintenanceController extends Controller
{ {
$new_version_tag = $this->kvpRepo->get('latest_version_tag'); $new_version_tag = $this->kvpRepo->get('latest_version_tag');
Log::info('Attempting to update to '.$new_version_tag); Log::info('Attempting to update to '.$new_version_tag);
$module = Module::find('updater');
$module->enable();
return redirect('/update/downloader'); return redirect('/update/downloader');
} }
} }

View File

@@ -158,12 +158,11 @@ class UserController extends Controller
*/ */
public function edit($id) public function edit($id)
{ {
$user = $this->userRepo $user = $this->userRepo->findWithoutFail($id);
->with(['fields', 'rank'])
->findWithoutFail($id);
if (empty($user)) { if (empty($user)) {
Flash::error('User not found'); Flash::error('User not found');
return redirect(route('admin.users.index')); return redirect(route('admin.users.index'));
} }

View File

@@ -1,154 +0,0 @@
<?php
namespace App\Http\Controllers\Admin;
use App\Contracts\Controller;
use App\Repositories\UserFieldRepository;
use Illuminate\Http\Request;
use Laracasts\Flash\Flash;
use Prettus\Repository\Criteria\RequestCriteria;
class UserFieldController extends Controller
{
/** @var \App\Repositories\UserFieldRepository */
private $userFieldRepo;
/**
* @param UserFieldRepository $userFieldRepo
*/
public function __construct(UserFieldRepository $userFieldRepo)
{
$this->userFieldRepo = $userFieldRepo;
}
/**
* Display a listing of the UserField.
*
* @param Request $request
*
* @throws \Prettus\Repository\Exceptions\RepositoryException
*
* @return mixed
*/
public function index(Request $request)
{
$this->userFieldRepo->pushCriteria(new RequestCriteria($request));
$fields = $this->userFieldRepo->all();
return view('admin.userfields.index', ['fields' => $fields]);
}
/**
* Show the form for creating a new UserField.
*/
public function create()
{
return view('admin.userfields.create');
}
/**
* Store a newly created UserField in storage.
*
* @param Request $request
*
* @throws \Prettus\Validator\Exceptions\ValidatorException
*
* @return mixed
*/
public function store(Request $request)
{
$this->userFieldRepo->create($request->all());
Flash::success('Field added successfully.');
return redirect(route('admin.userfields.index'));
}
/**
* Display the specified UserField.
*
* @param int $id
*
* @return mixed
*/
public function show($id)
{
$field = $this->userFieldRepo->findWithoutFail($id);
if (empty($field)) {
Flash::error('Flight field not found');
return redirect(route('admin.userfields.index'));
}
return view('admin.userfields.show', ['field' => $field]);
}
/**
* Show the form for editing the specified UserField.
*
* @param int $id
*
* @return mixed
*/
public function edit($id)
{
$field = $this->userFieldRepo->findWithoutFail($id);
if (empty($field)) {
Flash::error('Field not found');
return redirect(route('admin.userfields.index'));
}
return view('admin.userfields.edit', ['field' => $field]);
}
/**
* Update the specified UserField in storage.
*
* @param $id
* @param Request $request
*
* @throws \Prettus\Validator\Exceptions\ValidatorException
*
* @return mixed
*/
public function update($id, Request $request)
{
$field = $this->userFieldRepo->findWithoutFail($id);
if (empty($field)) {
Flash::error('UserField not found');
return redirect(route('admin.userfields.index'));
}
$this->userFieldRepo->update($request->all(), $id);
Flash::success('Field updated successfully.');
return redirect(route('admin.userfields.index'));
}
/**
* Remove the specified UserField from storage.
*
* @param int $id
*
* @return mixed
*/
public function destroy($id)
{
$field = $this->userFieldRepo->findWithoutFail($id);
if (empty($field)) {
Flash::error('Field not found');
return redirect(route('admin.userfields.index'));
}
if ($this->userFieldRepo->isInUse($id)) {
Flash::error('This field cannot be deleted, it is in use. Deactivate it instead');
return redirect(route('admin.userfields.index'));
}
$this->userFieldRepo->delete($id);
Flash::success('Field deleted successfully.');
return redirect(route('admin.userfields.index'));
}
}

View File

@@ -3,7 +3,6 @@
namespace App\Http\Controllers\Api; namespace App\Http\Controllers\Api;
use App\Contracts\Controller; use App\Contracts\Controller;
use App\Events\AcarsUpdate;
use App\Exceptions\PirepCancelled; use App\Exceptions\PirepCancelled;
use App\Http\Requests\Acars\EventRequest; use App\Http\Requests\Acars\EventRequest;
use App\Http\Requests\Acars\LogRequest; use App\Http\Requests\Acars\LogRequest;
@@ -199,9 +198,6 @@ class AcarsController extends Controller
$pirep->save(); $pirep->save();
// Post a new update for this ACARS position
event(new AcarsUpdate($pirep, $pirep->position));
return $this->message($count.' positions added', $count); return $this->message($count.' positions added', $count);
} }

View File

@@ -78,32 +78,29 @@ class FlightController extends Controller
*/ */
public function search(Request $request) public function search(Request $request)
{ {
/** @var \App\Models\User $user */
$user = Auth::user(); $user = Auth::user();
$where = [ $where = [
'active' => true, 'active' => true,
'visible' => true, 'visible' => true,
]; ];
// Allow the option to bypass some of these restrictions for the searches // Allow the option to bypass some of these restrictions for the searches
if (!$request->filled('ignore_restrictions') || $request->get('ignore_restrictions') === '0') { if (!$request->filled('ignore_restrictions')
|| $request->get('ignore_restrictions') === '0'
) {
if (setting('pilots.restrict_to_company')) { if (setting('pilots.restrict_to_company')) {
$where['airline_id'] = $user->airline_id; $where['airline_id'] = Auth::user()->airline_id;
} }
if (setting('pilots.only_flights_from_current')) { if (setting('pilots.only_flights_from_current')) {
$where['dpt_airport_id'] = $user->curr_airport_id; $where['dpt_airport_id'] = Auth::user()->curr_airport_id;
} }
} }
try { try {
$this->flightRepo->resetCriteria(); $this->flightRepo->resetCriteria();
$this->flightRepo->searchCriteria($request); $this->flightRepo->searchCriteria($request);
$this->flightRepo->pushCriteria(new WhereCriteria($request, $where, [ $this->flightRepo->pushCriteria(new WhereCriteria($request, $where));
'airline' => ['active' => true],
]));
$this->flightRepo->pushCriteria(new RequestCriteria($request)); $this->flightRepo->pushCriteria(new RequestCriteria($request));
$flights = $this->flightRepo $flights = $this->flightRepo

View File

@@ -3,98 +3,36 @@
namespace App\Http\Controllers\Auth; namespace App\Http\Controllers\Auth;
use App\Contracts\Controller; use App\Contracts\Controller;
use App\Exceptions\PilotIdNotFound;
use App\Models\Enums\UserState; use App\Models\Enums\UserState;
use App\Services\UserService;
use Illuminate\Foundation\Auth\AuthenticatesUsers; use Illuminate\Foundation\Auth\AuthenticatesUsers;
use Illuminate\Http\Request; use Illuminate\Http\Request;
use Illuminate\Support\Facades\Auth; use Illuminate\Support\Facades\Auth;
use Illuminate\Support\Facades\Log; use Illuminate\Support\Facades\Log;
/**
* Class LoginController
*/
class LoginController extends Controller class LoginController extends Controller
{ {
use AuthenticatesUsers; use AuthenticatesUsers;
protected $redirectTo = '/dashboard'; protected $redirectTo = '/dashboard';
/** @var UserService */
private $userSvc;
/** @var string */
private $loginFieldValue;
/** /**
* LoginController constructor. * LoginController constructor.
*
* @param UserService $userSvc
*/ */
public function __construct(UserService $userSvc) public function __construct()
{ {
$this->redirectTo = config('phpvms.login_redirect'); $this->redirectTo = config('phpvms.login_redirect');
$this->middleware('guest', ['except' => 'logout']); $this->middleware('guest', ['except' => 'logout']);
$this->userSvc = $userSvc;
} }
/** /**
* Get the needed authorization credentials from the request. * @return \Illuminate\Contracts\View\Factory|\Illuminate\View\View
* Overriding the value from the trait
*
* @override
*
* @param \Illuminate\Http\Request $request
*
* @return array
*/ */
protected function credentials(Request $request) public function showLoginForm()
{ {
return [ return view('auth/login');
'email' => $this->loginFieldValue,
'password' => $request->input('password'),
];
}
/**
* Validate the user login request.
*
* @override
*
* @param \Illuminate\Http\Request $request
*
* @return void
*/
protected function validateLogin(Request $request)
{
$id_field = $request->input('email');
$validations = ['required', 'string'];
/*
* Trying to login by email or not?
*
* If not, run a validation rule which attempts to split the user by their VA and ID
* Then inject that user's email into the request
*/
if (strpos($id_field, '@') !== false) {
$validations[] = 'email';
$this->loginFieldValue = $request->input('email');
} else {
$validations[] = function ($attr, $value, $fail) use ($request) {
try {
$user = $this->userSvc->findUserByPilotId($value);
} catch (PilotIdNotFound $ex) {
Log::warning('Error logging in, pilot_id not found, id='.$value);
$fail('Pilot not found');
return;
}
$request->email = $user->email;
$this->loginFieldValue = $user->email;
};
}
$request->validate([
'email' => $validations,
'password' => 'required|string',
]);
} }
/** /**
@@ -109,7 +47,8 @@ class LoginController extends Controller
$user->last_ip = $request->ip(); $user->last_ip = $request->ip();
$user->save(); $user->save();
if ($user->state !== UserState::ACTIVE && $user->state !== UserState::ON_LEAVE) { // TODO: How to handle ON_LEAVE?
if ($user->state !== UserState::ACTIVE) {
Log::info('Trying to login '.$user->ident.', state ' Log::info('Trying to login '.$user->ident.', state '
.UserState::label($user->state)); .UserState::label($user->state));

View File

@@ -3,20 +3,19 @@
namespace App\Http\Controllers\Auth; namespace App\Http\Controllers\Auth;
use App\Contracts\Controller; use App\Contracts\Controller;
use App\Http\Requests\CreateUserRequest;
use App\Models\Enums\UserState; use App\Models\Enums\UserState;
use App\Models\User; use App\Models\User;
use App\Models\UserField;
use App\Models\UserFieldValue;
use App\Repositories\AirlineRepository; use App\Repositories\AirlineRepository;
use App\Repositories\AirportRepository; use App\Repositories\AirportRepository;
use App\Services\UserService; use App\Services\UserService;
use App\Support\Countries; use App\Support\Countries;
use App\Support\Timezonelist; use App\Support\Timezonelist;
use Illuminate\Contracts\Validation\Validator;
use Illuminate\Foundation\Auth\RegistersUsers; use Illuminate\Foundation\Auth\RegistersUsers;
use Illuminate\Http\Request; use Illuminate\Http\Request;
use Illuminate\Support\Facades\Hash; use Illuminate\Support\Facades\Hash;
use Illuminate\Support\Facades\Log; use Illuminate\Support\Facades\Log;
use Illuminate\Support\Facades\Validator;
class RegisterController extends Controller class RegisterController extends Controller
{ {
@@ -62,14 +61,12 @@ class RegisterController extends Controller
{ {
$airports = $this->airportRepo->selectBoxList(false, setting('pilots.home_hubs_only')); $airports = $this->airportRepo->selectBoxList(false, setting('pilots.home_hubs_only'));
$airlines = $this->airlineRepo->selectBoxList(); $airlines = $this->airlineRepo->selectBoxList();
$userFields = UserField::where(['show_on_registration' => true])->get();
return view('auth.register', [ return view('auth.register', [
'airports' => $airports, 'airports' => $airports,
'airlines' => $airlines, 'airlines' => $airlines,
'countries' => Countries::getSelectList(), 'countries' => Countries::getSelectList(),
'timezones' => Timezonelist::toArray(), 'timezones' => Timezonelist::toArray(),
'userFields' => $userFields,
]); ]);
} }
@@ -84,24 +81,13 @@ class RegisterController extends Controller
{ {
$rules = [ $rules = [
'name' => 'required|max:255', 'name' => 'required|max:255',
'email' => 'required|email|max:255|unique:users,email', 'email' => 'required|email|max:255|unique:users, email',
'airline_id' => 'required', 'airline_id' => 'required',
'home_airport_id' => 'required', 'home_airport_id' => 'required',
'password' => 'required|min:5|confirmed', 'password' => 'required|min:5|confirmed',
'toc_accepted' => 'accepted', 'toc_accepted' => 'accepted',
]; ];
// Dynamically add the required fields
$userFields = UserField::where([
'show_on_registration' => true,
'required' => true,
'active' => true,
])->get();
foreach ($userFields as $field) {
$rules['field_'.$field->slug] = 'required';
}
if (config('captcha.enabled')) { if (config('captcha.enabled')) {
$rules['g-recaptcha-response'] = 'required|captcha'; $rules['g-recaptcha-response'] = 'required|captcha';
} }
@@ -133,15 +119,6 @@ class RegisterController extends Controller
Log::info('User registered: ', $user->toArray()); Log::info('User registered: ', $user->toArray());
$userFields = UserField::all();
foreach ($userFields as $field) {
$field_name = 'field_'.$field->slug;
UserFieldValue::updateOrCreate([
'user_field_id' => $field->id,
'user_id' => $user->id,
], ['value' => $opts[$field_name]]);
}
return $user; return $user;
} }
@@ -154,10 +131,8 @@ class RegisterController extends Controller
* *
* @return mixed * @return mixed
*/ */
public function register(Request $request) public function register(CreateUserRequest $request)
{ {
$this->validator($request->all())->validate();
$user = $this->create($request->all()); $user = $this->create($request->all());
if ($user->state === UserState::PENDING) { if ($user->state === UserState::PENDING) {
return view('auth.pending'); return view('auth.pending');

View File

@@ -79,26 +79,20 @@ class FlightController extends Controller
'visible' => true, 'visible' => true,
]; ];
/** @var \App\Models\User $user */
$user = Auth::user();
if (setting('pilots.restrict_to_company')) { if (setting('pilots.restrict_to_company')) {
$where['airline_id'] = $user->airline_id; $where['airline_id'] = Auth::user()->airline_id;
} }
// default restrictions on the flights shown. Handle search differently // default restrictions on the flights shown. Handle search differently
if (setting('pilots.only_flights_from_current')) { if (setting('pilots.only_flights_from_current')) {
$where['dpt_airport_id'] = $user->curr_airport_id; $where['dpt_airport_id'] = Auth::user()->curr_airport_id;
} }
$this->flightRepo->resetCriteria(); $this->flightRepo->resetCriteria();
try { try {
$this->flightRepo->searchCriteria($request); $this->flightRepo->searchCriteria($request);
$this->flightRepo->pushCriteria(new WhereCriteria($request, $where, [ $this->flightRepo->pushCriteria(new WhereCriteria($request, $where));
'airline' => ['active' => true],
]));
$this->flightRepo->pushCriteria(new RequestCriteria($request)); $this->flightRepo->pushCriteria(new RequestCriteria($request));
} catch (RepositoryException $e) { } catch (RepositoryException $e) {
Log::emergency($e); Log::emergency($e);

View File

@@ -4,10 +4,8 @@ namespace App\Http\Controllers\Frontend;
use App\Contracts\Controller; use App\Contracts\Controller;
use App\Exceptions\PageNotFound; use App\Exceptions\PageNotFound;
use App\Exceptions\Unauthorized;
use App\Repositories\PageRepository; use App\Repositories\PageRepository;
use Exception; use Exception;
use Illuminate\Support\Facades\Auth;
class PageController extends Controller class PageController extends Controller
{ {
@@ -30,16 +28,11 @@ class PageController extends Controller
*/ */
public function show($slug) public function show($slug)
{ {
/** @var \App\Models\Page $page */
$page = $this->pageRepo->findWhere(['slug' => $slug])->first(); $page = $this->pageRepo->findWhere(['slug' => $slug])->first();
if (!$page) { if (!$page) {
throw new PageNotFound(new Exception('Page not found')); throw new PageNotFound(new Exception('Page not found'));
} }
if (!$page->public && !Auth::check()) {
throw new Unauthorized(new Exception('You must be logged in to view this page'));
}
return view('pages.index', ['page' => $page]); return view('pages.index', ['page' => $page]);
} }
} }

View File

@@ -10,7 +10,6 @@ use App\Models\Enums\PirepState;
use App\Models\Enums\PirepStatus; use App\Models\Enums\PirepStatus;
use App\Models\Pirep; use App\Models\Pirep;
use App\Models\SimBrief; use App\Models\SimBrief;
use App\Models\User;
use App\Repositories\AircraftRepository; use App\Repositories\AircraftRepository;
use App\Repositories\AirlineRepository; use App\Repositories\AirlineRepository;
use App\Repositories\AirportRepository; use App\Repositories\AirportRepository;
@@ -281,11 +280,9 @@ class PirepController extends Controller
*/ */
public function store(CreatePirepRequest $request) public function store(CreatePirepRequest $request)
{ {
/** @var User $user */ // Create the main PIREP
$user = Auth::user();
$pirep = new Pirep($request->post()); $pirep = new Pirep($request->post());
$pirep->user_id = $user->id; $pirep->user_id = Auth::user()->id;
$attrs = $request->all(); $attrs = $request->all();
$attrs['submit'] = strtolower($attrs['submit']); $attrs['submit'] = strtolower($attrs['submit']);
@@ -293,13 +290,8 @@ class PirepController extends Controller
if ($attrs['submit'] === 'submit') { if ($attrs['submit'] === 'submit') {
// Are they allowed at this airport? // Are they allowed at this airport?
if (setting('pilots.only_flights_from_current') if (setting('pilots.only_flights_from_current')
&& $user->curr_airport_id !== $pirep->dpt_airport_id) { && Auth::user()->curr_airport_id !== $pirep->dpt_airport_id) {
Log::info( Log::info('Pilot '.Auth::user()->id.' not at departure airport, erroring out');
'Pilot '.$user->id
.' not at departure airport (curr='.$user->curr_airport_id
.', dpt='.$pirep->dpt_airport_id.')'
);
return $this->flashError( return $this->flashError(
'You are currently not at the departure airport!', 'You are currently not at the departure airport!',
'frontend.pireps.create' 'frontend.pireps.create'
@@ -308,8 +300,8 @@ class PirepController extends Controller
// Can they fly this aircraft? // Can they fly this aircraft?
if (setting('pireps.restrict_aircraft_to_rank', false) if (setting('pireps.restrict_aircraft_to_rank', false)
&& !$this->userSvc->aircraftAllowed($user, $pirep->aircraft_id)) { && !$this->userSvc->aircraftAllowed(Auth::user(), $pirep->aircraft_id)) {
Log::info('Pilot '.$user->id.' not allowed to fly aircraft'); Log::info('Pilot '.Auth::user()->id.' not allowed to fly aircraft');
return $this->flashError( return $this->flashError(
'You are not allowed to fly this aircraft!', 'You are not allowed to fly this aircraft!',
'frontend.pireps.create' 'frontend.pireps.create'
@@ -318,20 +310,9 @@ class PirepController extends Controller
// is the aircraft in the right place? // is the aircraft in the right place?
/* @noinspection NotOptimalIfConditionsInspection */ /* @noinspection NotOptimalIfConditionsInspection */
// Get the aircraft
$aircraft = $this->aircraftRepo->findWithoutFail($pirep->aircraft_id);
if ($aircraft === null) {
Log::error('Aircraft for PIREP not found, id='.$pirep->aircraft_id);
return $this->flashError(
'The aircraft for the PIREP hasn\'t been found',
'frontend.pireps.create'
);
}
if (setting('pireps.only_aircraft_at_dpt_airport') if (setting('pireps.only_aircraft_at_dpt_airport')
&& $aircraft->airport_id !== $pirep->dpt_airport_id && $pirep->aircraft_id !== $pirep->dpt_airport_id) {
) { Log::info('Aircraft '.$pirep->aircraft_id.' not at departure airport '.$pirep->dpt_airport_id.', erroring out');
Log::info('Aircraft '.$pirep->aircraft_id.' not at departure airport (curr='.$pirep->aircraft->airport_id.', apt='.$pirep->dpt_airport_id.')');
return $this->flashError( return $this->flashError(
'This aircraft is not positioned at the departure airport!', 'This aircraft is not positioned at the departure airport!',
'frontend.pireps.create' 'frontend.pireps.create'

View File

@@ -4,8 +4,6 @@ namespace App\Http\Controllers\Frontend;
use App\Contracts\Controller; use App\Contracts\Controller;
use App\Models\User; use App\Models\User;
use App\Models\UserField;
use App\Models\UserFieldValue;
use App\Repositories\AirlineRepository; use App\Repositories\AirlineRepository;
use App\Repositories\AirportRepository; use App\Repositories\AirportRepository;
use App\Repositories\UserRepository; use App\Repositories\UserRepository;
@@ -65,22 +63,16 @@ class ProfileController extends Controller
*/ */
public function index() public function index()
{ {
/** @var User $user */
$user = Auth::user();
if (setting('pilots.home_hubs_only')) { if (setting('pilots.home_hubs_only')) {
$airports = $this->airportRepo->findWhere(['hub' => true]); $airports = $this->airportRepo->findWhere(['hub' => true]);
} else { } else {
$airports = $this->airportRepo->all(); $airports = $this->airportRepo->all();
} }
$userFields = $this->userRepo->getUserFields($user);
return view('profile.index', [ return view('profile.index', [
'acars' => $this->acarsEnabled(), 'acars' => $this->acarsEnabled(),
'user' => $user, 'user' => Auth::user(),
'airports' => $airports, 'airports' => $airports,
'userFields' => $userFields,
]); ]);
} }
@@ -91,22 +83,18 @@ class ProfileController extends Controller
*/ */
public function show($id) public function show($id)
{ {
$user = User::with(['fields', 'fields.field']) $user = User::where('id', $id)->first();
->where('id', $id)
->first();
if (empty($user)) { if (empty($user)) {
Flash::error('User not found!'); Flash::error('User not found!');
return redirect(route('frontend.dashboard.index')); return redirect(route('frontend.dashboard.index'));
} }
$airports = $this->airportRepo->all(); $airports = $this->airportRepo->all();
$userFields = $this->userRepo->getUserFields($user, true);
return view('profile.index', [ return view('profile.index', [
'user' => $user, 'user' => $user,
'userFields' => $userFields, 'airports' => $airports,
'airports' => $airports,
]); ]);
} }
@@ -121,27 +109,22 @@ class ProfileController extends Controller
*/ */
public function edit(Request $request) public function edit(Request $request)
{ {
/** @var \App\Models\User $user */ $user = User::where('id', Auth::user()->id)->first();
$user = User::with(['fields', 'fields.field'])
->where('id', Auth::user()->id)
->first();
if (empty($user)) { if (empty($user)) {
Flash::error('User not found!'); Flash::error('User not found!');
return redirect(route('frontend.dashboard.index')); return redirect(route('frontend.dashboard.index'));
} }
$airlines = $this->airlineRepo->selectBoxList(); $airlines = $this->airlineRepo->selectBoxList();
$airports = $this->airportRepo->selectBoxList(false, setting('pilots.home_hubs_only')); $airports = $this->airportRepo->selectBoxList(false, setting('pilots.home_hubs_only'));
$userFields = $this->userRepo->getUserFields($user, false);
return view('profile.edit', [ return view('profile.edit', [
'user' => $user, 'user' => $user,
'airlines' => $airlines, 'airlines' => $airlines,
'airports' => $airports, 'airports' => $airports,
'countries' => Countries::getSelectList(), 'countries' => Countries::getSelectList(),
'timezones' => Timezonelist::toArray(), 'timezones' => Timezonelist::toArray(),
'userFields' => $userFields,
]); ]);
} }
@@ -157,20 +140,13 @@ class ProfileController extends Controller
$id = Auth::user()->id; $id = Auth::user()->id;
$user = $this->userRepo->findWithoutFail($id); $user = $this->userRepo->findWithoutFail($id);
$rules = [ $validator = Validator::make($request->toArray(), [
'name' => 'required', 'name' => 'required',
'email' => 'required|unique:users,email,'.$id, 'email' => 'required|unique:users,email,'.$id,
'airline_id' => 'required', 'airline_id' => 'required',
'password' => 'confirmed', 'password' => 'confirmed',
'avatar' => 'nullable|mimes:jpeg,png,jpg', 'avatar' => 'nullable|mimes:jpeg,png,jpg',
]; ]);
$userFields = UserField::where(['show_on_registration' => true, 'required' => true])->get();
foreach ($userFields as $field) {
$rules['field_'.$field->slug] = 'required';
}
$validator = Validator::make($request->toArray(), $rules);
if ($validator->fails()) { if ($validator->fails()) {
Log::info('validator failed for user '.$user->ident); Log::info('validator failed for user '.$user->ident);
@@ -191,7 +167,6 @@ class ProfileController extends Controller
if (isset($req_data['avatar']) !== null) { if (isset($req_data['avatar']) !== null) {
Storage::delete($user->avatar); Storage::delete($user->avatar);
} }
if ($request->hasFile('avatar')) { if ($request->hasFile('avatar')) {
$avatar = $request->file('avatar'); $avatar = $request->file('avatar');
$file_name = $user->ident.'.'.$avatar->getClientOriginalExtension(); $file_name = $user->ident.'.'.$avatar->getClientOriginalExtension();
@@ -215,16 +190,6 @@ class ProfileController extends Controller
$this->userRepo->update($req_data, $id); $this->userRepo->update($req_data, $id);
// Save all of the user fields
$userFields = UserField::all();
foreach ($userFields as $field) {
$field_name = 'field_'.$field->slug;
UserFieldValue::updateOrCreate([
'user_field_id' => $field->id,
'user_id' => $id,
], ['value' => $request->get($field_name)]);
}
Flash::success('Profile updated successfully!'); Flash::success('Profile updated successfully!');
return redirect(route('frontend.profile.index')); return redirect(route('frontend.profile.index'));

View File

@@ -45,7 +45,6 @@ class Kernel extends HttpKernel
ShareErrorsFromSession::class, ShareErrorsFromSession::class,
// VerifyCsrfToken::class, // VerifyCsrfToken::class,
SubstituteBindings::class, SubstituteBindings::class,
SetActiveTheme::class,
], ],
]; ];

View File

@@ -13,44 +13,8 @@ use Illuminate\Support\Facades\Log;
*/ */
class SetActiveTheme implements Middleware class SetActiveTheme implements Middleware
{ {
private static $skip = [
'admin',
'admin/*',
'api',
'api/*',
'importer',
'importer/*',
'install',
'install/*',
'update',
'update/*',
];
/**
* Handle the request
*
* @param \Illuminate\Http\Request $request
* @param \Closure $next
*
* @return mixed
*/
public function handle(Request $request, Closure $next) public function handle(Request $request, Closure $next)
{ {
$this->setTheme($request);
return $next($request);
}
/**
* Set the theme for the current middleware
*
* @param \Illuminate\Http\Request $request
*/
public function setTheme(Request $request)
{
if ($request->is(self::$skip)) {
return;
}
try { try {
$theme = setting('general.theme'); $theme = setting('general.theme');
} catch (\Exception $e) { } catch (\Exception $e) {
@@ -61,5 +25,7 @@ class SetActiveTheme implements Middleware
if (!empty($theme)) { if (!empty($theme)) {
Theme::set($theme); Theme::set($theme);
} }
return $next($request);
} }
} }

View File

@@ -19,7 +19,7 @@ class UpdatePageRequest extends FormRequest
'required', 'required',
Rule::unique('pages')->ignore($this->id, 'id'), Rule::unique('pages')->ignore($this->id, 'id'),
], ],
'body' => 'nullable', 'body' => 'required',
]; ];
} }
} }

View File

@@ -2,7 +2,7 @@
namespace App\Http\Resources; namespace App\Http\Resources;
use App\Contracts\Resource; use Illuminate\Http\Resources\Json\Resource;
/** /**
* @mixin \App\Models\SimBrief * @mixin \App\Models\SimBrief

View File

@@ -16,8 +16,6 @@ use Carbon\Carbon;
* @property string icao * @property string icao
* @property string registration * @property string registration
* @property int flight_time * @property int flight_time
* @property float mtow
* @property float zfw
* @property string hex_code * @property string hex_code
* @property Airport airport * @property Airport airport
* @property Subfleet subfleet * @property Subfleet subfleet
@@ -41,7 +39,6 @@ class Aircraft extends Model
'registration', 'registration',
'hex_code', 'hex_code',
'flight_time', 'flight_time',
'mtow',
'zfw', 'zfw',
'status', 'status',
'state', 'state',
@@ -52,7 +49,6 @@ class Aircraft extends Model
*/ */
protected $casts = [ protected $casts = [
'subfleet_id' => 'integer', 'subfleet_id' => 'integer',
'mtow' => 'float',
'zfw' => 'float', 'zfw' => 'float',
'flight_time' => 'float', 'flight_time' => 'float',
'state' => 'integer', 'state' => 'integer',
@@ -66,8 +62,6 @@ class Aircraft extends Model
'name' => 'required', 'name' => 'required',
'status' => 'required', 'status' => 'required',
'registration' => 'required', 'registration' => 'required',
'mtow' => 'nullable|numeric',
'zfw' => 'nullable|numeric',
]; ];
/** /**

View File

@@ -0,0 +1,12 @@
<?php
namespace App\Models\Enums;
use App\Contracts\Enum;
class AnalyticsDimensions extends Enum
{
public const PHP_VERSION = 1;
public const DATABASE_VERSION = 2;
public const PHPVMS_VERSION = 3;
}

View File

@@ -0,0 +1,14 @@
<?php
namespace App\Models\Enums;
use App\Contracts\Enum;
/**
* Metrics IDs used in Google Analytics
*/
class AnalyticsMetrics extends Enum
{
// Track the lookup time for airports from vaCentral
public const AIRPORT_LOOKUP_TIME = 1;
}

View File

@@ -6,11 +6,6 @@ use App\Contracts\Enum;
class PageType extends Enum class PageType extends Enum
{ {
public const PAGE = 0; public const HTML = 0;
public const LINK = 1; public const MARKDOWN = 1;
public static $labels = [
self::PAGE => 'Page',
self::LINK => 'Link',
];
} }

View File

@@ -9,14 +9,14 @@ use Illuminate\Support\Facades\Storage;
use Illuminate\Support\Str; use Illuminate\Support\Str;
/** /**
* @property string $name * @property string $name
* @property string $description * @property string $description
* @property string $disk * @property string $disk
* @property string $path * @property string $path
* @property bool $public * @property bool $public
* @property int $download_count * @property int $download_count
* @property string $url * @property string $url
* @property string $filename * @property string $filename
*/ */
class File extends Model class File extends Model
{ {

View File

@@ -14,11 +14,11 @@ use Carbon\Carbon;
* Holds various journals, depending on the morphed_type and morphed_id columns * Holds various journals, depending on the morphed_type and morphed_id columns
* *
* @property mixed id * @property mixed id
* @property Money $balance * @property Money $balance
* @property string $currency * @property string $currency
* @property Carbon $updated_at * @property Carbon $updated_at
* @property Carbon $post_date * @property Carbon $post_date
* @property Carbon $created_at * @property Carbon $created_at
* @property \App\Models\Enums\JournalType type * @property \App\Models\Enums\JournalType type
* @property mixed morphed_type * @property mixed morphed_type
* @property mixed morphed_id * @property mixed morphed_id

View File

@@ -13,11 +13,11 @@ use Carbon\Carbon;
/** /**
* Class Ledger * Class Ledger
* *
* @property Money $balance * @property Money $balance
* @property string $currency * @property string $currency
* @property Carbon $updated_at * @property Carbon $updated_at
* @property Carbon $post_date * @property Carbon $post_date
* @property Carbon $created_at * @property Carbon $created_at
*/ */
class Ledger extends Model class Ledger extends Model
{ {

View File

@@ -3,8 +3,6 @@
namespace App\Models; namespace App\Models;
use App\Contracts\Model; use App\Contracts\Model;
use App\Exceptions\UnknownPageType;
use App\Models\Enums\PageType;
/** /**
* @property int id * @property int id
@@ -14,9 +12,7 @@ use App\Models\Enums\PageType;
* @property int type * @property int type
* @property bool public * @property bool public
* @property bool enabled * @property bool enabled
* @property bool new_window
* @property string body * @property string body
* @property string link
*/ */
class Page extends Model class Page extends Model
{ {
@@ -29,39 +25,17 @@ class Page extends Model
'icon', 'icon',
'public', 'public',
'body', 'body',
'link',
'enabled', 'enabled',
'new_window',
]; ];
protected $casts = [ protected $casts = [
'type' => 'integer', 'type' => 'integer',
'public' => 'boolean', 'public' => 'boolean',
'enabled' => 'boolean', 'enabled' => 'boolean',
'new_window' => 'boolean',
]; ];
public static $rules = [ public static $rules = [
'name' => 'required|unique:pages,name', 'name' => 'required|unique:pages,name',
'body' => 'nullable', 'body' => 'required',
'type' => 'required',
]; ];
/**
* Return the full URL to this page; determines if it's internal or external
*
* @throws \App\Exceptions\UnknownPageType
*/
public function getUrlAttribute(): string
{
if ($this->type === PageType::PAGE) {
return url(route('frontend.pages.show', ['slug' => $this->slug]));
}
if ($this->type === PageType::LINK) {
return $this->link;
}
throw new UnknownPageType($this);
}
} }

View File

@@ -43,7 +43,7 @@ use Illuminate\Support\Collection;
* @property User user * @property User user
* @property Flight|null flight * @property Flight|null flight
* @property Collection fields * @property Collection fields
* @property string status * @property int status
* @property bool state * @property bool state
* @property string source * @property string source
* @property Carbon submitted_at * @property Carbon submitted_at

View File

@@ -6,10 +6,10 @@ use App\Contracts\Model;
use Illuminate\Support\Collection; use Illuminate\Support\Collection;
/** /**
* @property string $id The Simbrief OFP ID * @property string $id The Simbrief OFP ID
* @property int $user_id The user that generated this * @property int $user_id The user that generated this
* @property string $flight_id Optional, if attached to a flight, removed if attached to PIREP * @property string $flight_id Optional, if attached to a flight, removed if attached to PIREP
* @property string $pirep_id Optional, if attached to a PIREP, removed if attached to flight * @property string $pirep_id Optional, if attached to a PIREP, removed if attached to flight
* @property string $acars_xml * @property string $acars_xml
* @property string $ofp_xml * @property string $ofp_xml
* @property string $ofp_html * @property string $ofp_html

View File

@@ -33,8 +33,6 @@ class Subfleet extends Model
'name', 'name',
'turn_time', 'turn_time',
'fuel_type', 'fuel_type',
'cost_block_hour',
'cost_delay_minute',
'ground_handling_multiplier', 'ground_handling_multiplier',
'cargo_capacity', 'cargo_capacity',
'fuel_capacity', 'fuel_capacity',

View File

@@ -10,33 +10,32 @@ use Illuminate\Notifications\Notifiable;
use Laratrust\Traits\LaratrustUserTrait; use Laratrust\Traits\LaratrustUserTrait;
/** /**
* @property int id * @property int id
* @property int pilot_id * @property int pilot_id
* @property int airline_id * @property int airline_id
* @property string name * @property string name
* @property string name_private Only first name, rest are initials * @property string name_private Only first name, rest are initials
* @property string email * @property string email
* @property string password * @property string password
* @property string api_key * @property string api_key
* @property mixed timezone * @property mixed timezone
* @property string ident * @property string ident
* @property string curr_airport_id * @property string curr_airport_id
* @property string home_airport_id * @property string home_airport_id
* @property string avatar * @property string avatar
* @property Airline airline * @property Airline airline
* @property Flight[] flights * @property Flight[] flights
* @property int flight_time * @property int flight_time
* @property int transfer_time * @property int transfer_time
* @property string remember_token * @property string remember_token
* @property \Carbon\Carbon created_at * @property \Carbon\Carbon created_at
* @property \Carbon\Carbon updated_at * @property \Carbon\Carbon updated_at
* @property Rank rank * @property Rank rank
* @property Journal journal * @property Journal journal
* @property int rank_id * @property int rank_id
* @property int state * @property int state
* @property bool opt_in * @property bool opt_in
* @property string last_pirep_id * @property string last_pirep_id
* @property UserFieldValue[] fields
* *
* @mixin \Illuminate\Database\Eloquent\Builder * @mixin \Illuminate\Database\Eloquent\Builder
* @mixin \Illuminate\Notifications\Notifiable * @mixin \Illuminate\Notifications\Notifiable
@@ -213,16 +212,6 @@ class User extends Authenticatable
return $this->hasMany(UserAward::class, 'user_id'); return $this->hasMany(UserAward::class, 'user_id');
} }
/**
* The bid rows
*
* @return \Illuminate\Database\Eloquent\Relations\HasMany
*/
public function bids()
{
return $this->hasMany(Bid::class, 'user_id');
}
public function home_airport() public function home_airport()
{ {
return $this->belongsTo(Airport::class, 'home_airport_id'); return $this->belongsTo(Airport::class, 'home_airport_id');
@@ -238,9 +227,22 @@ class User extends Authenticatable
return $this->belongsTo(Pirep::class, 'last_pirep_id'); return $this->belongsTo(Pirep::class, 'last_pirep_id');
} }
public function fields() /**
* These are the flights they've bid on
*/
// public function flights()
// {
// return $this->belongsToMany(Flight::class, 'bids');
// }
/**
* The bid rows
*
* @return \Illuminate\Database\Eloquent\Relations\HasMany
*/
public function bids()
{ {
return $this->hasMany(UserFieldValue::class, 'user_id'); return $this->hasMany(Bid::class, 'user_id');
} }
public function pireps() public function pireps()

View File

@@ -1,49 +0,0 @@
<?php
namespace App\Models;
use App\Contracts\Model;
/**
* @property string name
* @property string slug
* @property string value Only set if "squashed"
* @property bool show_on_registration
* @property bool required
* @property bool private
*/
class UserField extends Model
{
public $table = 'user_fields';
protected $fillable = [
'name',
'description',
'show_on_registration', // Show on the registration form?
'required', // Required to be filled out in registration?
'private', // Whether this is shown on the user's public profile
'active',
];
protected $casts = [
'show_on_registration' => 'boolean',
'required' => 'boolean',
'private' => 'boolean',
'active' => 'boolean',
];
public static $rules = [
'name' => 'required',
'description' => 'nullable',
];
/**
* Get the slug so we can use it in forms
*
* @return string
*/
public function getSlugAttribute(): string
{
return str_slug($this->name, '_');
}
}

View File

@@ -1,37 +0,0 @@
<?php
namespace App\Models;
use App\Contracts\Model;
/**
* @property string name
* @property string value
* @property UserField field
* @property User user
*/
class UserFieldValue extends Model
{
public $table = 'user_field_values';
protected $fillable = [
'user_field_id',
'user_id',
'value',
];
public static $rules = [];
/**
* Foreign Keys
*/
public function field()
{
return $this->belongsTo(UserField::class, 'user_field_id');
}
public function user()
{
return $this->belongsTo(User::class, 'user_id');
}
}

View File

@@ -1,23 +1,23 @@
<?php <?php
namespace App\Contracts; namespace App\Notifications;
use Illuminate\Bus\Queueable; use Illuminate\Bus\Queueable;
use Illuminate\Contracts\Queue\ShouldQueue; use Illuminate\Contracts\Queue\ShouldQueue;
use Illuminate\Notifications\Notification;
use Illuminate\Support\Facades\Log; use Illuminate\Support\Facades\Log;
class Notification extends \Illuminate\Notifications\Notification implements ShouldQueue class BaseNotification extends Notification implements ShouldQueue
{ {
use Queueable; use Queueable;
public $channels = []; public $channels = [];
public $requires_opt_in = false;
public function __construct() public function __construct()
{ {
// Look in the notifications.channels config and see where this particular // Look in the notifications.channels config and see where this particular
// notification can go. Map it to $channels // notification can go. Map it to $channels
$klass = static::class; $klass = get_class($this);
$notif_config = config('notifications.channels', []); $notif_config = config('notifications.channels', []);
if (!array_key_exists($klass, $notif_config)) { if (!array_key_exists($klass, $notif_config)) {
Log::error('Notification type '.$klass.' missing from notifications config, defaulting to mail'); Log::error('Notification type '.$klass.' missing from notifications config, defaulting to mail');

View File

@@ -34,7 +34,7 @@ trait MailChannel
public function toMail($notifiable) public function toMail($notifiable)
{ {
return (new MailMessage()) return (new MailMessage())
->from(config('mail.from.address', 'no-reply@phpvms.net'), config('mail.from.name')) ->from(config('mail.from.address', 'no-reply@phpvms.net'))
->subject($this->mailSubject) ->subject($this->mailSubject)
->markdown($this->mailTemplate, $this->mailTemplateArgs); ->markdown($this->mailTemplate, $this->mailTemplateArgs);
} }

View File

@@ -16,7 +16,6 @@ use App\Notifications\Messages\UserPending;
use App\Notifications\Messages\UserRejected; use App\Notifications\Messages\UserRejected;
use App\Notifications\Notifiables\Broadcast; use App\Notifications\Notifiables\Broadcast;
use Exception; use Exception;
use Illuminate\Support\Collection;
use Illuminate\Support\Facades\Log; use Illuminate\Support\Facades\Log;
use Illuminate\Support\Facades\Notification; use Illuminate\Support\Facades\Notification;
@@ -28,7 +27,6 @@ class EventHandler extends Listener
private static $broadcastNotifyable; private static $broadcastNotifyable;
public static $callbacks = [ public static $callbacks = [
NewsAdded::class => 'onNewsAdded',
PirepAccepted::class => 'onPirepAccepted', PirepAccepted::class => 'onPirepAccepted',
PirepFiled::class => 'onPirepFile', PirepFiled::class => 'onPirepFile',
PirepRejected::class => 'onPirepRejected', PirepRejected::class => 'onPirepRejected',
@@ -44,7 +42,7 @@ class EventHandler extends Listener
/** /**
* Send a notification to all of the admins * Send a notification to all of the admins
* *
* @param \App\Contracts\Notification $notification * @param \Illuminate\Notifications\Notification $notification
*/ */
protected function notifyAdmins($notification) protected function notifyAdmins($notification)
{ {
@@ -58,8 +56,8 @@ class EventHandler extends Listener
} }
/** /**
* @param User $user * @param User $user
* @param \App\Contracts\Notification $notification * @param \Illuminate\Notifications\Notification $notification
*/ */
protected function notifyUser($user, $notification) protected function notifyUser($user, $notification)
{ {
@@ -71,25 +69,13 @@ class EventHandler extends Listener
} }
/** /**
* Send a notification to all users. Also can specify if a particular notification * Send a notification to all users
* requires an opt-in
* *
* @param \App\Contracts\Notification $notification * @param $notification
*/ */
protected function notifyAllUsers(\App\Contracts\Notification $notification) protected function notifyAllUsers($notification)
{ {
$where = []; $users = User::all()->get();
if ($notification->requires_opt_in === true) { // If the opt-in is required
$where['opt_in'] = true;
}
/** @var Collection $users */
$users = User::where($where)->get();
if (empty($users) || $users->count() === 0) {
return;
}
Log::info('Sending notification to '.$users->count().' users');
try { try {
Notification::send($users, $notification); Notification::send($users, $notification);
@@ -178,7 +164,7 @@ class EventHandler extends Listener
} }
/** /**
* Notify all users of a news event, but only the users which have opted in * Notify all users of a news event
* *
* @param \App\Events\NewsAdded $event * @param \App\Events\NewsAdded $event
*/ */

View File

@@ -2,11 +2,11 @@
namespace App\Notifications\Messages; namespace App\Notifications\Messages;
use App\Contracts\Notification;
use App\Models\User; use App\Models\User;
use App\Notifications\BaseNotification;
use App\Notifications\Channels\MailChannel; use App\Notifications\Channels\MailChannel;
class AdminUserRegistered extends Notification class AdminUserRegistered extends BaseNotification
{ {
use MailChannel; use MailChannel;

View File

@@ -2,16 +2,15 @@
namespace App\Notifications\Messages; namespace App\Notifications\Messages;
use App\Contracts\Notification;
use App\Models\News; use App\Models\News;
use App\Notifications\BaseNotification;
use App\Notifications\Channels\MailChannel; use App\Notifications\Channels\MailChannel;
class NewsAdded extends Notification class NewsAdded extends BaseNotification
{ {
use MailChannel; use MailChannel;
public $channels = ['mail']; public $channels = ['mail'];
public $requires_opt_in = true;
private $news; private $news;

View File

@@ -2,14 +2,14 @@
namespace App\Notifications\Messages; namespace App\Notifications\Messages;
use App\Contracts\Notification;
use App\Models\Pirep; use App\Models\Pirep;
use App\Notifications\BaseNotification;
use App\Notifications\Channels\MailChannel; use App\Notifications\Channels\MailChannel;
/** /**
* Send the PIREP accepted message to a particular user * Send the PIREP accepted message to a particular user
*/ */
class PirepAccepted extends Notification class PirepAccepted extends BaseNotification
{ {
use MailChannel; use MailChannel;

View File

@@ -2,11 +2,11 @@
namespace App\Notifications\Messages; namespace App\Notifications\Messages;
use App\Contracts\Notification;
use App\Models\Pirep; use App\Models\Pirep;
use App\Notifications\BaseNotification;
use App\Notifications\Channels\MailChannel; use App\Notifications\Channels\MailChannel;
class PirepRejected extends Notification class PirepRejected extends BaseNotification
{ {
use MailChannel; use MailChannel;

View File

@@ -2,11 +2,11 @@
namespace App\Notifications\Messages; namespace App\Notifications\Messages;
use App\Contracts\Notification;
use App\Models\Pirep; use App\Models\Pirep;
use App\Notifications\BaseNotification;
use App\Notifications\Channels\MailChannel; use App\Notifications\Channels\MailChannel;
class PirepSubmitted extends Notification class PirepSubmitted extends BaseNotification
{ {
use MailChannel; use MailChannel;

View File

@@ -2,11 +2,11 @@
namespace App\Notifications\Messages; namespace App\Notifications\Messages;
use App\Contracts\Notification;
use App\Models\User; use App\Models\User;
use App\Notifications\BaseNotification;
use App\Notifications\Channels\MailChannel; use App\Notifications\Channels\MailChannel;
class UserPending extends Notification class UserPending extends BaseNotification
{ {
use MailChannel; use MailChannel;

View File

@@ -2,11 +2,11 @@
namespace App\Notifications\Messages; namespace App\Notifications\Messages;
use App\Contracts\Notification;
use App\Models\User; use App\Models\User;
use App\Notifications\BaseNotification;
use App\Notifications\Channels\MailChannel; use App\Notifications\Channels\MailChannel;
class UserRegistered extends Notification class UserRegistered extends BaseNotification
{ {
use MailChannel; use MailChannel;

View File

@@ -2,11 +2,11 @@
namespace App\Notifications\Messages; namespace App\Notifications\Messages;
use App\Contracts\Notification;
use App\Models\User; use App\Models\User;
use App\Notifications\BaseNotification;
use App\Notifications\Channels\MailChannel; use App\Notifications\Channels\MailChannel;
class UserRejected extends Notification class UserRejected extends BaseNotification
{ {
use MailChannel; use MailChannel;

View File

@@ -32,6 +32,7 @@ class BindServiceProviders extends ServiceProvider
IVaCentral::class, IVaCentral::class,
function ($app) { function ($app) {
$client = new VaCentral(); $client = new VaCentral();
$client->setVaCentralUrl(config('vacentral.api_url'));
// Set API if exists // Set API if exists
if (filled(config('vacentral.api_key'))) { if (filled(config('vacentral.api_key'))) {

View File

@@ -38,6 +38,7 @@ class EventServiceProvider extends ServiceProvider
UpdateAvailable::class => [], UpdateAvailable::class => [],
UpdateSucceeded::class => [], UpdateSucceeded::class => [],
]; ];
protected $subscribe = [ protected $subscribe = [

View File

@@ -39,7 +39,7 @@ class RouteServiceProvider extends ServiceProvider
private function mapWebRoutes() private function mapWebRoutes()
{ {
Route::group([ Route::group([
'middleware' => ['web'], 'middleware' => ['web', 'theme'],
'namespace' => $this->namespace, 'namespace' => $this->namespace,
], function ($router) { ], function ($router) {
Route::group([ Route::group([
@@ -60,6 +60,8 @@ class RouteServiceProvider extends ServiceProvider
Route::get('flights/search', 'FlightController@search')->name('flights.search'); Route::get('flights/search', 'FlightController@search')->name('flights.search');
Route::resource('flights', 'FlightController'); Route::resource('flights', 'FlightController');
Route::get('p/{slug}', 'PageController@show')->name('pages.show');
Route::get('pireps/fares', 'PirepController@fares'); Route::get('pireps/fares', 'PirepController@fares');
Route::post('pireps/{id}/submit', 'PirepController@submit')->name('pireps.submit'); Route::post('pireps/{id}/submit', 'PirepController@submit')->name('pireps.submit');
@@ -93,18 +95,15 @@ class RouteServiceProvider extends ServiceProvider
Route::get('users/{id}', 'ProfileController@show')->name('users.show.public'); Route::get('users/{id}', 'ProfileController@show')->name('users.show.public');
Route::get('pilots/{id}', 'ProfileController@show')->name('pilots.show.public'); Route::get('pilots/{id}', 'ProfileController@show')->name('pilots.show.public');
Route::get('page/{slug}', 'PageController@show')->name('pages.show'); Route::get('p/{id}', 'ProfileController@show')->name('profile.show.public');
Route::get('profile/{id}', 'ProfileController@show')->name('profile.show.public');
Route::get('users', 'UserController@index')->name('users.index'); Route::get('users', 'UserController@index')->name('users.index');
Route::get('pilots', 'UserController@index')->name('pilots.index'); Route::get('pilots', 'UserController@index')->name('pilots.index');
Route::get('livemap', 'LiveMapController@index')->name('livemap.index'); Route::get('livemap', 'LiveMapController@index')->name('livemap.index');
}); });
Route::get('/logout', 'Auth\LoginController@logout')->name('auth.logout');
Auth::routes(['verify' => true]); Auth::routes(['verify' => true]);
Route::get('/logout', 'Auth\LoginController@logout')->name('logout');
}); });
} }
@@ -262,10 +261,10 @@ class RouteServiceProvider extends ServiceProvider
Route::resource('flightfields', 'FlightFieldController') Route::resource('flightfields', 'FlightFieldController')
->middleware('ability:admin,flights'); ->middleware('ability:admin,flights');
Route::resource('userfields', 'UserFieldController')->middleware('ability:admin,users');
// pirep related routes // pirep related routes
Route::get('pireps/fares', 'PirepController@fares')->middleware('ability:admin,pireps'); Route::get('pireps/fares', 'PirepController@fares')
->middleware('ability:admin,pireps');
Route::get('pireps/pending', 'PirepController@pending') Route::get('pireps/pending', 'PirepController@pending')
->middleware('ability:admin,pireps'); ->middleware('ability:admin,pireps');

View File

@@ -27,19 +27,14 @@ class AirlineRepository extends Repository implements CacheableInterface
/** /**
* Return the list of airline formatted for a select box * Return the list of airline formatted for a select box
* *
* @param bool $add_blank * @param mixed $add_blank
* @param bool $only_active
* *
* @return array * @return array
*/ */
public function selectBoxList($add_blank = false, $only_active = true): array public function selectBoxList($add_blank = false): array
{ {
$retval = []; $retval = [];
$where = [ $items = $this->all();
'active' => $only_active,
];
$items = $this->findWhere($where);
if ($add_blank) { if ($add_blank) {
$retval[''] = ''; $retval[''] = '';

View File

@@ -24,14 +24,13 @@ class ExpenseRepository extends Repository implements CacheableInterface
* Get all of the expenses for a given type, and also * Get all of the expenses for a given type, and also
* include expenses for a given airline ID * include expenses for a given airline ID
* *
* @param $type * @param $type
* @param int $airline_id * @param null $airline_id
* @param string $ref_model * @param null $ref_model
* @param mixed $ref_model_id
* *
* @return Collection * @return Collection
*/ */
public function getAllForType($type, $airline_id = null, $ref_model = null, $ref_model_id = null) public function getAllForType($type, $airline_id = null, $ref_model = null)
{ {
$where = [ $where = [
'type' => $type, 'type' => $type,
@@ -48,10 +47,6 @@ class ExpenseRepository extends Repository implements CacheableInterface
if ($ref_model) { if ($ref_model) {
$where['ref_model'] = $ref_model_type; $where['ref_model'] = $ref_model_type;
} }
if ($ref_model_id) {
$where['ref_model_id'] = $ref_model_id;
}
} }
$expenses = $this->findWhere($where); $expenses = $this->findWhere($where);

View File

@@ -7,6 +7,9 @@ use App\Models\Enums\PirepState;
use App\Models\Pirep; use App\Models\Pirep;
use App\Models\User; use App\Models\User;
/**
* Class PirepRepository
*/
class PirepRepository extends Repository class PirepRepository extends Repository
{ {
protected $fieldSearchable = [ protected $fieldSearchable = [

View File

@@ -1,32 +0,0 @@
<?php
namespace App\Repositories;
use App\Contracts\Repository;
use App\Models\UserField;
use App\Models\UserFieldValue;
class UserFieldRepository extends Repository
{
protected $fieldSearchable = [
'name' => 'like',
];
/**
* @return string
*/
public function model(): string
{
return UserField::class;
}
/**
* Return whether or not this field is in use by a value
*
* @param $id
*/
public function isInUse($id): bool
{
return UserFieldValue::where(['user_field_id' => $id])->exists();
}
}

Some files were not shown because too many files have changed in this diff Show More