SlideShare a Scribd company logo
1 of 46
Hacking Lucene for
Custom Search Results
Doug Turnbull
OpenSource Connections
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

More Related Content

What's hot

Using PostgreSQL for Data Privacy
Using PostgreSQL for Data PrivacyUsing PostgreSQL for Data Privacy
Using PostgreSQL for Data PrivacyMason Sharp
 
MySQL Buffer Management
MySQL Buffer ManagementMySQL Buffer Management
MySQL Buffer ManagementMIJIN AN
 
Hadoop Security Architecture
Hadoop Security ArchitectureHadoop Security Architecture
Hadoop Security ArchitectureOwen O'Malley
 
Leveraging Lucene/Solr as a Knowledge Graph and Intent Engine
Leveraging Lucene/Solr as a Knowledge Graph and Intent EngineLeveraging Lucene/Solr as a Knowledge Graph and Intent Engine
Leveraging Lucene/Solr as a Knowledge Graph and Intent EngineTrey Grainger
 
Best practices for highly available and large scale SolrCloud
Best practices for highly available and large scale SolrCloudBest practices for highly available and large scale SolrCloud
Best practices for highly available and large scale SolrCloudAnshum Gupta
 
MongoDB Schema Design: Four Real-World Examples
MongoDB Schema Design: Four Real-World ExamplesMongoDB Schema Design: Four Real-World Examples
MongoDB Schema Design: Four Real-World ExamplesMike Friedman
 
HDF5 Advanced Topics: Selections, Object's Properties, Storage Methods and Fi...
HDF5 Advanced Topics: Selections, Object's Properties, Storage Methods and Fi...HDF5 Advanced Topics: Selections, Object's Properties, Storage Methods and Fi...
HDF5 Advanced Topics: Selections, Object's Properties, Storage Methods and Fi...The HDF-EOS Tools and Information Center
 
Back to Basics 1: Thinking in documents
Back to Basics 1: Thinking in documentsBack to Basics 1: Thinking in documents
Back to Basics 1: Thinking in documentsMongoDB
 
The Streaming Graph: Integration Strategies With Kafka and Neo4j for Near Rea...
The Streaming Graph: Integration Strategies With Kafka and Neo4j for Near Rea...The Streaming Graph: Integration Strategies With Kafka and Neo4j for Near Rea...
The Streaming Graph: Integration Strategies With Kafka and Neo4j for Near Rea...Neo4j
 
İlişkisel Veritabanları, ORM ve Doctrine
İlişkisel Veritabanları, ORM ve Doctrineİlişkisel Veritabanları, ORM ve Doctrine
İlişkisel Veritabanları, ORM ve DoctrineMuhittin Özer
 

What's hot (11)

Using PostgreSQL for Data Privacy
Using PostgreSQL for Data PrivacyUsing PostgreSQL for Data Privacy
Using PostgreSQL for Data Privacy
 
MySQL Buffer Management
MySQL Buffer ManagementMySQL Buffer Management
MySQL Buffer Management
 
Hadoop Security Architecture
Hadoop Security ArchitectureHadoop Security Architecture
Hadoop Security Architecture
 
Leveraging Lucene/Solr as a Knowledge Graph and Intent Engine
Leveraging Lucene/Solr as a Knowledge Graph and Intent EngineLeveraging Lucene/Solr as a Knowledge Graph and Intent Engine
Leveraging Lucene/Solr as a Knowledge Graph and Intent Engine
 
Hadoop Oozie
Hadoop OozieHadoop Oozie
Hadoop Oozie
 
Best practices for highly available and large scale SolrCloud
Best practices for highly available and large scale SolrCloudBest practices for highly available and large scale SolrCloud
Best practices for highly available and large scale SolrCloud
 
MongoDB Schema Design: Four Real-World Examples
MongoDB Schema Design: Four Real-World ExamplesMongoDB Schema Design: Four Real-World Examples
MongoDB Schema Design: Four Real-World Examples
 
HDF5 Advanced Topics: Selections, Object's Properties, Storage Methods and Fi...
HDF5 Advanced Topics: Selections, Object's Properties, Storage Methods and Fi...HDF5 Advanced Topics: Selections, Object's Properties, Storage Methods and Fi...
HDF5 Advanced Topics: Selections, Object's Properties, Storage Methods and Fi...
 
Back to Basics 1: Thinking in documents
Back to Basics 1: Thinking in documentsBack to Basics 1: Thinking in documents
Back to Basics 1: Thinking in documents
 
The Streaming Graph: Integration Strategies With Kafka and Neo4j for Near Rea...
The Streaming Graph: Integration Strategies With Kafka and Neo4j for Near Rea...The Streaming Graph: Integration Strategies With Kafka and Neo4j for Near Rea...
The Streaming Graph: Integration Strategies With Kafka and Neo4j for Near Rea...
 
İlişkisel Veritabanları, ORM ve Doctrine
İlişkisel Veritabanları, ORM ve Doctrineİlişkisel Veritabanları, ORM ve Doctrine
İlişkisel Veritabanları, ORM ve Doctrine
 

Similar to Hacking Lucene for Custom Search Results

Apache Lucene/Solr Document Classification
Apache Lucene/Solr Document ClassificationApache Lucene/Solr Document Classification
Apache Lucene/Solr Document ClassificationSease
 
Lucene And Solr Document Classification
Lucene And Solr Document ClassificationLucene And Solr Document Classification
Lucene And Solr Document ClassificationAlessandro Benedetti
 
Advanced full text searching techniques using Lucene
Advanced full text searching techniques using LuceneAdvanced full text searching techniques using Lucene
Advanced full text searching techniques using LuceneAsad Abbas
 
Lucene for Solr Developers
Lucene for Solr DevelopersLucene for Solr Developers
Lucene for Solr DevelopersErik Hatcher
 
Lucene for Solr Developers
Lucene for Solr DevelopersLucene for Solr Developers
Lucene for Solr DevelopersErik Hatcher
 
Lucene Introduction
Lucene IntroductionLucene Introduction
Lucene Introductionotisg
 
Examiness hints and tips from the trenches
Examiness hints and tips from the trenchesExaminess hints and tips from the trenches
Examiness hints and tips from the trenchesIsmail Mayat
 
Full Text Search with Lucene
Full Text Search with LuceneFull Text Search with Lucene
Full Text Search with LuceneWO Community
 
Introduction to Solr
Introduction to SolrIntroduction to Solr
Introduction to SolrErik Hatcher
 
Tutorial on developing a Solr search component plugin
Tutorial on developing a Solr search component pluginTutorial on developing a Solr search component plugin
Tutorial on developing a Solr search component pluginsearchbox-com
 
Apache Lucene: Searching the Web and Everything Else (Jazoon07)
Apache Lucene: Searching the Web and Everything Else (Jazoon07)Apache Lucene: Searching the Web and Everything Else (Jazoon07)
Apache Lucene: Searching the Web and Everything Else (Jazoon07)dnaber
 
Dev buchan leveraging
Dev buchan leveragingDev buchan leveraging
Dev buchan leveragingBill Buchan
 
Introduction to Solr
Introduction to SolrIntroduction to Solr
Introduction to SolrErik Hatcher
 

Similar to Hacking Lucene for Custom Search Results (20)

Apache Lucene/Solr Document Classification
Apache Lucene/Solr Document ClassificationApache Lucene/Solr Document Classification
Apache Lucene/Solr Document Classification
 
Lucene And Solr Document Classification
Lucene And Solr Document ClassificationLucene And Solr Document Classification
Lucene And Solr Document Classification
 
Advanced full text searching techniques using Lucene
Advanced full text searching techniques using LuceneAdvanced full text searching techniques using Lucene
Advanced full text searching techniques using Lucene
 
Lucene for Solr Developers
Lucene for Solr DevelopersLucene for Solr Developers
Lucene for Solr Developers
 
Lucene for Solr Developers
Lucene for Solr DevelopersLucene for Solr Developers
Lucene for Solr Developers
 
Apache lucene
Apache luceneApache lucene
Apache lucene
 
Lucene Introduction
Lucene IntroductionLucene Introduction
Lucene Introduction
 
Examiness hints and tips from the trenches
Examiness hints and tips from the trenchesExaminess hints and tips from the trenches
Examiness hints and tips from the trenches
 
Building a Search Engine Using Lucene
Building a Search Engine Using LuceneBuilding a Search Engine Using Lucene
Building a Search Engine Using Lucene
 
Full Text Search with Lucene
Full Text Search with LuceneFull Text Search with Lucene
Full Text Search with Lucene
 
Introduction to Solr
Introduction to SolrIntroduction to Solr
Introduction to Solr
 
Full Text Search In PostgreSQL
Full Text Search In PostgreSQLFull Text Search In PostgreSQL
Full Text Search In PostgreSQL
 
Tutorial on developing a Solr search component plugin
Tutorial on developing a Solr search component pluginTutorial on developing a Solr search component plugin
Tutorial on developing a Solr search component plugin
 
Android Database
Android DatabaseAndroid Database
Android Database
 
Apache Lucene Searching The Web
Apache Lucene Searching The WebApache Lucene Searching The Web
Apache Lucene Searching The Web
 
Apache Lucene: Searching the Web and Everything Else (Jazoon07)
Apache Lucene: Searching the Web and Everything Else (Jazoon07)Apache Lucene: Searching the Web and Everything Else (Jazoon07)
Apache Lucene: Searching the Web and Everything Else (Jazoon07)
 
Dev buchan leveraging
Dev buchan leveragingDev buchan leveraging
Dev buchan leveraging
 
Introduction to Solr
Introduction to SolrIntroduction to Solr
Introduction to Solr
 
Test box bdd
Test box bddTest box bdd
Test box bdd
 
Linq to sql
Linq to sqlLinq to sql
Linq to sql
 

More from OpenSource Connections

How To Structure Your Search Team for Success
How To Structure Your Search Team for SuccessHow To Structure Your Search Team for Success
How To Structure Your Search Team for SuccessOpenSource Connections
 
The right path to making search relevant - Taxonomy Bootcamp London 2019
The right path to making search relevant  - Taxonomy Bootcamp London 2019The right path to making search relevant  - Taxonomy Bootcamp London 2019
The right path to making search relevant - Taxonomy Bootcamp London 2019OpenSource Connections
 
Haystack 2019 Lightning Talk - The Future of Quepid - Charlie Hull
Haystack 2019 Lightning Talk - The Future of Quepid - Charlie HullHaystack 2019 Lightning Talk - The Future of Quepid - Charlie Hull
Haystack 2019 Lightning Talk - The Future of Quepid - Charlie HullOpenSource Connections
 
Haystack 2019 Lightning Talk - State of Apache Tika - Tim Allison
Haystack 2019 Lightning Talk - State of Apache Tika - Tim AllisonHaystack 2019 Lightning Talk - State of Apache Tika - Tim Allison
Haystack 2019 Lightning Talk - State of Apache Tika - Tim AllisonOpenSource Connections
 
Haystack 2019 Lightning Talk - Relevance on 17 million full text documents - ...
Haystack 2019 Lightning Talk - Relevance on 17 million full text documents - ...Haystack 2019 Lightning Talk - Relevance on 17 million full text documents - ...
Haystack 2019 Lightning Talk - Relevance on 17 million full text documents - ...OpenSource Connections
 
Haystack 2019 Lightning Talk - Solr Cloud on Kubernetes - Manoj Bharadwaj
Haystack 2019 Lightning Talk - Solr Cloud on Kubernetes - Manoj BharadwajHaystack 2019 Lightning Talk - Solr Cloud on Kubernetes - Manoj Bharadwaj
Haystack 2019 Lightning Talk - Solr Cloud on Kubernetes - Manoj BharadwajOpenSource Connections
 
Haystack 2019 Lightning Talk - Quaerite a Search relevance evaluation toolkit...
Haystack 2019 Lightning Talk - Quaerite a Search relevance evaluation toolkit...Haystack 2019 Lightning Talk - Quaerite a Search relevance evaluation toolkit...
Haystack 2019 Lightning Talk - Quaerite a Search relevance evaluation toolkit...OpenSource Connections
 
Haystack 2019 - Search-based recommendations at Politico - Ryan Kohl
Haystack 2019 - Search-based recommendations at Politico - Ryan KohlHaystack 2019 - Search-based recommendations at Politico - Ryan Kohl
Haystack 2019 - Search-based recommendations at Politico - Ryan KohlOpenSource Connections
 
Haystack 2019 - Search with Vectors - Simon Hughes
Haystack 2019 - Search with Vectors - Simon HughesHaystack 2019 - Search with Vectors - Simon Hughes
Haystack 2019 - Search with Vectors - Simon HughesOpenSource Connections
 
Haystack 2019 - Natural Language Search with Knowledge Graphs - Trey Grainger
Haystack 2019 - Natural Language Search with Knowledge Graphs - Trey GraingerHaystack 2019 - Natural Language Search with Knowledge Graphs - Trey Grainger
Haystack 2019 - Natural Language Search with Knowledge Graphs - Trey GraingerOpenSource Connections
 
Haystack 2019 - Search Logs + Machine Learning = Auto-Tagging Inventory - Joh...
Haystack 2019 - Search Logs + Machine Learning = Auto-Tagging Inventory - Joh...Haystack 2019 - Search Logs + Machine Learning = Auto-Tagging Inventory - Joh...
Haystack 2019 - Search Logs + Machine Learning = Auto-Tagging Inventory - Joh...OpenSource Connections
 
Haystack 2019 - Improving Search Relevance with Numeric Features in Elasticse...
Haystack 2019 - Improving Search Relevance with Numeric Features in Elasticse...Haystack 2019 - Improving Search Relevance with Numeric Features in Elasticse...
Haystack 2019 - Improving Search Relevance with Numeric Features in Elasticse...OpenSource Connections
 
Haystack 2019 - Architectural considerations on search relevancy in the conte...
Haystack 2019 - Architectural considerations on search relevancy in the conte...Haystack 2019 - Architectural considerations on search relevancy in the conte...
Haystack 2019 - Architectural considerations on search relevancy in the conte...OpenSource Connections
 
Haystack 2019 - Custom Solr Query Parser Design Option, and Pros & Cons - Ber...
Haystack 2019 - Custom Solr Query Parser Design Option, and Pros & Cons - Ber...Haystack 2019 - Custom Solr Query Parser Design Option, and Pros & Cons - Ber...
Haystack 2019 - Custom Solr Query Parser Design Option, and Pros & Cons - Ber...OpenSource Connections
 
Haystack 2019 - Establishing a relevance focused culture in a large organizat...
Haystack 2019 - Establishing a relevance focused culture in a large organizat...Haystack 2019 - Establishing a relevance focused culture in a large organizat...
Haystack 2019 - Establishing a relevance focused culture in a large organizat...OpenSource Connections
 
Haystack 2019 - Solving for Satisfaction: Introduction to Click Models - Eliz...
Haystack 2019 - Solving for Satisfaction: Introduction to Click Models - Eliz...Haystack 2019 - Solving for Satisfaction: Introduction to Click Models - Eliz...
Haystack 2019 - Solving for Satisfaction: Introduction to Click Models - Eliz...OpenSource Connections
 
2019 Haystack - How The New York Times Tackles Relevance - Jeremiah Via
2019 Haystack - How The New York Times Tackles Relevance - Jeremiah Via2019 Haystack - How The New York Times Tackles Relevance - Jeremiah Via
2019 Haystack - How The New York Times Tackles Relevance - Jeremiah ViaOpenSource Connections
 

More from OpenSource Connections (20)

Encores
EncoresEncores
Encores
 
Test driven relevancy
Test driven relevancyTest driven relevancy
Test driven relevancy
 
How To Structure Your Search Team for Success
How To Structure Your Search Team for SuccessHow To Structure Your Search Team for Success
How To Structure Your Search Team for Success
 
The right path to making search relevant - Taxonomy Bootcamp London 2019
The right path to making search relevant  - Taxonomy Bootcamp London 2019The right path to making search relevant  - Taxonomy Bootcamp London 2019
The right path to making search relevant - Taxonomy Bootcamp London 2019
 
Payloads and OCR with Solr
Payloads and OCR with SolrPayloads and OCR with Solr
Payloads and OCR with Solr
 
Haystack 2019 Lightning Talk - The Future of Quepid - Charlie Hull
Haystack 2019 Lightning Talk - The Future of Quepid - Charlie HullHaystack 2019 Lightning Talk - The Future of Quepid - Charlie Hull
Haystack 2019 Lightning Talk - The Future of Quepid - Charlie Hull
 
Haystack 2019 Lightning Talk - State of Apache Tika - Tim Allison
Haystack 2019 Lightning Talk - State of Apache Tika - Tim AllisonHaystack 2019 Lightning Talk - State of Apache Tika - Tim Allison
Haystack 2019 Lightning Talk - State of Apache Tika - Tim Allison
 
Haystack 2019 Lightning Talk - Relevance on 17 million full text documents - ...
Haystack 2019 Lightning Talk - Relevance on 17 million full text documents - ...Haystack 2019 Lightning Talk - Relevance on 17 million full text documents - ...
Haystack 2019 Lightning Talk - Relevance on 17 million full text documents - ...
 
Haystack 2019 Lightning Talk - Solr Cloud on Kubernetes - Manoj Bharadwaj
Haystack 2019 Lightning Talk - Solr Cloud on Kubernetes - Manoj BharadwajHaystack 2019 Lightning Talk - Solr Cloud on Kubernetes - Manoj Bharadwaj
Haystack 2019 Lightning Talk - Solr Cloud on Kubernetes - Manoj Bharadwaj
 
Haystack 2019 Lightning Talk - Quaerite a Search relevance evaluation toolkit...
Haystack 2019 Lightning Talk - Quaerite a Search relevance evaluation toolkit...Haystack 2019 Lightning Talk - Quaerite a Search relevance evaluation toolkit...
Haystack 2019 Lightning Talk - Quaerite a Search relevance evaluation toolkit...
 
Haystack 2019 - Search-based recommendations at Politico - Ryan Kohl
Haystack 2019 - Search-based recommendations at Politico - Ryan KohlHaystack 2019 - Search-based recommendations at Politico - Ryan Kohl
Haystack 2019 - Search-based recommendations at Politico - Ryan Kohl
 
Haystack 2019 - Search with Vectors - Simon Hughes
Haystack 2019 - Search with Vectors - Simon HughesHaystack 2019 - Search with Vectors - Simon Hughes
Haystack 2019 - Search with Vectors - Simon Hughes
 
Haystack 2019 - Natural Language Search with Knowledge Graphs - Trey Grainger
Haystack 2019 - Natural Language Search with Knowledge Graphs - Trey GraingerHaystack 2019 - Natural Language Search with Knowledge Graphs - Trey Grainger
Haystack 2019 - Natural Language Search with Knowledge Graphs - Trey Grainger
 
Haystack 2019 - Search Logs + Machine Learning = Auto-Tagging Inventory - Joh...
Haystack 2019 - Search Logs + Machine Learning = Auto-Tagging Inventory - Joh...Haystack 2019 - Search Logs + Machine Learning = Auto-Tagging Inventory - Joh...
Haystack 2019 - Search Logs + Machine Learning = Auto-Tagging Inventory - Joh...
 
Haystack 2019 - Improving Search Relevance with Numeric Features in Elasticse...
Haystack 2019 - Improving Search Relevance with Numeric Features in Elasticse...Haystack 2019 - Improving Search Relevance with Numeric Features in Elasticse...
Haystack 2019 - Improving Search Relevance with Numeric Features in Elasticse...
 
Haystack 2019 - Architectural considerations on search relevancy in the conte...
Haystack 2019 - Architectural considerations on search relevancy in the conte...Haystack 2019 - Architectural considerations on search relevancy in the conte...
Haystack 2019 - Architectural considerations on search relevancy in the conte...
 
Haystack 2019 - Custom Solr Query Parser Design Option, and Pros & Cons - Ber...
Haystack 2019 - Custom Solr Query Parser Design Option, and Pros & Cons - Ber...Haystack 2019 - Custom Solr Query Parser Design Option, and Pros & Cons - Ber...
Haystack 2019 - Custom Solr Query Parser Design Option, and Pros & Cons - Ber...
 
Haystack 2019 - Establishing a relevance focused culture in a large organizat...
Haystack 2019 - Establishing a relevance focused culture in a large organizat...Haystack 2019 - Establishing a relevance focused culture in a large organizat...
Haystack 2019 - Establishing a relevance focused culture in a large organizat...
 
Haystack 2019 - Solving for Satisfaction: Introduction to Click Models - Eliz...
Haystack 2019 - Solving for Satisfaction: Introduction to Click Models - Eliz...Haystack 2019 - Solving for Satisfaction: Introduction to Click Models - Eliz...
Haystack 2019 - Solving for Satisfaction: Introduction to Click Models - Eliz...
 
2019 Haystack - How The New York Times Tackles Relevance - Jeremiah Via
2019 Haystack - How The New York Times Tackles Relevance - Jeremiah Via2019 Haystack - How The New York Times Tackles Relevance - Jeremiah Via
2019 Haystack - How The New York Times Tackles Relevance - Jeremiah Via
 

Recently uploaded

Scanning the Internet for External Cloud Exposures via SSL Certs
Scanning the Internet for External Cloud Exposures via SSL CertsScanning the Internet for External Cloud Exposures via SSL Certs
Scanning the Internet for External Cloud Exposures via SSL CertsRizwan Syed
 
"ML in Production",Oleksandr Bagan
"ML in Production",Oleksandr Bagan"ML in Production",Oleksandr Bagan
"ML in Production",Oleksandr BaganFwdays
 
WordPress Websites for Engineers: Elevate Your Brand
WordPress Websites for Engineers: Elevate Your BrandWordPress Websites for Engineers: Elevate Your Brand
WordPress Websites for Engineers: Elevate Your Brandgvaughan
 
"LLMs for Python Engineers: Advanced Data Analysis and Semantic Kernel",Oleks...
"LLMs for Python Engineers: Advanced Data Analysis and Semantic Kernel",Oleks..."LLMs for Python Engineers: Advanced Data Analysis and Semantic Kernel",Oleks...
"LLMs for Python Engineers: Advanced Data Analysis and Semantic Kernel",Oleks...Fwdays
 
SIP trunking in Janus @ Kamailio World 2024
SIP trunking in Janus @ Kamailio World 2024SIP trunking in Janus @ Kamailio World 2024
SIP trunking in Janus @ Kamailio World 2024Lorenzo Miniero
 
Developer Data Modeling Mistakes: From Postgres to NoSQL
Developer Data Modeling Mistakes: From Postgres to NoSQLDeveloper Data Modeling Mistakes: From Postgres to NoSQL
Developer Data Modeling Mistakes: From Postgres to NoSQLScyllaDB
 
New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024BookNet Canada
 
Beyond Boundaries: Leveraging No-Code Solutions for Industry Innovation
Beyond Boundaries: Leveraging No-Code Solutions for Industry InnovationBeyond Boundaries: Leveraging No-Code Solutions for Industry Innovation
Beyond Boundaries: Leveraging No-Code Solutions for Industry InnovationSafe Software
 
CloudStudio User manual (basic edition):
CloudStudio User manual (basic edition):CloudStudio User manual (basic edition):
CloudStudio User manual (basic edition):comworks
 
My INSURER PTE LTD - Insurtech Innovation Award 2024
My INSURER PTE LTD - Insurtech Innovation Award 2024My INSURER PTE LTD - Insurtech Innovation Award 2024
My INSURER PTE LTD - Insurtech Innovation Award 2024The Digital Insurer
 
AI as an Interface for Commercial Buildings
AI as an Interface for Commercial BuildingsAI as an Interface for Commercial Buildings
AI as an Interface for Commercial BuildingsMemoori
 
Tampa BSides - Chef's Tour of Microsoft Security Adoption Framework (SAF)
Tampa BSides - Chef's Tour of Microsoft Security Adoption Framework (SAF)Tampa BSides - Chef's Tour of Microsoft Security Adoption Framework (SAF)
Tampa BSides - Chef's Tour of Microsoft Security Adoption Framework (SAF)Mark Simos
 
Anypoint Exchange: It’s Not Just a Repo!
Anypoint Exchange: It’s Not Just a Repo!Anypoint Exchange: It’s Not Just a Repo!
Anypoint Exchange: It’s Not Just a Repo!Manik S Magar
 
Unleash Your Potential - Namagunga Girls Coding Club
Unleash Your Potential - Namagunga Girls Coding ClubUnleash Your Potential - Namagunga Girls Coding Club
Unleash Your Potential - Namagunga Girls Coding ClubKalema Edgar
 
Artificial intelligence in cctv survelliance.pptx
Artificial intelligence in cctv survelliance.pptxArtificial intelligence in cctv survelliance.pptx
Artificial intelligence in cctv survelliance.pptxhariprasad279825
 
SAP Build Work Zone - Overview L2-L3.pptx
SAP Build Work Zone - Overview L2-L3.pptxSAP Build Work Zone - Overview L2-L3.pptx
SAP Build Work Zone - Overview L2-L3.pptxNavinnSomaal
 
Integration and Automation in Practice: CI/CD in Mule Integration and Automat...
Integration and Automation in Practice: CI/CD in Mule Integration and Automat...Integration and Automation in Practice: CI/CD in Mule Integration and Automat...
Integration and Automation in Practice: CI/CD in Mule Integration and Automat...Patryk Bandurski
 
Search Engine Optimization SEO PDF for 2024.pdf
Search Engine Optimization SEO PDF for 2024.pdfSearch Engine Optimization SEO PDF for 2024.pdf
Search Engine Optimization SEO PDF for 2024.pdfRankYa
 
DevoxxFR 2024 Reproducible Builds with Apache Maven
DevoxxFR 2024 Reproducible Builds with Apache MavenDevoxxFR 2024 Reproducible Builds with Apache Maven
DevoxxFR 2024 Reproducible Builds with Apache MavenHervé Boutemy
 
DevEX - reference for building teams, processes, and platforms
DevEX - reference for building teams, processes, and platformsDevEX - reference for building teams, processes, and platforms
DevEX - reference for building teams, processes, and platformsSergiu Bodiu
 

Recently uploaded (20)

Scanning the Internet for External Cloud Exposures via SSL Certs
Scanning the Internet for External Cloud Exposures via SSL CertsScanning the Internet for External Cloud Exposures via SSL Certs
Scanning the Internet for External Cloud Exposures via SSL Certs
 
"ML in Production",Oleksandr Bagan
"ML in Production",Oleksandr Bagan"ML in Production",Oleksandr Bagan
"ML in Production",Oleksandr Bagan
 
WordPress Websites for Engineers: Elevate Your Brand
WordPress Websites for Engineers: Elevate Your BrandWordPress Websites for Engineers: Elevate Your Brand
WordPress Websites for Engineers: Elevate Your Brand
 
"LLMs for Python Engineers: Advanced Data Analysis and Semantic Kernel",Oleks...
"LLMs for Python Engineers: Advanced Data Analysis and Semantic Kernel",Oleks..."LLMs for Python Engineers: Advanced Data Analysis and Semantic Kernel",Oleks...
"LLMs for Python Engineers: Advanced Data Analysis and Semantic Kernel",Oleks...
 
SIP trunking in Janus @ Kamailio World 2024
SIP trunking in Janus @ Kamailio World 2024SIP trunking in Janus @ Kamailio World 2024
SIP trunking in Janus @ Kamailio World 2024
 
Developer Data Modeling Mistakes: From Postgres to NoSQL
Developer Data Modeling Mistakes: From Postgres to NoSQLDeveloper Data Modeling Mistakes: From Postgres to NoSQL
Developer Data Modeling Mistakes: From Postgres to NoSQL
 
New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
New from BookNet Canada for 2024: BNC CataList - Tech Forum 2024
 
Beyond Boundaries: Leveraging No-Code Solutions for Industry Innovation
Beyond Boundaries: Leveraging No-Code Solutions for Industry InnovationBeyond Boundaries: Leveraging No-Code Solutions for Industry Innovation
Beyond Boundaries: Leveraging No-Code Solutions for Industry Innovation
 
CloudStudio User manual (basic edition):
CloudStudio User manual (basic edition):CloudStudio User manual (basic edition):
CloudStudio User manual (basic edition):
 
My INSURER PTE LTD - Insurtech Innovation Award 2024
My INSURER PTE LTD - Insurtech Innovation Award 2024My INSURER PTE LTD - Insurtech Innovation Award 2024
My INSURER PTE LTD - Insurtech Innovation Award 2024
 
AI as an Interface for Commercial Buildings
AI as an Interface for Commercial BuildingsAI as an Interface for Commercial Buildings
AI as an Interface for Commercial Buildings
 
Tampa BSides - Chef's Tour of Microsoft Security Adoption Framework (SAF)
Tampa BSides - Chef's Tour of Microsoft Security Adoption Framework (SAF)Tampa BSides - Chef's Tour of Microsoft Security Adoption Framework (SAF)
Tampa BSides - Chef's Tour of Microsoft Security Adoption Framework (SAF)
 
Anypoint Exchange: It’s Not Just a Repo!
Anypoint Exchange: It’s Not Just a Repo!Anypoint Exchange: It’s Not Just a Repo!
Anypoint Exchange: It’s Not Just a Repo!
 
Unleash Your Potential - Namagunga Girls Coding Club
Unleash Your Potential - Namagunga Girls Coding ClubUnleash Your Potential - Namagunga Girls Coding Club
Unleash Your Potential - Namagunga Girls Coding Club
 
Artificial intelligence in cctv survelliance.pptx
Artificial intelligence in cctv survelliance.pptxArtificial intelligence in cctv survelliance.pptx
Artificial intelligence in cctv survelliance.pptx
 
SAP Build Work Zone - Overview L2-L3.pptx
SAP Build Work Zone - Overview L2-L3.pptxSAP Build Work Zone - Overview L2-L3.pptx
SAP Build Work Zone - Overview L2-L3.pptx
 
Integration and Automation in Practice: CI/CD in Mule Integration and Automat...
Integration and Automation in Practice: CI/CD in Mule Integration and Automat...Integration and Automation in Practice: CI/CD in Mule Integration and Automat...
Integration and Automation in Practice: CI/CD in Mule Integration and Automat...
 
Search Engine Optimization SEO PDF for 2024.pdf
Search Engine Optimization SEO PDF for 2024.pdfSearch Engine Optimization SEO PDF for 2024.pdf
Search Engine Optimization SEO PDF for 2024.pdf
 
DevoxxFR 2024 Reproducible Builds with Apache Maven
DevoxxFR 2024 Reproducible Builds with Apache MavenDevoxxFR 2024 Reproducible Builds with Apache Maven
DevoxxFR 2024 Reproducible Builds with Apache Maven
 
DevEX - reference for building teams, processes, and platforms
DevEX - reference for building teams, processes, and platformsDevEX - reference for building teams, processes, and platforms
DevEX - reference for building teams, processes, and platforms
 

Hacking Lucene for Custom Search Results

  • 1. Hacking Lucene for Custom Search Results Doug Turnbull OpenSource Connections OpenSource Connections
  • 2. Hello Me @softwaredoug dturnbull@o19s.com Us OpenSource Connections @o19s http://o19s.com - Trusted Advisors in Search, Discovery & Analytics OpenSource Connections
  • 3. 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
  • 4. Tough Search Problems • We have demanding users! OpenSource Connections Switch these two!
  • 5. Tough Search Problems • Demanding users! OpenSource Connections WRONG! Make search do what is in my head!
  • 6. 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
  • 7. 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
  • 8. 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
  • 9. Next Level • Hard: Custom Lucene Scoring – implement a query and scorer to explicitly control matching and scoring OpenSource Connections This is the Nuclear Option!
  • 10. Shameless Plug • How do we know if we’re making progress? OpenSource Connections • Quepid! – our search test driven workbench o http://quepid.com
  • 11. 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
  • 12. 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);
  • 13. 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
  • 14. 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
  • 15. 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
  • 16. 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
  • 17. Implementation • Extend CustomScoreQuery, provide a CustomScoreProvider OpenSource Connections protected CustomScoreProvider getCustomScoreProvider( AtomicReaderContext context) throws IOException { return new CountingQueryScoreProvider("tag", context); } (boilerplate omitted)
  • 18. 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 }
  • 19. 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 }
  • 20. 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
  • 21. Lucene Circle Back • I care about overriding scoring o CustomScoreQuery • I need to control custom scoring and matching o Custom Lucene Queries! OpenSource Connections
  • 22. 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
  • 23. 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
  • 24. 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
  • 25. 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) }
  • 26. 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
  • 27. 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
  • 28. 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
  • 29. 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);
  • 30. 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 }
  • 31. 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(...); }
  • 32. 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
  • 33. 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
  • 34. 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)
  • 35. 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:
  • 36. 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!
  • 37. 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
  • 38. 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(); }
  • 39. 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; }
  • 40. 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
  • 41. 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
  • 42. 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
  • 43. 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
  • 44. 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
  • 45. QUESTIONS? OpenSource Connections Feel free to contact me dturnbull@opensourceconnections.com @softwaredoug