PostgreSQL: Select data with a like on timestamp field

我们两清 提交于 2019-12-29 11:47:09

问题


I am trying to select data from a table, using a "like" on date field "date_checked" (timestamp). But I have this error :

SQLSTATE[42883]: Undefined function: 7 ERROR:  operator does not exist: timestamp without time zone

My request is :

SELECT my_table.id
FROM my_table
WHERE my_table.date_checker LIKE '2011-01-%'

I don't want to use :

SELECT my_table.id
FROM my_table
WHERE my_table.date_checker >= '2011-01-01 00:00:00' 
    AND  my_table.date_checker < '2011-02-01 00:00:00'

回答1:


It's all very well not "wanting to use" < and > with timestamps, but those operators can be converted into index scans, and a string-match... well, it can, but EWWWW.

Well, the error is occurring because you need to explicitly convert the timestamp to a string before using a string operation on it, e.g.:

date_checker::text LIKE '2011-01-%'

and I suppose you could then create an index on (date_checker::text) and that expression would become an index scan but.... EWWWW.




回答2:


Perhaps the date_trunc function would be more to your liking:

... WHERE date_trunc('month', my_table.date_checker) = '2011-01-01'

You can also put an index on that expression, if needed.




回答3:


If you need to do a comparison on some part of a timestamp, it's far better to use the EXTRACT() function. For example:

WHERE EXTRACT(YEAR FROM date_checker) = 2011
AND EXTRACT(MONTH FROM date_checker) = 1

Details of the different "fields" you can extract from a date are in the documentation.




回答4:


I don't believe you can do a like on a date column without converting it to a string representation first.

You can use the between query to select between two dates, for instance:

SELECT id FROM my_table WHERE date_checker BETWEEN '2011-01-01' AND '2011-02-01';



回答5:


Try this:

SELECT my_table.id
FROM my_table
WHERE CAST(my_table.date_checker AS VARCHAR) LIKE '2011-01-%';


来源:https://stackoverflow.com/questions/4799615/postgresql-select-data-with-a-like-on-timestamp-field

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!