Como outros apontaram
Não é possível renomear uma coluna, remover uma coluna ou adicionar ou remover restrições de uma tabela.
fonte: http://www.sqlite.org/lang_altertable.html
Enquanto você sempre pode criar uma nova tabela e soltar a mais antiga. Vou tentar explicar esta solução alternativa com um exemplo.
sqlite> .schema
CREATE TABLE person(
id INTEGER PRIMARY KEY,
first_name TEXT,
last_name TEXT,
age INTEGER,
height INTEGER
);
sqlite> select * from person ;
id first_name last_name age height
---------- ---------- ---------- ---------- ----------
0 john doe 20 170
1 foo bar 25 171
Agora você deseja remover a coluna height
desta tabela.
Crie outra tabela chamada new_person
sqlite> CREATE TABLE new_person(
...> id INTEGER PRIMARY KEY,
...> first_name TEXT,
...> last_name TEXT,
...> age INTEGER
...> ) ;
sqlite>
Agora copie os dados da tabela antiga
sqlite> INSERT INTO new_person
...> SELECT id, first_name, last_name, age FROM person ;
sqlite> select * from new_person ;
id first_name last_name age
---------- ---------- ---------- ----------
0 john doe 20
1 foo bar 25
sqlite>
Agora solte a person
tabela e renomeie new_person
paraperson
sqlite> DROP TABLE IF EXISTS person ;
sqlite> ALTER TABLE new_person RENAME TO person ;
sqlite>
Então agora, se você fizer um .schema
, verá
sqlite>.schema
CREATE TABLE "person"(
id INTEGER PRIMARY KEY,
first_name TEXT,
last_name TEXT,
age INTEGER
);