SlideShare une entreprise Scribd logo
1  sur  47
Hacking Lucene for
Custom Search Results
Doug Turnbull
Search Relevancy Expert, OpenSource Connections
Hello
Me
@softwaredoug
dturnbull@o19s.com
Us
OpenSource Connections
@o19s
http://o19s.com
- Trusted Advisors in Search, Discovery &
Analytics
OpenSource Connections
Related Resources
• Code for this talk can be found here:
o https://github.com/o19s/lucene-query-example
• Blog Articles:
o Build Your Own Custom Lucene Query and Scorer:
http://www.opensourceconnections.com/2014/01
/20/build-your-own-custom-lucene-query-and-
scorer/
o Using Custom Score Query for Custom Solr/Lucene
Scoring:
http://www.opensourceconnections.com/2014/03
/12/using-customscorequery-for-custom-
solrlucene-scoring/
OpenSource Connections
Tough Search Problems
• We have demanding users!
OpenSource Connections
Switch these two!
Tough Search Problems
• Demanding users!
OpenSource Connections
WRONG!
Make search do
what is in my head!
Tough Search Problems
• Our Eternal Problem:
o Customers don’t care about the technology
field of Information Retrieval: they just want
results
o BUT we are constrained by the tech!
OpenSource Connections
This is how
a search
engine
works!
In one ear Out the other
/dev/null
Satisfying User Expectations
• Easy: The Search Relevancy Game:
o Solr query operations (boosts, etc)
o Analysis of query/index to enhance matching
• Medium: Forget this, lets write some Java
o Solr query parsers. Reuse existing Lucene Queries to get
closer to user needs
OpenSource Connections
That Still Didn’t Work
• Look at him, he’s angrier than ever!
• For the toughest problems, we’ve made
search complex and brittle
• WHACK-A-MOLE:
o Fix one problem, cause another
o We give up,
OpenSource Connections
Next Level
• Hard: Custom Lucene Scoring – implement a query
and scorer to explicitly control matching and
scoring
OpenSource Connections
This is the Nuclear Option!
Shameless Plug
• How do we know if we’re making progress?
OpenSource Connections
• Quepid! – our search test driven workbench
o http://quepid.com
Lucene Lets Review
• At some point we wrote a Lucene index to a
directory
• Boilerplate (open up the index):
OpenSource Connections
Directory d = new RAMDirectory();
IndexReader ir = DirectoryReader.open(d);
IndexSearcher is = new IndexSearcher(ir);
Boilerplate setup of:
• Directory Lucene’s handle to
the FS
• IndexReader – Access to
Lucene’s data structures
• IndexSearcher – use index
searcher to perform search
Lucene Lets Review
• Queries:
• Queries That Combine Queries
OpenSource Connections
Make a Query and Search!
• TermQuery: basic term
search for a field
Term termToFind = new Term("tag", "space");
TermQuery spaceQ = new TermQuery(termToFind);
termToFind = new Term("tag", "star-trek");
TermQuery starTrekQ = new TermQuery(termToFind);
BooleanQuery bq = new BooleanQuery();
BooleanClause bClause = new BooleanClause(spaceQ, Occur.MUST);
BooleanClause bClause2 = new BooleanClause(starTrekQ, Occur.SHOULD);
bq.add(bClause);
bq.add(bClause2);
Lucene Lets Review
• Query responsible for specifying search behavior
• Both:
o Matching – what documents to include in the results
o Scoring – how relevant is a result to the query by assigning
a score
OpenSource Connections
Lucene Queries, 30,000 ft view
OpenSource Connections
LuceneQuery
IndexReader
Find
next
Match
IndexSearcher
Aka, “not really accurate, but what to tell your boss to not confuse them”
Next Match Plz
Here ya go
Score That Plz
Calc.
score
Score of last doc
First Stop CustomScoreQuery
• Wrap a query but override its score
OpenSource Connections
CustomScoreQuery
LuceneQuery
Find
next
Match
Calc.
score
CustomScoreProvider
Rescore doc
New Score
Next Match Plz
Here ya go
Score That Plz
Score of last doc
Result:
- Matching Behavior unchanged
- Scoring completely overriden
A chance to reorder results of a Lucene
Query by tweaking scoring
How to use?
• Use a normal Lucene query for matching
Term t = new Term("tag", "star-trek");
TermQuery tq = new TermQuery(t);
• Create & Use a CustomQueryScorer for scoring that
wraps the Lucene query
CountingQuery ct = new CountingQuery(tq);
OpenSource Connections
Implementation
• Extend CustomScoreQuery, provide a
CustomScoreProvider
OpenSource Connections
protected CustomScoreProvider getCustomScoreProvider(
AtomicReaderContext context) throws IOException {
return new CountingQueryScoreProvider("tag", context);
}
(boilerplate omitted)
Implementation
• CustomScoreProvider rescores each doc with
IndexReader & docId
OpenSource Connections
// Give all docs a score of 1.0
public float customScore(int doc, float subQueryScore, float
valSrcScores[]) throws IOException {
return (float)(1.0f); // New Score
}
Implementation
• Example: Sort by number of terms in a field
OpenSource Connections
// Rescores by counting the number of terms in the field
public float customScore(int doc, float subQueryScore, float
valSrcScores[]) throws IOException {
IndexReader r = context.reader();
Terms tv = r.getTermVector(doc, _field);
TermsEnum termsEnum = null;
termsEnum = tv.iterator(termsEnum);
int numTerms = 0;
while((termsEnum.next()) != null) {
numTerms++;
}
return (float)(numTerms); // New Score
}
CustomScoreQuery, Takeaway
• SIMPLE!
o Relatively few gotchas or bells & whistles (we will see lots of
gotchas)
• Limited
o No tight control on what matches
• If this satisfies your requirements: You should get off
the train here
OpenSource Connections
Lucene Circle Back
• I care about overriding scoring
o CustomScoreQuery
• I need to control custom scoring and matching
o Custom Lucene Queries!
OpenSource Connections
Example – Backwards Query
• Search for terms backwards!
o Instead of banana, lets create a query that finds ananab
matches and scores the document (5.0)
o But lets also match forward terms (banana), but with a
lower score (1.0)
• Disclaimer: its probably possible to do this with
easier means!
https://github.com/o19s/lucene-query-example/
OpenSource Connections
Lucene Queries, 30,000 ft view
OpenSource Connections
LuceneQuery
IndexReader
Find
next
Match
IndexSearcher
Aka, “not really accurate, but what to tell your boss to not confuse them”
Next Match Plz
Here ya go
Score That Plz
Calc.
score
Score of last doc
Anatomy of Lucene Query
OpenSource Connections
LuceneQuery
Weight
Scorer
A Tale Of Three Classes:
• Queries Create Weights:
• Query-level stats for this
search
• Think “IDF” when you
hear weights
• Weights Create Scorers:
• Heavy Lifting, reports
matches and returns a
score
Weight & Scorer are inner classes of Query
Next Match Plz
Here ya go
Score That Plz
Score of last doc
Find
next
Match
Calc.
score
Backwards Query Outline
OpenSource Connections
class BacwkardsQuery {
class BackwardsScorer {
// matching & scoring functionality
}
class BackwardsWeight {
// query normalization and other “global” stats
public Scorer scorer(AtomicReaderContext context, …)
}
public Weight createWeight(IndexSearcher)
}
How are these used?
OpenSource Connections
Query q = new BackwardsQuery();
idxSearcher.search(q);
This Setup Happens:
When you do:
Weight w = q.createWeight(idxSearcher);
normalize(w);
foreach IndexReader idxReader:
Scorer s = w.scorer(idxReader);
Important to know how Lucene is calling your code
Weight
OpenSource Connections
Weight w = q.createWeight(idxSearcher);
normalize(w);
What should we do with our weight?
IndexSearcher Level Stats
- Notice we pass the IndexSearcher when we create the weight
- Weight tracks IndexSearcher level statistics used for scoring
Query Normalization
- Weight also participates in query normalization
Remember – its your Weight! Weight can be a no-op and just create searchers
Weight & Query Normalization
OpenSource Connections
Query Normalization – an optional little ritual to take your Weight
instance through:
float v = weight.getValueForNormalization();
float norm = getSimilarity().queryNorm(v);
weight.normalize(norm, 1.0f);
What I think my weight is
Normalize that weight
against global statistics
Pass back the normalized stats
Weight & Query Normalization
• For TermQuery:
o The result of all this ceremony is the IDF (inverse document
frequency of the term).
• This code is fairly abstract
o All three steps are pluggable, and can be totally ignored
OpenSource Connections
float v = weight.getValueForNormalization();
float norm = getSimilarity().queryNorm(v);
weight.normalize(norm, 1.0f);
BackwardsWeight
• Custom Weight that completely ignores query
normalization:
OpenSource Connections
@Override
public float getValueForNormalization() throws IOException {
return 0.0f;
}
@Override
public void normalize(float norm, float topLevelBoost) {
// no-op
}
Weights make Scorers!
• Scorers Have Two Jobs:
o Match! – iterator interface over matching results
o Score! – score the current match
OpenSource Connections
@Override
public Scorer scorer(AtomicReaderContext context, boolean
scoreDocsInOrder, boolean topScorer, Bits acceptDocs) throws
IOException {
return new BackwardsScorer(...);
}
Scorer as an iterator
Inherits the following from DocsEnum:
• nextDoc()
o Next match
• advance(int docId) –
o Seek to the specified docId
• docID()
o Id of the current document we’re on
Oh and, from Scorer
• score()
o Score the current docID()
OpenSource Connections
DocsEnum
Scorer
DocIdSetIterator
In other words…
• Remember THIS?
OpenSource Connections
LuceneQuery
IndexReader
Find
next
Match
IndexSearcher
Next Match Plz
Here ya go
Score That Plz
Calc.
score
Score of curr doc
LuceneQueryLuceneScorer
…Actually…
nextDoc()
score()
Scorer == Engine of the Query
What would nextDoc look like
• Remember search is an inverted index
o Much like a book index
o Fields -> Terms -> Documents!
OpenSource Connections
IndexReader == our handle to inverted index:
• Much like an index. Given term, return list
of doc ids
• TermsEnum:
• Enumeration of terms (actual logical
index of terms)
• DocsEnum
• Enum. of corresponding docIDs (like
list of pages next to term)
What would nextDoc look like?
OpenSource Connections
IndexReader
Find
next
Match
Calc.
score
LuceneScorerfinal TermsEnum termsEnum =
reader.terms(term.field()).iterator(null);
termsEnum.seekExact(term.bytes(), state);
• TermsEnum to lookup info for a Term:
DocsEnum docs = termsEnum.docs(acceptDocs, null);
• Each term has a DocsEnum that lists the
docs that contain this term:
What would nextDoc look like?
OpenSource Connections
IndexReader
Find
next
Match
Calc.
score
LuceneScorer
@Override
public int nextDoc() throws IOException {
return docs.nextDoc();
}
• Wrapping this enum, now I can return matches
for this term!
• You’ve just implemented TermQuery!
BackwardsScorer nextDoc
• Later, when creating a Scorer. Get a handle to
DocsEnum for our backwards term:
OpenSource Connections
public Scorer scorer(AtomicReaderContext context, boolean scoreDocsInOrder,
boolean topScorer, Bits acceptDocs) throws IOException {
Term bwdsTerm = BackwardsQuery.this.backwardsTerm;
TermsEnum bwdsTerms = context.reader().terms(bwdsTerm.field()).iterator(null);
bwdsTerms.seekExact(bwdsTerm.bytes());
DocsEnum bwdsDocs = bwdsTerms.docs(acceptDocs, null);
• Recall our Query has a Backwards Term (ananab):
public BackwardsQuery(String field, String term) {
backwardsTerm = new Term(field, new StringBuilder(term).reverse().toString());
...
}
Terrifying and verbose Lucene speak for:
1. Seek to term in field via TermsEnum
2. Give me a DocsEnum of matching docs
BackwardsScorer nextDoc
• Our scorer has bwdDocs and fwdDocs, our nextDoc
just walks both:
OpenSource Connections
@Override
public int nextDoc() throws IOException {
int currDocId = docID();
// increment one or both
if (currDocId == backwardsScorer.docID()) {
backwardsScorer.nextDoc();
}
if (currDocId == forwardsScorer.docID()) {
forwardsScorer.nextDoc();
}
return docID();
}
Scorer for scores!
• Score is easy! Implement
score, do whatever you want!
OpenSource Connections
IndexReader
Find
next
Match
Calc.
score
LuceneScorer@Override
public float score() throws
IOException {
return 1.0f;
}
We call docID() in nextDoc()
BackwardsScorer Score
• Recall, match a backwards term (ananab)score =
5.0, fwd term (banana) score = 1.0
• We hook into docID, update score based on
current posn
OpenSource Connections
@Override
public int docID() {
int backwordsDocId = backwardsScorer.docID();
int forwardsDocId = forwardsScorer.docID();
if (backwordsDocId <= forwardsDocId && backwordsDocId != NO_MORE_DOCS) {
currScore = BACKWARDS_SCORE;
return backwordsDocId;
} else if (forwardsDocId != NO_MORE_DOCS) {
currScore = FORWARDS_SCORE;
return forwardsDocId;
}
return NO_MORE_DOCS;
}
Currently positioned on a
bwds doc, set currScore to 5.0
Currently positioned on a fwd
doc, set currScore to 1.0
BackwardsScorer Score
• For completeness sake, here’s our
score:
OpenSource Connections
@Override
public float score() throws
IOException {
return currScore;
}
IndexReader
Find
next
Match
Calc.
score
LuceneScorer
So many gotchas!
• Ultimate POWER! But You will have weird bugs:
o Do all of your searches return the results of your first query?
• In Query Implement hashCode and equals
o Weird/Random Test Failures
• Test using LuceneTestCase to ferret out common Lucene bugs
o Randomized testing w/ different codecs etc
o IndexReader methods have a certain ritual and very specific
rules, (enums must be primed, etc)
OpenSource Connections
Extras
• Query rewrite method
o Optional, recognize you are a complex query, turn yourself
into a simpler one
• BooleanQuery with 1 clause -> return just one clause
• Weight has optional explain
o Useful for debugging in Solr
o Pretty straight-forward API
OpenSource Connections
Conclusions!
• These are nuclear options!
o You can achieve SO MUCH before
you get here (at much less
complexity)
o There’s certainly a way to do what
you’ve seen without this level of
control
• Fun way to learn about Lucene!
OpenSource Connections
QUESTIONS?
OpenSource Connections
Feel free to contact me
dturnbull@opensourceconnections.com
@softwaredoug
OpenSource Connections

Contenu connexe

En vedette

Building specialized industry applications using Solr, and migration from FAS...
Building specialized industry applications using Solr, and migration from FAS...Building specialized industry applications using Solr, and migration from FAS...
Building specialized industry applications using Solr, and migration from FAS...
Lucidworks (Archived)
 
Tennis
TennisTennis
Tennis
aritz
 
across the universe
across the universeacross the universe
across the universe
tanica
 
Tv ролики
Tv роликиTv ролики
Tv ролики
tarodnova
 

En vedette (19)

Discover the new techniques about search application
Discover the new techniques about search applicationDiscover the new techniques about search application
Discover the new techniques about search application
 
Noche Estrellada
Noche EstrelladaNoche Estrellada
Noche Estrellada
 
The Gaiety Hotel
The Gaiety HotelThe Gaiety Hotel
The Gaiety Hotel
 
Building specialized industry applications using Solr, and migration from FAS...
Building specialized industry applications using Solr, and migration from FAS...Building specialized industry applications using Solr, and migration from FAS...
Building specialized industry applications using Solr, and migration from FAS...
 
Integration of apache solr with crawlers
Integration of apache solr with crawlersIntegration of apache solr with crawlers
Integration of apache solr with crawlers
 
"Search, APIs,Capability Management and the Sensis Journey"
"Search, APIs,Capability Management and the Sensis Journey""Search, APIs,Capability Management and the Sensis Journey"
"Search, APIs,Capability Management and the Sensis Journey"
 
基于成本代理模型的Ip长途网络成本仿真研究
基于成本代理模型的Ip长途网络成本仿真研究基于成本代理模型的Ip长途网络成本仿真研究
基于成本代理模型的Ip长途网络成本仿真研究
 
Tennis
TennisTennis
Tennis
 
Column Stride Fields aka. DocValues
Column Stride Fields aka. DocValuesColumn Stride Fields aka. DocValues
Column Stride Fields aka. DocValues
 
ICT Tool Sharing
ICT Tool SharingICT Tool Sharing
ICT Tool Sharing
 
корея
кореякорея
корея
 
across the universe
across the universeacross the universe
across the universe
 
第4回「ブラウザー勉強会」オープニング トーク
第4回「ブラウザー勉強会」オープニング トーク第4回「ブラウザー勉強会」オープニング トーク
第4回「ブラウザー勉強会」オープニング トーク
 
Updated: Getting Ready for Due-Diligence
Updated:  Getting Ready for Due-DiligenceUpdated:  Getting Ready for Due-Diligence
Updated: Getting Ready for Due-Diligence
 
Joan Miro
Joan MiroJoan Miro
Joan Miro
 
Center for Enterprise Innovation (CEI) Summary for HREDA, 9-25-14
Center for Enterprise Innovation (CEI) Summary for HREDA, 9-25-14Center for Enterprise Innovation (CEI) Summary for HREDA, 9-25-14
Center for Enterprise Innovation (CEI) Summary for HREDA, 9-25-14
 
Tv ролики
Tv роликиTv ролики
Tv ролики
 
Ob12 01st
Ob12 01stOb12 01st
Ob12 01st
 
What’s New in Apache Lucene 2.9
What’s New in Apache Lucene 2.9What’s New in Apache Lucene 2.9
What’s New in Apache Lucene 2.9
 

Plus de Lucidworks (Archived)

Chicago Solr Meetup - June 10th: This Ain't Your Parents' Search Engine
Chicago Solr Meetup - June 10th: This Ain't Your Parents' Search EngineChicago Solr Meetup - June 10th: This Ain't Your Parents' Search Engine
Chicago Solr Meetup - June 10th: This Ain't Your Parents' Search Engine
Lucidworks (Archived)
 
Chicago Solr Meetup - June 10th: Exploring Hadoop with Search
Chicago Solr Meetup - June 10th: Exploring Hadoop with SearchChicago Solr Meetup - June 10th: Exploring Hadoop with Search
Chicago Solr Meetup - June 10th: Exploring Hadoop with Search
Lucidworks (Archived)
 
Minneapolis Solr Meetup - May 28, 2014: Target.com Search
Minneapolis Solr Meetup - May 28, 2014: Target.com SearchMinneapolis Solr Meetup - May 28, 2014: Target.com Search
Minneapolis Solr Meetup - May 28, 2014: Target.com Search
Lucidworks (Archived)
 
Exploration of multidimensional biomedical data in pub chem, Presented by Lia...
Exploration of multidimensional biomedical data in pub chem, Presented by Lia...Exploration of multidimensional biomedical data in pub chem, Presented by Lia...
Exploration of multidimensional biomedical data in pub chem, Presented by Lia...
Lucidworks (Archived)
 
Unstructured Or: How I Learned to Stop Worrying and Love the xml, Presented...
Unstructured   Or: How I Learned to Stop Worrying and Love the xml, Presented...Unstructured   Or: How I Learned to Stop Worrying and Love the xml, Presented...
Unstructured Or: How I Learned to Stop Worrying and Love the xml, Presented...
Lucidworks (Archived)
 
Building a Lightweight Discovery Interface for Chinese Patents, Presented by ...
Building a Lightweight Discovery Interface for Chinese Patents, Presented by ...Building a Lightweight Discovery Interface for Chinese Patents, Presented by ...
Building a Lightweight Discovery Interface for Chinese Patents, Presented by ...
Lucidworks (Archived)
 
Big Data Challenges, Presented by Wes Caldwell at SolrExchage DC
Big Data Challenges, Presented by Wes Caldwell at SolrExchage DCBig Data Challenges, Presented by Wes Caldwell at SolrExchage DC
Big Data Challenges, Presented by Wes Caldwell at SolrExchage DC
Lucidworks (Archived)
 
What's New in Lucene/Solr Presented by Grant Ingersoll at SolrExchage DC
What's New  in Lucene/Solr Presented by Grant Ingersoll at SolrExchage DCWhat's New  in Lucene/Solr Presented by Grant Ingersoll at SolrExchage DC
What's New in Lucene/Solr Presented by Grant Ingersoll at SolrExchage DC
Lucidworks (Archived)
 
Solr At AOL, Presented by Sean Timm at SolrExchage DC
Solr At AOL, Presented by Sean Timm at SolrExchage DCSolr At AOL, Presented by Sean Timm at SolrExchage DC
Solr At AOL, Presented by Sean Timm at SolrExchage DC
Lucidworks (Archived)
 
Intro to Solr Cloud, Presented by Tim Potter at SolrExchage DC
Intro to Solr Cloud, Presented by Tim Potter at SolrExchage DCIntro to Solr Cloud, Presented by Tim Potter at SolrExchage DC
Intro to Solr Cloud, Presented by Tim Potter at SolrExchage DC
Lucidworks (Archived)
 
Test Driven Relevancy, Presented by Doug Turnbull at SolrExchage DC
Test Driven Relevancy, Presented by Doug Turnbull at SolrExchage DCTest Driven Relevancy, Presented by Doug Turnbull at SolrExchage DC
Test Driven Relevancy, Presented by Doug Turnbull at SolrExchage DC
Lucidworks (Archived)
 

Plus de Lucidworks (Archived) (20)

Integrating Hadoop & Solr
Integrating Hadoop & SolrIntegrating Hadoop & Solr
Integrating Hadoop & Solr
 
The Data-Driven Paradigm
The Data-Driven ParadigmThe Data-Driven Paradigm
The Data-Driven Paradigm
 
Downtown SF Lucene/Solr Meetup - September 17: Thoth: Real-time Solr Monitori...
Downtown SF Lucene/Solr Meetup - September 17: Thoth: Real-time Solr Monitori...Downtown SF Lucene/Solr Meetup - September 17: Thoth: Real-time Solr Monitori...
Downtown SF Lucene/Solr Meetup - September 17: Thoth: Real-time Solr Monitori...
 
SFBay Area Solr Meetup - July 15th: Integrating Hadoop and Solr
 SFBay Area Solr Meetup - July 15th: Integrating Hadoop and Solr SFBay Area Solr Meetup - July 15th: Integrating Hadoop and Solr
SFBay Area Solr Meetup - July 15th: Integrating Hadoop and Solr
 
SFBay Area Solr Meetup - June 18th: Box + Solr = Content Search for Business
SFBay Area Solr Meetup - June 18th: Box + Solr = Content Search for BusinessSFBay Area Solr Meetup - June 18th: Box + Solr = Content Search for Business
SFBay Area Solr Meetup - June 18th: Box + Solr = Content Search for Business
 
SFBay Area Solr Meetup - June 18th: Benchmarking Solr Performance
SFBay Area Solr Meetup - June 18th: Benchmarking Solr PerformanceSFBay Area Solr Meetup - June 18th: Benchmarking Solr Performance
SFBay Area Solr Meetup - June 18th: Benchmarking Solr Performance
 
Chicago Solr Meetup - June 10th: This Ain't Your Parents' Search Engine
Chicago Solr Meetup - June 10th: This Ain't Your Parents' Search EngineChicago Solr Meetup - June 10th: This Ain't Your Parents' Search Engine
Chicago Solr Meetup - June 10th: This Ain't Your Parents' Search Engine
 
Chicago Solr Meetup - June 10th: Exploring Hadoop with Search
Chicago Solr Meetup - June 10th: Exploring Hadoop with SearchChicago Solr Meetup - June 10th: Exploring Hadoop with Search
Chicago Solr Meetup - June 10th: Exploring Hadoop with Search
 
What's new in solr june 2014
What's new in solr june 2014What's new in solr june 2014
What's new in solr june 2014
 
Minneapolis Solr Meetup - May 28, 2014: eCommerce Search with Apache Solr
Minneapolis Solr Meetup - May 28, 2014: eCommerce Search with Apache SolrMinneapolis Solr Meetup - May 28, 2014: eCommerce Search with Apache Solr
Minneapolis Solr Meetup - May 28, 2014: eCommerce Search with Apache Solr
 
Minneapolis Solr Meetup - May 28, 2014: Target.com Search
Minneapolis Solr Meetup - May 28, 2014: Target.com SearchMinneapolis Solr Meetup - May 28, 2014: Target.com Search
Minneapolis Solr Meetup - May 28, 2014: Target.com Search
 
Exploration of multidimensional biomedical data in pub chem, Presented by Lia...
Exploration of multidimensional biomedical data in pub chem, Presented by Lia...Exploration of multidimensional biomedical data in pub chem, Presented by Lia...
Exploration of multidimensional biomedical data in pub chem, Presented by Lia...
 
Unstructured Or: How I Learned to Stop Worrying and Love the xml, Presented...
Unstructured   Or: How I Learned to Stop Worrying and Love the xml, Presented...Unstructured   Or: How I Learned to Stop Worrying and Love the xml, Presented...
Unstructured Or: How I Learned to Stop Worrying and Love the xml, Presented...
 
Building a Lightweight Discovery Interface for Chinese Patents, Presented by ...
Building a Lightweight Discovery Interface for Chinese Patents, Presented by ...Building a Lightweight Discovery Interface for Chinese Patents, Presented by ...
Building a Lightweight Discovery Interface for Chinese Patents, Presented by ...
 
Big Data Challenges, Presented by Wes Caldwell at SolrExchage DC
Big Data Challenges, Presented by Wes Caldwell at SolrExchage DCBig Data Challenges, Presented by Wes Caldwell at SolrExchage DC
Big Data Challenges, Presented by Wes Caldwell at SolrExchage DC
 
What's New in Lucene/Solr Presented by Grant Ingersoll at SolrExchage DC
What's New  in Lucene/Solr Presented by Grant Ingersoll at SolrExchage DCWhat's New  in Lucene/Solr Presented by Grant Ingersoll at SolrExchage DC
What's New in Lucene/Solr Presented by Grant Ingersoll at SolrExchage DC
 
Solr At AOL, Presented by Sean Timm at SolrExchage DC
Solr At AOL, Presented by Sean Timm at SolrExchage DCSolr At AOL, Presented by Sean Timm at SolrExchage DC
Solr At AOL, Presented by Sean Timm at SolrExchage DC
 
Intro to Solr Cloud, Presented by Tim Potter at SolrExchage DC
Intro to Solr Cloud, Presented by Tim Potter at SolrExchage DCIntro to Solr Cloud, Presented by Tim Potter at SolrExchage DC
Intro to Solr Cloud, Presented by Tim Potter at SolrExchage DC
 
Test Driven Relevancy, Presented by Doug Turnbull at SolrExchage DC
Test Driven Relevancy, Presented by Doug Turnbull at SolrExchage DCTest Driven Relevancy, Presented by Doug Turnbull at SolrExchage DC
Test Driven Relevancy, Presented by Doug Turnbull at SolrExchage DC
 
Building a data driven search application with LucidWorks SiLK
Building a data driven search application with LucidWorks SiLKBuilding a data driven search application with LucidWorks SiLK
Building a data driven search application with LucidWorks SiLK
 

Dernier

+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...
+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...
+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...
?#DUbAI#??##{{(☎️+971_581248768%)**%*]'#abortion pills for sale in dubai@
 
Cloud Frontiers: A Deep Dive into Serverless Spatial Data and FME
Cloud Frontiers:  A Deep Dive into Serverless Spatial Data and FMECloud Frontiers:  A Deep Dive into Serverless Spatial Data and FME
Cloud Frontiers: A Deep Dive into Serverless Spatial Data and FME
Safe Software
 

Dernier (20)

Strategize a Smooth Tenant-to-tenant Migration and Copilot Takeoff
Strategize a Smooth Tenant-to-tenant Migration and Copilot TakeoffStrategize a Smooth Tenant-to-tenant Migration and Copilot Takeoff
Strategize a Smooth Tenant-to-tenant Migration and Copilot Takeoff
 
Apidays New York 2024 - Scaling API-first by Ian Reasor and Radu Cotescu, Adobe
Apidays New York 2024 - Scaling API-first by Ian Reasor and Radu Cotescu, AdobeApidays New York 2024 - Scaling API-first by Ian Reasor and Radu Cotescu, Adobe
Apidays New York 2024 - Scaling API-first by Ian Reasor and Radu Cotescu, Adobe
 
AWS Community Day CPH - Three problems of Terraform
AWS Community Day CPH - Three problems of TerraformAWS Community Day CPH - Three problems of Terraform
AWS Community Day CPH - Three problems of Terraform
 
GenAI Risks & Security Meetup 01052024.pdf
GenAI Risks & Security Meetup 01052024.pdfGenAI Risks & Security Meetup 01052024.pdf
GenAI Risks & Security Meetup 01052024.pdf
 
From Event to Action: Accelerate Your Decision Making with Real-Time Automation
From Event to Action: Accelerate Your Decision Making with Real-Time AutomationFrom Event to Action: Accelerate Your Decision Making with Real-Time Automation
From Event to Action: Accelerate Your Decision Making with Real-Time Automation
 
Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...
Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...
Mastering MySQL Database Architecture: Deep Dive into MySQL Shell and MySQL R...
 
+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...
+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...
+971581248768>> SAFE AND ORIGINAL ABORTION PILLS FOR SALE IN DUBAI AND ABUDHA...
 
Cloud Frontiers: A Deep Dive into Serverless Spatial Data and FME
Cloud Frontiers:  A Deep Dive into Serverless Spatial Data and FMECloud Frontiers:  A Deep Dive into Serverless Spatial Data and FME
Cloud Frontiers: A Deep Dive into Serverless Spatial Data and FME
 
Understanding Discord NSFW Servers A Guide for Responsible Users.pdf
Understanding Discord NSFW Servers A Guide for Responsible Users.pdfUnderstanding Discord NSFW Servers A Guide for Responsible Users.pdf
Understanding Discord NSFW Servers A Guide for Responsible Users.pdf
 
Automating Google Workspace (GWS) & more with Apps Script
Automating Google Workspace (GWS) & more with Apps ScriptAutomating Google Workspace (GWS) & more with Apps Script
Automating Google Workspace (GWS) & more with Apps Script
 
Deploy with confidence: VMware Cloud Foundation 5.1 on next gen Dell PowerEdg...
Deploy with confidence: VMware Cloud Foundation 5.1 on next gen Dell PowerEdg...Deploy with confidence: VMware Cloud Foundation 5.1 on next gen Dell PowerEdg...
Deploy with confidence: VMware Cloud Foundation 5.1 on next gen Dell PowerEdg...
 
Scaling API-first – The story of a global engineering organization
Scaling API-first – The story of a global engineering organizationScaling API-first – The story of a global engineering organization
Scaling API-first – The story of a global engineering organization
 
🐬 The future of MySQL is Postgres 🐘
🐬  The future of MySQL is Postgres   🐘🐬  The future of MySQL is Postgres   🐘
🐬 The future of MySQL is Postgres 🐘
 
Exploring the Future Potential of AI-Enabled Smartphone Processors
Exploring the Future Potential of AI-Enabled Smartphone ProcessorsExploring the Future Potential of AI-Enabled Smartphone Processors
Exploring the Future Potential of AI-Enabled Smartphone Processors
 
Polkadot JAM Slides - Token2049 - By Dr. Gavin Wood
Polkadot JAM Slides - Token2049 - By Dr. Gavin WoodPolkadot JAM Slides - Token2049 - By Dr. Gavin Wood
Polkadot JAM Slides - Token2049 - By Dr. Gavin Wood
 
Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024
Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024
Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024
 
TrustArc Webinar - Unlock the Power of AI-Driven Data Discovery
TrustArc Webinar - Unlock the Power of AI-Driven Data DiscoveryTrustArc Webinar - Unlock the Power of AI-Driven Data Discovery
TrustArc Webinar - Unlock the Power of AI-Driven Data Discovery
 
Boost Fertility New Invention Ups Success Rates.pdf
Boost Fertility New Invention Ups Success Rates.pdfBoost Fertility New Invention Ups Success Rates.pdf
Boost Fertility New Invention Ups Success Rates.pdf
 
The 7 Things I Know About Cyber Security After 25 Years | April 2024
The 7 Things I Know About Cyber Security After 25 Years | April 2024The 7 Things I Know About Cyber Security After 25 Years | April 2024
The 7 Things I Know About Cyber Security After 25 Years | April 2024
 
2024: Domino Containers - The Next Step. News from the Domino Container commu...
2024: Domino Containers - The Next Step. News from the Domino Container commu...2024: Domino Containers - The Next Step. News from the Domino Container commu...
2024: Domino Containers - The Next Step. News from the Domino Container commu...
 

Custom Lucene Queries, Presented by Doug Turnbull at SolrExchage DC

  • 1.
  • 2. Hacking Lucene for Custom Search Results Doug Turnbull Search Relevancy Expert, OpenSource Connections
  • 3. Hello Me @softwaredoug dturnbull@o19s.com Us OpenSource Connections @o19s http://o19s.com - Trusted Advisors in Search, Discovery & Analytics OpenSource Connections
  • 4. Related Resources • Code for this talk can be found here: o https://github.com/o19s/lucene-query-example • Blog Articles: o Build Your Own Custom Lucene Query and Scorer: http://www.opensourceconnections.com/2014/01 /20/build-your-own-custom-lucene-query-and- scorer/ o Using Custom Score Query for Custom Solr/Lucene Scoring: http://www.opensourceconnections.com/2014/03 /12/using-customscorequery-for-custom- solrlucene-scoring/ OpenSource Connections
  • 5. Tough Search Problems • We have demanding users! OpenSource Connections Switch these two!
  • 6. Tough Search Problems • Demanding users! OpenSource Connections WRONG! Make search do what is in my head!
  • 7. Tough Search Problems • Our Eternal Problem: o Customers don’t care about the technology field of Information Retrieval: they just want results o BUT we are constrained by the tech! OpenSource Connections This is how a search engine works! In one ear Out the other /dev/null
  • 8. Satisfying User Expectations • Easy: The Search Relevancy Game: o Solr query operations (boosts, etc) o Analysis of query/index to enhance matching • Medium: Forget this, lets write some Java o Solr query parsers. Reuse existing Lucene Queries to get closer to user needs OpenSource Connections
  • 9. That Still Didn’t Work • Look at him, he’s angrier than ever! • For the toughest problems, we’ve made search complex and brittle • WHACK-A-MOLE: o Fix one problem, cause another o We give up, OpenSource Connections
  • 10. Next Level • Hard: Custom Lucene Scoring – implement a query and scorer to explicitly control matching and scoring OpenSource Connections This is the Nuclear Option!
  • 11. Shameless Plug • How do we know if we’re making progress? OpenSource Connections • Quepid! – our search test driven workbench o http://quepid.com
  • 12. Lucene Lets Review • At some point we wrote a Lucene index to a directory • Boilerplate (open up the index): OpenSource Connections Directory d = new RAMDirectory(); IndexReader ir = DirectoryReader.open(d); IndexSearcher is = new IndexSearcher(ir); Boilerplate setup of: • Directory Lucene’s handle to the FS • IndexReader – Access to Lucene’s data structures • IndexSearcher – use index searcher to perform search
  • 13. Lucene Lets Review • Queries: • Queries That Combine Queries OpenSource Connections Make a Query and Search! • TermQuery: basic term search for a field Term termToFind = new Term("tag", "space"); TermQuery spaceQ = new TermQuery(termToFind); termToFind = new Term("tag", "star-trek"); TermQuery starTrekQ = new TermQuery(termToFind); BooleanQuery bq = new BooleanQuery(); BooleanClause bClause = new BooleanClause(spaceQ, Occur.MUST); BooleanClause bClause2 = new BooleanClause(starTrekQ, Occur.SHOULD); bq.add(bClause); bq.add(bClause2);
  • 14. Lucene Lets Review • Query responsible for specifying search behavior • Both: o Matching – what documents to include in the results o Scoring – how relevant is a result to the query by assigning a score OpenSource Connections
  • 15. Lucene Queries, 30,000 ft view OpenSource Connections LuceneQuery IndexReader Find next Match IndexSearcher Aka, “not really accurate, but what to tell your boss to not confuse them” Next Match Plz Here ya go Score That Plz Calc. score Score of last doc
  • 16. First Stop CustomScoreQuery • Wrap a query but override its score OpenSource Connections CustomScoreQuery LuceneQuery Find next Match Calc. score CustomScoreProvider Rescore doc New Score Next Match Plz Here ya go Score That Plz Score of last doc Result: - Matching Behavior unchanged - Scoring completely overriden A chance to reorder results of a Lucene Query by tweaking scoring
  • 17. How to use? • Use a normal Lucene query for matching Term t = new Term("tag", "star-trek"); TermQuery tq = new TermQuery(t); • Create & Use a CustomQueryScorer for scoring that wraps the Lucene query CountingQuery ct = new CountingQuery(tq); OpenSource Connections
  • 18. Implementation • Extend CustomScoreQuery, provide a CustomScoreProvider OpenSource Connections protected CustomScoreProvider getCustomScoreProvider( AtomicReaderContext context) throws IOException { return new CountingQueryScoreProvider("tag", context); } (boilerplate omitted)
  • 19. Implementation • CustomScoreProvider rescores each doc with IndexReader & docId OpenSource Connections // Give all docs a score of 1.0 public float customScore(int doc, float subQueryScore, float valSrcScores[]) throws IOException { return (float)(1.0f); // New Score }
  • 20. Implementation • Example: Sort by number of terms in a field OpenSource Connections // Rescores by counting the number of terms in the field public float customScore(int doc, float subQueryScore, float valSrcScores[]) throws IOException { IndexReader r = context.reader(); Terms tv = r.getTermVector(doc, _field); TermsEnum termsEnum = null; termsEnum = tv.iterator(termsEnum); int numTerms = 0; while((termsEnum.next()) != null) { numTerms++; } return (float)(numTerms); // New Score }
  • 21. CustomScoreQuery, Takeaway • SIMPLE! o Relatively few gotchas or bells & whistles (we will see lots of gotchas) • Limited o No tight control on what matches • If this satisfies your requirements: You should get off the train here OpenSource Connections
  • 22. Lucene Circle Back • I care about overriding scoring o CustomScoreQuery • I need to control custom scoring and matching o Custom Lucene Queries! OpenSource Connections
  • 23. Example – Backwards Query • Search for terms backwards! o Instead of banana, lets create a query that finds ananab matches and scores the document (5.0) o But lets also match forward terms (banana), but with a lower score (1.0) • Disclaimer: its probably possible to do this with easier means! https://github.com/o19s/lucene-query-example/ OpenSource Connections
  • 24. Lucene Queries, 30,000 ft view OpenSource Connections LuceneQuery IndexReader Find next Match IndexSearcher Aka, “not really accurate, but what to tell your boss to not confuse them” Next Match Plz Here ya go Score That Plz Calc. score Score of last doc
  • 25. Anatomy of Lucene Query OpenSource Connections LuceneQuery Weight Scorer A Tale Of Three Classes: • Queries Create Weights: • Query-level stats for this search • Think “IDF” when you hear weights • Weights Create Scorers: • Heavy Lifting, reports matches and returns a score Weight & Scorer are inner classes of Query Next Match Plz Here ya go Score That Plz Score of last doc Find next Match Calc. score
  • 26. Backwards Query Outline OpenSource Connections class BacwkardsQuery { class BackwardsScorer { // matching & scoring functionality } class BackwardsWeight { // query normalization and other “global” stats public Scorer scorer(AtomicReaderContext context, …) } public Weight createWeight(IndexSearcher) }
  • 27. How are these used? OpenSource Connections Query q = new BackwardsQuery(); idxSearcher.search(q); This Setup Happens: When you do: Weight w = q.createWeight(idxSearcher); normalize(w); foreach IndexReader idxReader: Scorer s = w.scorer(idxReader); Important to know how Lucene is calling your code
  • 28. Weight OpenSource Connections Weight w = q.createWeight(idxSearcher); normalize(w); What should we do with our weight? IndexSearcher Level Stats - Notice we pass the IndexSearcher when we create the weight - Weight tracks IndexSearcher level statistics used for scoring Query Normalization - Weight also participates in query normalization Remember – its your Weight! Weight can be a no-op and just create searchers
  • 29. Weight & Query Normalization OpenSource Connections Query Normalization – an optional little ritual to take your Weight instance through: float v = weight.getValueForNormalization(); float norm = getSimilarity().queryNorm(v); weight.normalize(norm, 1.0f); What I think my weight is Normalize that weight against global statistics Pass back the normalized stats
  • 30. Weight & Query Normalization • For TermQuery: o The result of all this ceremony is the IDF (inverse document frequency of the term). • This code is fairly abstract o All three steps are pluggable, and can be totally ignored OpenSource Connections float v = weight.getValueForNormalization(); float norm = getSimilarity().queryNorm(v); weight.normalize(norm, 1.0f);
  • 31. BackwardsWeight • Custom Weight that completely ignores query normalization: OpenSource Connections @Override public float getValueForNormalization() throws IOException { return 0.0f; } @Override public void normalize(float norm, float topLevelBoost) { // no-op }
  • 32. Weights make Scorers! • Scorers Have Two Jobs: o Match! – iterator interface over matching results o Score! – score the current match OpenSource Connections @Override public Scorer scorer(AtomicReaderContext context, boolean scoreDocsInOrder, boolean topScorer, Bits acceptDocs) throws IOException { return new BackwardsScorer(...); }
  • 33. Scorer as an iterator Inherits the following from DocsEnum: • nextDoc() o Next match • advance(int docId) – o Seek to the specified docId • docID() o Id of the current document we’re on Oh and, from Scorer • score() o Score the current docID() OpenSource Connections DocsEnum Scorer DocIdSetIterator
  • 34. In other words… • Remember THIS? OpenSource Connections LuceneQuery IndexReader Find next Match IndexSearcher Next Match Plz Here ya go Score That Plz Calc. score Score of curr doc LuceneQueryLuceneScorer …Actually… nextDoc() score() Scorer == Engine of the Query
  • 35. What would nextDoc look like • Remember search is an inverted index o Much like a book index o Fields -> Terms -> Documents! OpenSource Connections IndexReader == our handle to inverted index: • Much like an index. Given term, return list of doc ids • TermsEnum: • Enumeration of terms (actual logical index of terms) • DocsEnum • Enum. of corresponding docIDs (like list of pages next to term)
  • 36. What would nextDoc look like? OpenSource Connections IndexReader Find next Match Calc. score LuceneScorerfinal TermsEnum termsEnum = reader.terms(term.field()).iterator(null); termsEnum.seekExact(term.bytes(), state); • TermsEnum to lookup info for a Term: DocsEnum docs = termsEnum.docs(acceptDocs, null); • Each term has a DocsEnum that lists the docs that contain this term:
  • 37. What would nextDoc look like? OpenSource Connections IndexReader Find next Match Calc. score LuceneScorer @Override public int nextDoc() throws IOException { return docs.nextDoc(); } • Wrapping this enum, now I can return matches for this term! • You’ve just implemented TermQuery!
  • 38. BackwardsScorer nextDoc • Later, when creating a Scorer. Get a handle to DocsEnum for our backwards term: OpenSource Connections public Scorer scorer(AtomicReaderContext context, boolean scoreDocsInOrder, boolean topScorer, Bits acceptDocs) throws IOException { Term bwdsTerm = BackwardsQuery.this.backwardsTerm; TermsEnum bwdsTerms = context.reader().terms(bwdsTerm.field()).iterator(null); bwdsTerms.seekExact(bwdsTerm.bytes()); DocsEnum bwdsDocs = bwdsTerms.docs(acceptDocs, null); • Recall our Query has a Backwards Term (ananab): public BackwardsQuery(String field, String term) { backwardsTerm = new Term(field, new StringBuilder(term).reverse().toString()); ... } Terrifying and verbose Lucene speak for: 1. Seek to term in field via TermsEnum 2. Give me a DocsEnum of matching docs
  • 39. BackwardsScorer nextDoc • Our scorer has bwdDocs and fwdDocs, our nextDoc just walks both: OpenSource Connections @Override public int nextDoc() throws IOException { int currDocId = docID(); // increment one or both if (currDocId == backwardsScorer.docID()) { backwardsScorer.nextDoc(); } if (currDocId == forwardsScorer.docID()) { forwardsScorer.nextDoc(); } return docID(); }
  • 40. Scorer for scores! • Score is easy! Implement score, do whatever you want! OpenSource Connections IndexReader Find next Match Calc. score LuceneScorer@Override public float score() throws IOException { return 1.0f; }
  • 41. We call docID() in nextDoc() BackwardsScorer Score • Recall, match a backwards term (ananab)score = 5.0, fwd term (banana) score = 1.0 • We hook into docID, update score based on current posn OpenSource Connections @Override public int docID() { int backwordsDocId = backwardsScorer.docID(); int forwardsDocId = forwardsScorer.docID(); if (backwordsDocId <= forwardsDocId && backwordsDocId != NO_MORE_DOCS) { currScore = BACKWARDS_SCORE; return backwordsDocId; } else if (forwardsDocId != NO_MORE_DOCS) { currScore = FORWARDS_SCORE; return forwardsDocId; } return NO_MORE_DOCS; } Currently positioned on a bwds doc, set currScore to 5.0 Currently positioned on a fwd doc, set currScore to 1.0
  • 42. BackwardsScorer Score • For completeness sake, here’s our score: OpenSource Connections @Override public float score() throws IOException { return currScore; } IndexReader Find next Match Calc. score LuceneScorer
  • 43. So many gotchas! • Ultimate POWER! But You will have weird bugs: o Do all of your searches return the results of your first query? • In Query Implement hashCode and equals o Weird/Random Test Failures • Test using LuceneTestCase to ferret out common Lucene bugs o Randomized testing w/ different codecs etc o IndexReader methods have a certain ritual and very specific rules, (enums must be primed, etc) OpenSource Connections
  • 44. Extras • Query rewrite method o Optional, recognize you are a complex query, turn yourself into a simpler one • BooleanQuery with 1 clause -> return just one clause • Weight has optional explain o Useful for debugging in Solr o Pretty straight-forward API OpenSource Connections
  • 45. Conclusions! • These are nuclear options! o You can achieve SO MUCH before you get here (at much less complexity) o There’s certainly a way to do what you’ve seen without this level of control • Fun way to learn about Lucene! OpenSource Connections
  • 46. QUESTIONS? OpenSource Connections Feel free to contact me dturnbull@opensourceconnections.com @softwaredoug