Oracle text search on multiple tables and joins

前端 未结 1 506
再見小時候
再見小時候 2021-01-03 11:40

I have the following SQL statement.

select emp_no,dob,dept_no from v_depts
where catsearch (emp_no,\'abc\',NULL) > 0
or
catsearch (dept_no,\'abc\',NULL) &         


        
相关标签:
1条回答
  • 2021-01-03 12:14

    I usually solve fulltext searches on multiple columns on different tables by materializing a structured XML view of them and then creating the index on the whole XML.

    This solution is generic and also give you freedom on search: the whole view or only a subpath. The drawback is managing the refresh of a MV who usually cannot be refreshed fast; but update of fulltext index usually isn't in real-time, too, so you can just schedulate it.

    -- Crating the view
    CREATE MATERIALIZED VIEW fulltext_helper
    NOLOGGING
    BUILD DEFERRED
    REFRESH COMPLETE ON DEMAND
    AS
    SELECT 
       a.dob, -- we don't need to fulltext on him
       XMLELEMENT(helper,
         XMLFOREST(a.emp_no AS emp_no, 
                  a.dept_no AS dept_no, 
                  b.emp_name AS emp_name)
       ) AS indexme
    FROM v_depts a 
    LEFT OUTER JOIN employee_details b
    ON (a.emp_no = b.emp_no);
    
    -- Creating the index
    BEGIN
        ctx_ddl.create_preference('fulltext_helper_lexer', 'BASIC_LEXER');
        ctx_ddl.create_preference('fulltext_helper_filter', 'NULL_FILTER');
    END;
    /
    CREATE INDEX fulltext_helper_index ON fulltext_helper (indexme)
    INDEXTYPE IS CTXSYS.CONTEXT PARAMETERS (
        'DATASTORE CTXSYS.DIRECT_DATASTORE
         LEXER fulltext_helper_lexer
         FILTER fulltext_helper_filter');
    
    -- Searching the whole data
    SELECT * FROM fulltext_helper
    WHERE contains(indexme, '{abc} INPATH (/helper)') > 0;
    
    -- Searching only on "empno"
    SELECT * FROM fulltext_helper
    WHERE contains(indexme, '{abc} INPATH (/helper/emp_no)') > 0;
    
    0 讨论(0)
提交回复
热议问题