I have sitecore pages / lucene documents with the following fields:
- Title
- Filename
- Content
- File Contents
I'm creating a search for these and have the following requirements:
- Hits containing the whole phrase in the title field should be returned first.
- Hits containing the whole phrase in the filename field should be returned second.
- Hits containing the whole phrase in the content should be returned third
- Hits containing the whole phrase in the file contents should be returned fourth
- Hits containing all of the keywords (in any order) in the title field should be returned fifth
- Hits containing all of the keywords (in any order) in the filename field should be returned sixth
- Hits containing all of the keywords (in any order) in the content should be returned seventh.
- Hits containing all of the keywords (in any order) in the file contents should be returned eighth.
Here is what I've got:
public static Expression<Func<T, bool>> GetSearchTermPredicate<T>(string searchTerm)
where T : ISearchableItem
{
var actualPhrasePredicate = PredicateBuilder.True<T>()
.Or(r => r.Title.Contains(searchTerm).Boost(2f))
.Or(r => r.FileName.Contains(searchTerm).Boost(1.5f))
.Or(r => r.Content.Contains(searchTerm))
.Or(r => r.DocumentContents.Contains(searchTerm));
var individualWordsPredicate = PredicateBuilder.False<T>();
foreach (var term in searchTerm.Split(' '))
{
individualWordsPredicate
= individualWordsPredicate.And(r =>
r.Title.Contains(term).Boost(2f)
|| r.FileName.Contains(term).Boost(1.5f)
|| r.Content.Contains(term)
|| r.DocumentContents.Contains(term));
}
return PredicateBuilder.Or(actualPhrasePredicate.Boost(2f),
individualWordsPredicate);
}
The actual phrase part seems to work well. Hits with the full phrase in the title are returned first. However, if I remove a word from the middle of the phrase, no results are returned.
i.e. I have a page with a title "The England football team are dreadful", but when I search with "The football team are dreadful", it doesn't find the page.
Note: pages can have documents attached to them, so I want to boost the filenames too but not as highly as the page title.