MySQL에서 PostgreSQL로 마이그레이션
MySQL에서 Postgres로 데이터베이스를 마이그레이션하는 것은 어려운 과정입니다.
MySQL과 Postgres는 유사한 작업을 수행하지만 둘 사이에는 몇 가지 근본적인 차이점이 있으며 이러한 차이점으로 인해 마이그레이션이 성공하려면 해결해야 하는 문제가 발생할 수 있습니다.
어디서부터 시작해야 할까요?
Pg Loader는 데이터를 PostgreSQL로 이동하는 데 사용할 수 있는 도구이지만 완벽하지는 않지만 경우에 따라 잘 작동할 수 있습니다. 자신이 가고 싶은 방향인지 살펴보는 것이 좋습니다.
또 다른 접근 방식은 맞춤 스크립트를 만드는 것입니다.
사용자 정의 스크립트는 데이터 세트와 관련된 문제를 해결할 수 있는 더 큰 유연성과 범위를 제공합니다.
이 기사에서는 마이그레이션 프로세스를 처리하기 위해 사용자 정의 스크립트가 작성되었습니다.
데이터 내보내기
원활한 마이그레이션을 위해서는 데이터를 내보내는 방법이 중요합니다. 기본 설정에서 mysqldump를 사용하면 프로세스가 더 어려워집니다.
PostgreSQL에서 요구하는 형식으로 데이터를 내보내려면 --호환=ansi 옵션을 사용하세요.
마이그레이션을 더 쉽게 처리하려면 스키마와 데이터 덤프를 분할하여 별도로 처리할 수 있습니다. 각 파일의 처리 요구 사항은 매우 다르므로 각 파일에 대한 스크립트를 생성하면 관리가 더 쉬워집니다.
스키마 차이점
데이터 유형
MySQL과 PostgreSQL에서 사용할 수 있는 데이터 유형에는 차이가 있습니다. 이는 스키마를 처리할 때 데이터에 가장 적합한 필드 데이터 유형을 결정해야 함을 의미합니다.
Category | MySQL | PostgreSQL |
---|---|---|
Numeric | INT, TINYINT, SMALLINT, MEDIUMINT, BIGINT, FLOAT, DOUBLE, DECIMAL | INTEGER, SMALLINT, BIGINT, NUMERIC, REAL, DOUBLE PRECISION, SERIAL, SMALLSERIAL, BIGSERIAL |
String | CHAR, VARCHAR, TINYTEXT, TEXT, MEDIUMTEXT, LONGTEXT | CHAR, VARCHAR, TEXT |
Date and Time | DATE, TIME, DATETIME, TIMESTAMP, YEAR | DATE, TIME, TIMESTAMP, INTERVAL, TIMESTAMPTZ |
Binary | BINARY, VARBINARY, TINYBLOB, BLOB, MEDIUMBLOB, LONGBLOB | BYTEA |
Boolean | BOOLEAN (TINYINT(1)) | BOOLEAN |
Enum and Set | ENUM, SET | ENUM (no SET equivalent) |
JSON | JSON | JSON, JSONB |
Geometric | GEOMETRY, POINT, LINESTRING, POLYGON | POINT, LINE, LSEG, BOX, PATH, POLYGON, CIRCLE |
Network Address | No built-in types | CIDR, INET, MACADDR |
UUID | No built-in type (can use CHAR(36)) | UUID |
Array | No built-in support | Supports arrays of any data type |
XML | No built-in type | XML |
Range Types | No built-in support | int4range, int8range, numrange, tsrange, tstzrange, daterange |
Composite Types | No built-in support | User-defined composite types |
Tinyint field type
Tinyint doesn't exist in PostgreSQL. You have the choice of smallint or boolean to replace it with. Choose the data type most like the current dataset.
$line =~ s/\btinyint(?:\(\d+\))?\b/smallint/gi;
Enum Field type
Enum fields are a little more complex, while enums exist in PostgreSQL, they require creating custom types.
To avoid duplicating custom types, it is better to plan out what enum types are required and create the minimum number of custom types needed for your schema. Custom types are not table specific, one custom type can be used on multiple tables.
CREATE TYPE color_enum AS ENUM ('blue', 'green'); ... "shirt_color" color_enum NOT NULL DEFAULT 'blue', "pant_color" color_enum NOT NULL DEFAULT 'green', ...
The creation of the types would need to be done before the SQL is imported. The script could then be adjusted to use the custom types that have been created.
If there are multiple fields using enum('blue','green'), these should all be using the same enum custom type. Creating custom types for each individual field would not be good database design.
if ( $line =~ /"([^"]+)"\s+enum\(([^)]+)\)/ ) { my $column_name = $1; my $enum_values = $2; if ( $enum_values !~ /''/ ) { $enum_values .= ",''"; } my @items = $enum_values =~ /'([^']*)'/g; my $sorted_enum_values = join( ',', sort @items ); my $enum_type_name; if ( exists $enum_types{$sorted_enum_values} ) { $enum_type_name = $enum_types{$sorted_enum_values}; } else { $enum_type_name = create_enum_type_name($sorted_enum_values); $enum_types{$sorted_enum_values} = $enum_type_name; # Add CREATE TYPE statement to post-processing push @enum_lines, "CREATE TYPE $enum_type_name AS ENUM ($enum_values);\n"; } # Replace the line with the new ENUM type $line =~ s/enum\([^)]+\)/$enum_type_name/; }
Indexes
There are differences in how indexes are created. There are two variations of indexes, Indexes with character limitations and indexes without character limitations. Both of these needed to be handled and removed from the SQL and put into a separate SQL file to be run after the import is complete (run_after.sql).
if ($line =~ /^\s*KEY\s+/i) { if ($line =~ /KEY\s+"([^"]+)"\s+\("([^"]+)"\)/) { my $index_name = $1; my $column_name = $2; push @post_process_lines, "CREATE INDEX idx_${current_table}_$index_name ON \"$current_table\" (\"$column_name\");\n"; } elsif ($line =~ /KEY\s+"([^"]+)"\s+\("([^"]+)"\((\d+)\)\)/i) { my $index_name = $1; my $column_name = $2; my $prefix_length = $3; push @post_process_lines, "CREATE INDEX idx_${current_table}_$index_name ON \"$current_table\" (LEFT(\"$column_name\", $prefix_length));\n"; } next; }
Full text indexes work quite differently in PostgreSQL. To create full text index the index must convert the data into a vector.
The vector can then be indexed. There are two index types to choose from when indexing vectors. GIN and GiST. Both have pros and cons. Generally GIN is preferred over GiST. While GIN is slower building the index, it's faster for lookups.
if ( $line =~ /^\s*FULLTEXT\s+KEY\s+"([^"]+)"\s+\("([^"]+)"\)/i ) { my $index_name = $1; my $column_name = $2; push @post_process_lines, "CREATE INDEX idx_fts_${current_table}_$index_name ON \"$current_table\" USING GIN (to_tsvector('english', \"$column_name\"));\n"; next; }
Auto increment
PostgreSQL doesn't use the AUTOINCREMENT keyword, instead it uses GENERATED ALWAYS AS IDENTITY.
There is a catch with using GENERATED ALWAYS AS IDENTITY while importing data. GENERATED ALWAYS AS IDENTITY is not designed for importing IDs, When inserting a row into a table, the ID field cannot be specified. The ID value will be auto generated. Trying to insert your own IDs into the row will produce an error.
To work around this issue, the ID field can be set as SERIAL type instead of int GENERATED ALWAYS AS IDENTITY. SERIAL is much more flexible for imports, but it is not recommended to leave the field as SERIAL.
An alternative to using this method would be to add OVERRIDING SYSTEM VALUE into the insert query.
INSERT INTO table (id, name) OVERRIDING SYSTEM VALUE VALUES (100, 'A Name');
If you use SERIAL, some queries will need to be written into run_after.sql to change the SERIAL to GENERATED ALWAYS AS IDENTITY and reset the internal counter after the schema is created and the data has been inserted.
if ( $line =~ /^\s*"(\w+)"\s+(int|bigint)\s+NOT\s+NULL\s+AUTO_INCREMENT\s*,/i ) { my $column_name = $1; $line =~ s/^\s*"$column_name"\s+(int|bigint)\s+NOT\s+NULL\s+AUTO_INCREMENT\s*,/"$column_name" SERIAL,/; push @post_process_lines, "ALTER TABLE \"$current_table\" ALTER COLUMN \"$column_name\" DROP DEFAULT;\n"; push @post_process_lines, "DROP SEQUENCE ${current_table}_${column_name}_seq;\n"; push @post_process_lines, "ALTER TABLE \"$current_table\" ALTER COLUMN \"$column_name\" ADD GENERATED ALWAYS AS IDENTITY;\n"; push @post_process_lines, "SELECT setval('${current_table}_${column_name}_seq', (SELECT COALESCE(MAX(\"$column_name\"), 1) FROM \"$current_table\"));\n\n"; }
Schema results
Original schema after exporting from MySQL
DROP TABLE IF EXISTS "address_book"; /*!40101 SET @saved_cs_client = @@character_set_client */; /*!40101 SET character_set_client = utf8 */; CREATE TABLE "address_book" ( "id" int NOT NULL AUTO_INCREMENT, "user_id" varchar(50) NOT NULL, "common_name" varchar(50) NOT NULL, "display_name" varchar(50) NOT NULL, PRIMARY KEY ("id"), KEY "user_id" ("user_id") );
Processed main SQL file
DROP TABLE IF EXISTS "address_book"; CREATE TABLE "address_book" ( "id" SERIAL, "user_id" varchar(85) NOT NULL, "common_name" varchar(85) NOT NULL, "display_name" varchar(85) NOT NULL, PRIMARY KEY ("id") );
Run_after.sql
ALTER TABLE "address_book" ALTER COLUMN "id" DROP DEFAULT; DROP SEQUENCE address_book_id_seq; ALTER TABLE "address_book" ALTER COLUMN "id" ADD GENERATED ALWAYS AS IDENTITY; SELECT setval('address_book_id_seq', (SELECT COALESCE(MAX("id"), 1) FROM "address_book")); CREATE INDEX idx_address_book_user_id ON "address_book" ("user_id");
Its worth noting the index naming convention used in the migration. The index name includes both the table name and the field name. Index names have to be unique, not only within the table the index was added to, but the entire database, adding the table name and the column name reduces the chances of duplicates in your script.
Data processing
The biggest hurdle in migrating your database is getting the data into a format PostgreSQL accepts. There are some differences in how PostgreSQL stores data that requires extra attention.
Character sets
The dataset used for this article predated utf8mb4 and uses the old default of Latin1, the charset is not compatible with PostgreSQL default charset UTF8, it should be noted that PostgreSQL UTF8 also differs from MySQL's UTF8mb4.
The issue with migrating from Latin1 to UTF8 is how the data is stored. In Latin1 each character is a single byte, while in UTF8 the characters can be multibyte, up to 4 bytes.
An example of this is the word café
in Latin1 the data is stored as 4 bytes and in UTF8 as 5 bytes. During migration of character sets, the byte value is taken into account and can lead to truncated data in UTF8. PostgreSQL will error on this truncation.
To avoid truncation, add padding to affected Varchar fields.
It's worth noting that this same truncation issue could occur if you were changing character sets within MySQL.
Character Escaping
It's not uncommon to see backslash escaped single quotes stored in a database.
However, PostgreSQL doesn't support this by default. Instead, the ANSI SQL standard method of using double single quotes is used.
If the varchar field contains It\'s it would need to be changed to it''s
$line =~ s/\\'/\'\'/g;
Table Locking
In SQL dumps there are table locking calls before each insert.
LOCK TABLES "address_book" WRITE;
Generally it is unnecessary to manually lock a table in PostgreSQL.
PostgreSQL handles transactions by using Multi-Version Concurrency Control (MVCC). When a row is updated, it creates a new version. Once the old version is no longer in use, it will be removed. This means that table locking is often not needed. PostgreSQL will use locks along side MVCC to improve concurrency. Manually setting locks can negatively affect concurrency.
For this reason, removing the manual locks from the SQL dump and letting PostgreSQL handle the locks as needed is the better choice.
Importing data
The next step in the migration process is running the SQL files generated by the script. If the previous steps were done correctly this part should be a smooth action. What actually happens is the import picks up problems that went unseen in the prior steps, and requires going back and adjusting the scripts and trying again.
To run the SQL files sign into the Postgres database using Psql and run the import function
\i /path/to/converted_schema.sql
The two main errors to watch out for:
ERROR: value too long for type character varying(50)
This can be fixed by increasing varchar field character length as mentioned earlier.
ERROR: invalid command \n
This error can be caused by stray escaped single quotes, or other incompatible data values. To fix these, regex may need to be added to the data processing script to target the specific problem area.
Some of these errors require a harder look at the insert statements to find where the issues are. This can be challenging in a large SQL file. To help with this, write out the INSERT statements that were erroring to a separate, much smaller SQL file, which can more easily be studied to find the issues.
my %lines_to_debug = map { $_ => 1 } (1148, 1195); ... if (exists $lines_to_debug{$current_line_number}) { print $debug_data "$line"; }
Chunking Data
Regardless of what scripting language you choose to use for your migration, chunking data is going to be important on large SQL files.
For this script, the data was chunked into 1Mb chunks, which helped kept the script efficient. You should pick a chunk size that makes sense for your dataset.
my $bytes_read = read( $original_data, $chunk, $chunk_size );
Verifying Data
There are a few methods of verifying the data
Row Count
Doing a row count is an easy way to ensure at least all the rows were inserted. Count the rows in the old database and compare that to the rows in the new database.
SELECT count(*) FROM address_book
Checksum
Running a checksum across the columns may help, but bear in mind that some fields, especially varchar fields, could have been changed to ANSI standard format. So while this will work on some fields, it won't be accurate on all fields.
For MySQL
SELECT MD5(GROUP_CONCAT(COALESCE(user_id, '') ORDER BY id)) FROM address_book
For PostgreSQL
SELECT MD5(STRING_AGG(COALESCE(user_id, ''), '' ORDER BY id)) FROM address_book
Manual Data Check
You are going to want to verify the data through a manual process also. Run some queries that make sense, queries that would be likely to pick up issues with the import.
Final thoughts
Migrating databases is a large undertaking, but with careful planning and a good understanding of both your dataset and the differences between the two database systems, it can be completed successfully.
There is more to migrating to a new database than just the import, but a solid dataset migration will put you in a good place for the rest of the transition.
Scripts created for this migration can be found on Git Hub.
위 내용은 MySQL에서 PostgreSQL로 마이그레이션의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!

핫 AI 도구

Undresser.AI Undress
사실적인 누드 사진을 만들기 위한 AI 기반 앱

AI Clothes Remover
사진에서 옷을 제거하는 온라인 AI 도구입니다.

Undress AI Tool
무료로 이미지를 벗다

Clothoff.io
AI 옷 제거제

Video Face Swap
완전히 무료인 AI 얼굴 교환 도구를 사용하여 모든 비디오의 얼굴을 쉽게 바꾸세요!

인기 기사

뜨거운 도구

메모장++7.3.1
사용하기 쉬운 무료 코드 편집기

SublimeText3 중국어 버전
중국어 버전, 사용하기 매우 쉽습니다.

스튜디오 13.0.1 보내기
강력한 PHP 통합 개발 환경

드림위버 CS6
시각적 웹 개발 도구

SublimeText3 Mac 버전
신 수준의 코드 편집 소프트웨어(SublimeText3)

웹 응용 프로그램에서 MySQL의 주요 역할은 데이터를 저장하고 관리하는 것입니다. 1. MySQL은 사용자 정보, 제품 카탈로그, 트랜잭션 레코드 및 기타 데이터를 효율적으로 처리합니다. 2. SQL 쿼리를 통해 개발자는 데이터베이스에서 정보를 추출하여 동적 컨텐츠를 생성 할 수 있습니다. 3.mysql은 클라이언트-서버 모델을 기반으로 작동하여 허용 가능한 쿼리 속도를 보장합니다.

InnoDB는 Redologs 및 Undologs를 사용하여 데이터 일관성과 신뢰성을 보장합니다. 1. Redologs는 사고 복구 및 거래 지속성을 보장하기 위해 데이터 페이지 수정을 기록합니다. 2. 결점은 원래 데이터 값을 기록하고 트랜잭션 롤백 및 MVCC를 지원합니다.

다른 프로그래밍 언어와 비교할 때 MySQL은 주로 데이터를 저장하고 관리하는 데 사용되는 반면 Python, Java 및 C와 같은 다른 언어는 논리적 처리 및 응용 프로그램 개발에 사용됩니다. MySQL은 데이터 관리 요구에 적합한 고성능, 확장 성 및 크로스 플랫폼 지원으로 유명하며 다른 언어는 데이터 분석, 엔터프라이즈 애플리케이션 및 시스템 프로그래밍과 같은 해당 분야에서 이점이 있습니다.

MySQL의 기본 작업에는 데이터베이스, 테이블 작성 및 SQL을 사용하여 데이터에서 CRUD 작업을 수행하는 것이 포함됩니다. 1. 데이터베이스 생성 : createAbasemy_first_db; 2. 테이블 만들기 : CreateTableBooks (idintauto_incrementprimarykey, titlevarchar (100) notnull, authorvarchar (100) notnull, published_yearint); 3. 데이터 삽입 : InsertIntobooks (Title, Author, Published_year) VA

MySQL은 웹 응용 프로그램 및 컨텐츠 관리 시스템에 적합하며 오픈 소스, 고성능 및 사용 편의성에 인기가 있습니다. 1) PostgreSQL과 비교하여 MySQL은 간단한 쿼리 및 높은 동시 읽기 작업에서 더 잘 수행합니다. 2) Oracle과 비교할 때 MySQL은 오픈 소스와 저렴한 비용으로 인해 중소 기업에서 더 인기가 있습니다. 3) Microsoft SQL Server와 비교하여 MySQL은 크로스 플랫폼 응용 프로그램에 더 적합합니다. 4) MongoDB와 달리 MySQL은 구조화 된 데이터 및 트랜잭션 처리에 더 적합합니다.

innodbbufferpool은 데이터와 인덱싱 페이지를 캐싱하여 디스크 I/O를 줄여 데이터베이스 성능을 향상시킵니다. 작업 원칙에는 다음이 포함됩니다. 1. 데이터 읽기 : BufferPool의 데이터 읽기; 2. 데이터 작성 : 데이터 수정 후 BufferPool에 쓰고 정기적으로 디스크로 새로 고치십시오. 3. 캐시 관리 : LRU 알고리즘을 사용하여 캐시 페이지를 관리합니다. 4. 읽기 메커니즘 : 인접한 데이터 페이지를 미리로드합니다. Bufferpool을 크기를 조정하고 여러 인스턴스를 사용하여 데이터베이스 성능을 최적화 할 수 있습니다.

MySQL은 테이블 구조 및 SQL 쿼리를 통해 구조화 된 데이터를 효율적으로 관리하고 외래 키를 통해 테이블 간 관계를 구현합니다. 1. 테이블을 만들 때 데이터 형식을 정의하고 입력하십시오. 2. 외래 키를 사용하여 테이블 간의 관계를 설정하십시오. 3. 인덱싱 및 쿼리 최적화를 통해 성능을 향상시킵니다. 4. 데이터 보안 및 성능 최적화를 보장하기 위해 데이터베이스를 정기적으로 백업 및 모니터링합니다.

MySQL은 데이터 저장, 관리 및 분석에 적합한 강력한 오픈 소스 데이터베이스 관리 시스템이기 때문에 학습 할 가치가 있습니다. 1) MySQL은 SQL을 사용하여 데이터를 작동하고 구조화 된 데이터 관리에 적합한 관계형 데이터베이스입니다. 2) SQL 언어는 MySQL과 상호 작용하는 열쇠이며 CRUD 작업을 지원합니다. 3) MySQL의 작동 원리에는 클라이언트/서버 아키텍처, 스토리지 엔진 및 쿼리 최적화가 포함됩니다. 4) 기본 사용에는 데이터베이스 및 테이블 작성이 포함되며 고급 사용량은 Join을 사용하여 테이블을 결합하는 것과 관련이 있습니다. 5) 일반적인 오류에는 구문 오류 및 권한 문제가 포함되며 디버깅 기술에는 구문 확인 및 설명 명령 사용이 포함됩니다. 6) 성능 최적화에는 인덱스 사용, SQL 문의 최적화 및 데이터베이스의 정기 유지 보수가 포함됩니다.
