tom_nb_ny
tom_nb_ny

Reputation: 180

How do I "copy" enum values from one enum column to another enum column?

I'm trying to copy the enum values between two columns in a table. The the two enum types have the same enum values:

UPDATE dogs SET breed = breed_old;
...
ERROR:  column "breed" is of type "breed" but expression is of type "breed_old"

I've also tried:

UPDATE dogs SET breed = breed_old::text;
...
ERROR:  column "breed" is of type "breed" but expression is of type text

Any help would be appreciated.

Upvotes: 0

Views: 1461

Answers (1)

Abelisto
Abelisto

Reputation: 15624

create type foo as enum ('a','b');
create type bar as enum ('a','b');

select 'a'::foo;
┌─────┐
│ foo │
├─────┤
│ a   │
└─────┘

select 'a'::foo::text;
┌──────┐
│ text │
├──────┤
│ a    │
└──────┘

select 'a'::foo::text::bar;
┌─────┐
│ bar │
├─────┤
│ a   │
└─────┘

Or probably more convenient:

update dogs set
    breed = case breed_old
        when 'val1' then 'val1'::breed
        when 'val2' then 'val2'::breed
        ...
    end;

Upvotes: 4

Related Questions