Laravel ограничение внешнего ключа сформировано неправильно. Я искал и не могу найти ответ - PullRequest
0 голосов
/ 05 января 2020
class CreateMediaTable extends Migration
{
    public function up()
    {
        Schema::create('media', function (Blueprint $table) {
            $table->increments('id');
            $table->unsignedBigInteger('id_users');
            $table->unsignedBigInteger('id_posts');
            $table->char('type', 1); //P: photo or V: video
            $table->string('file');
            $table->timestamps();

            $table->foreign('id_posts')->references('id')->on('posts');
            $table->foreign('id_users')->references('id')->on('users');
        });
    }

    public function down()
    {
        Schema::dropIfExists('posts');
    }
}

и моя createprofilemigration

/**
 * @author Alex Madsen
 * 
 * @date November 6, 2018
 */ 

use Illuminate\Support\Facades\Schema;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Database\Migrations\Migration;

class CreateUserProfilesTable extends Migration
{
    /**
     * Run the migrations.
     *
     * @return void
     */
    public function up()
    {
        Schema::create('user_profiles', function (Blueprint $table) {
            $table->unsignedInteger('id_users')->unique();
            $table->string('handle')->unique(); 
            $table->string('icon')->default('https://i.redd.it/130am13nj6201.png'); 
            $table->string('profile_image')->nullable(); 
            $table->string('description')->nullable(); 
            $table->timestamps();
        });
    }

    /**
     * Reverse the migrations.
     *
     * @return void
     */
    public function down()
    {
        Schema::dropIfExists('user_profiles');
    }
}

Продолжает выдавать эти ошибки, Чего мне не хватает? Имейте в виду, я новичок в этом, пытаясь учиться с YouTube и StackOverflow в мое свободное время. Не уверен, какой путь к go. Я посмотрел на форумах и попробовал $ table-> foreign ('id_posts') -> reference ('id') -> on ('posts'); Но это не решило проблему.

Illuminate\Database\QueryException  : SQLSTATE[HY000]: General error: 1005 Can't create table `ci`.`media` (errno: 150 "Foreign key constraint is incorrectly formed") (SQL: alter t
able `media` add constraint `media_id_posts_foreign` foreign key (`id_posts`) references `posts` (`id`))

  at C:\xampp6\htdocs\lol\simple_social_network_laravel\vendor\laravel\framework\src\Illuminate\Database\Connection.php:664
    660|         // If an exception occurs when attempting to run a query, we'll format the error
    661|         // message to include the bindings with SQL, which will make this exception a
    662|         // lot more helpful to the developer instead of just the database's errors.
    663|         catch (Exception $e) {
  > 664|             throw new QueryException(
    665|                 $query, $this->prepareBindings($bindings), $e
    666|             );
    667|         } 
class CreatePostsTable extends Migration
{
    public function up()
    {
        Schema::create('posts', function (Blueprint $table) {
            $table->increments('id');
            $table->unsignedBigInteger('id_users');
            $table->unsignedInteger('subreddit_id');
            $table->text('description');
            $table->string('title');
            $table->text('content');
            $table->unsignedInteger('id_posts');
            $table->timestamps();

            $table->foreign('id_users')->references('id')->on('users');
            $table->foreign('subreddit_id')->references('id')->on('id_posts');
        });
    }

    public function down()
    {
        Schema::dropIfExists('posts');
    }
}

Ответы [ 2 ]

1 голос
/ 05 января 2020

При использовании внешних ключей типы должны быть точно такими же.

Вы создаете:

$table->unsignedBigInteger('id_posts');

, поэтому это большое целое число без знака, но, вероятно, в таблице posts вместо bigIncrements вы используете increments для id столбца, и именно поэтому вы получаете эту ошибку.

Так что вполне возможно вместо:

$table->unsignedBigInteger('id_posts'); 

вы должны использовать

$table->unsignedInteger('id_posts'); 

или в качестве альтернативного решения используйте

$table->bigIncrements('id');

в posts миграции

0 голосов
/ 05 января 2020

В ходе миграции posts вы сделали id с increments, что означает, что требуется

unsigned integer auto_increment

, но при миграции файла media вы создаете posts_id с unsignedBigInteger

, поэтому есть два способа исправить, выбрав только один

  1. отредактируйте id в posts миграцию, чтобы она была bigincrements
  2. отредактируйте posts_id в миграции 'media' на unsignedIntegere
Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...