Files
leadchat/spec/services/search_service_spec.rb
Vinay Keerthi 59cbf57e20 feat: Advanced Search Backend (#12917)
## Description

Implements comprehensive search functionality with advanced filtering
capabilities for Chatwoot (Linear: CW-5956).

This PR adds:
1. **Time-based filtering** for contacts and conversations (SQL-based
search)
2. **Advanced message search** with multiple filters
(OpenSearch/Elasticsearch-based)
- **`from` filter**: Filter messages by sender (format: `contact:42` or
`agent:5`)
   - **`inbox_id` filter**: Filter messages by specific inbox
- **Time range filters**: Filter messages using `since` and `until`
parameters (Unix timestamps in seconds)
- **90-day limit enforcement**: Automatically limits searches to the
last 90 days to prevent performance issues

The implementation extends the existing `Enterprise::SearchService`
module for advanced features and adds time filtering to the base
`SearchService` for SQL-based searches.

## API Documentation

### Base URL
All search endpoints follow this pattern:
```
GET /api/v1/accounts/{account_id}/search/{resource}
```

### Authentication
All requests require authentication headers:
```
api_access_token: YOUR_ACCESS_TOKEN
```

---

## 1. Search All Resources

**Endpoint:** `GET /api/v1/accounts/{account_id}/search`

Returns results from all searchable resources (contacts, conversations,
messages, articles).

### Parameters
| Parameter | Type | Description | Required |
|-----------|------|-------------|----------|
| `q` | string | Search query | Yes |
| `page` | integer | Page number (15 items per page) | No |
| `since` | integer | Unix timestamp (contacts/conversations only) | No
|
| `until` | integer | Unix timestamp (contacts/conversations only) | No
|

### Example Request
```bash
curl -X GET "https://app.chatwoot.com/api/v1/accounts/1/search?q=customer" \
  -H "api_access_token: YOUR_ACCESS_TOKEN"
```

### Example Response
```json
{
  "payload": {
    "contacts": [...],
    "conversations": [...],
    "messages": [...],
    "articles": [...]
  }
}
```

---

## 2. Search Contacts

**Endpoint:** `GET /api/v1/accounts/{account_id}/search/contacts`

Search contacts by name, email, phone number, or identifier with
optional time filtering.

### Parameters
| Parameter | Type | Description | Required |
|-----------|------|-------------|----------|
| `q` | string | Search query | Yes |
| `page` | integer | Page number (15 items per page) | No |
| `since` | integer | Unix timestamp - filter by last_activity_at | No |
| `until` | integer | Unix timestamp - filter by last_activity_at | No |

### Example Requests

**Basic search:**
```bash
curl -X GET "https://app.chatwoot.com/api/v1/accounts/1/search/contacts?q=john" \
  -H "api_access_token: YOUR_ACCESS_TOKEN"
```

**Search contacts active in the last 7 days:**
```bash
SINCE=$(date -v-7d +%s)
curl -X GET "https://app.chatwoot.com/api/v1/accounts/1/search/contacts?q=john&since=${SINCE}" \
  -H "api_access_token: YOUR_ACCESS_TOKEN"
```

**Search contacts active between 30 and 7 days ago:**
```bash
SINCE=$(date -v-30d +%s)
UNTIL=$(date -v-7d +%s)
curl -X GET "https://app.chatwoot.com/api/v1/accounts/1/search/contacts?q=john&since=${SINCE}&until=${UNTIL}" \
  -H "api_access_token: YOUR_ACCESS_TOKEN"
```

### Example Response
```json
{
  "payload": {
    "contacts": [
      {
        "id": 42,
        "email": "john@example.com",
        "name": "John Doe",
        "phone_number": "+1234567890",
        "identifier": "user_123",
        "additional_attributes": {},
        "created_at": 1701234567
      }
    ]
  }
}
```

---

## 3. Search Conversations

**Endpoint:** `GET /api/v1/accounts/{account_id}/search/conversations`

Search conversations by display ID, contact name, email, phone number,
or identifier with optional time filtering.

### Parameters
| Parameter | Type | Description | Required |
|-----------|------|-------------|----------|
| `q` | string | Search query | Yes |
| `page` | integer | Page number (15 items per page) | No |
| `since` | integer | Unix timestamp - filter by last_activity_at | No |
| `until` | integer | Unix timestamp - filter by last_activity_at | No |

### Example Requests

**Basic search:**
```bash
curl -X GET "https://app.chatwoot.com/api/v1/accounts/1/search/conversations?q=billing" \
  -H "api_access_token: YOUR_ACCESS_TOKEN"
```

**Search conversations active in the last 24 hours:**
```bash
SINCE=$(date -v-1d +%s)
curl -X GET "https://app.chatwoot.com/api/v1/accounts/1/search/conversations?q=billing&since=${SINCE}" \
  -H "api_access_token: YOUR_ACCESS_TOKEN"
```

**Search conversations from last month:**
```bash
SINCE=$(date -v-30d +%s)
UNTIL=$(date +%s)
curl -X GET "https://app.chatwoot.com/api/v1/accounts/1/search/conversations?q=billing&since=${SINCE}&until=${UNTIL}" \
  -H "api_access_token: YOUR_ACCESS_TOKEN"
```

### Example Response
```json
{
  "payload": {
    "conversations": [
      {
        "id": 123,
        "display_id": 45,
        "inbox_id": 1,
        "status": "open",
        "messages": [...],
        "meta": {...}
      }
    ]
  }
}
```

---

## 4. Search Messages (Advanced)

**Endpoint:** `GET /api/v1/accounts/{account_id}/search/messages`

Advanced message search with multiple filters powered by
OpenSearch/Elasticsearch.

### Prerequisites
- OpenSearch/Elasticsearch must be running (`OPENSEARCH_URL` env var
configured)
- Account must have `advanced_search` feature flag enabled
- Messages must be indexed in OpenSearch

### Parameters
| Parameter | Type | Description | Required |
|-----------|------|-------------|----------|
| `q` | string | Search query | Yes |
| `page` | integer | Page number (15 items per page) | No |
| `from` | string | Filter by sender: `contact:{id}` or `agent:{id}` |
No |
| `inbox_id` | integer | Filter by specific inbox ID | No |
| `since` | integer | Unix timestamp - searches from this time (max 90
days ago) | No |
| `until` | integer | Unix timestamp - searches until this time | No |

### Important Notes
- **90-Day Limit**: If `since` is not provided, searches default to the
last 90 days
- If `since` exceeds 90 days, returns `422` error: "Search is limited to
the last 90 days"
- All time filters use message `created_at` timestamp

### Example Requests

**Basic message search:**
```bash
curl -X GET "https://app.chatwoot.com/api/v1/accounts/1/search/messages?q=refund" \
  -H "api_access_token: YOUR_ACCESS_TOKEN"
```

**Search messages from a specific contact:**
```bash
curl -X GET "https://app.chatwoot.com/api/v1/accounts/1/search/messages?q=refund&from=contact:42" \
  -H "api_access_token: YOUR_ACCESS_TOKEN"
```

**Search messages from a specific agent:**
```bash
curl -X GET "https://app.chatwoot.com/api/v1/accounts/1/search/messages?q=refund&from=agent:5" \
  -H "api_access_token: YOUR_ACCESS_TOKEN"
```

**Search messages in a specific inbox:**
```bash
curl -X GET "https://app.chatwoot.com/api/v1/accounts/1/search/messages?q=refund&inbox_id=3" \
  -H "api_access_token: YOUR_ACCESS_TOKEN"
```

**Search messages from the last 7 days:**
```bash
SINCE=$(date -v-7d +%s)
curl -X GET "https://app.chatwoot.com/api/v1/accounts/1/search/messages?q=refund&since=${SINCE}" \
  -H "api_access_token: YOUR_ACCESS_TOKEN"
```

**Search messages between specific dates:**
```bash
SINCE=$(date -v-30d +%s)
UNTIL=$(date -v-7d +%s)
curl -X GET "https://app.chatwoot.com/api/v1/accounts/1/search/messages?q=refund&since=${SINCE}&until=${UNTIL}" \
  -H "api_access_token: YOUR_ACCESS_TOKEN"
```

**Combine all filters:**
```bash
SINCE=$(date -v-14d +%s)
curl -X GET "https://app.chatwoot.com/api/v1/accounts/1/search/messages?q=refund&from=contact:42&inbox_id=3&since=${SINCE}" \
  -H "api_access_token: YOUR_ACCESS_TOKEN"
```

**Attempt to search beyond 90 days (returns error):**
```bash
SINCE=$(date -v-120d +%s)
curl -X GET "https://app.chatwoot.com/api/v1/accounts/1/search/messages?q=refund&since=${SINCE}" \
  -H "api_access_token: YOUR_ACCESS_TOKEN"
```

### Example Response (Success)
```json
{
  "payload": {
    "messages": [
      {
        "id": 789,
        "content": "I need a refund for my purchase",
        "message_type": "incoming",
        "created_at": 1701234567,
        "conversation_id": 123,
        "inbox_id": 3,
        "sender": {
          "id": 42,
          "type": "contact"
        }
      }
    ]
  }
}
```

### Example Response (90-day limit exceeded)
```json
{
  "error": "Search is limited to the last 90 days"
}
```
**Status Code:** `422 Unprocessable Entity`

---

## 5. Search Articles

**Endpoint:** `GET /api/v1/accounts/{account_id}/search/articles`

Search help center articles by title or content.

### Parameters
| Parameter | Type | Description | Required |
|-----------|------|-------------|----------|
| `q` | string | Search query | Yes |
| `page` | integer | Page number (15 items per page) | No |

### Example Request
```bash
curl -X GET "https://app.chatwoot.com/api/v1/accounts/1/search/articles?q=installation" \
  -H "api_access_token: YOUR_ACCESS_TOKEN"
```

### Example Response
```json
{
  "payload": {
    "articles": [
      {
        "id": 456,
        "title": "Installation Guide",
        "slug": "installation-guide",
        "portal_slug": "help",
        "account_id": 1,
        "category_name": "Getting Started",
        "status": "published",
        "updated_at": 1701234567
      }
    ]
  }
}
```

---

## Technical Implementation

### SQL-Based Search (Contacts, Conversations, Articles)
- Uses PostgreSQL `ILIKE` queries by default
- Optional GIN index support via `search_with_gin` feature flag for
better performance
- Time filtering uses `last_activity_at` for contacts/conversations
- Returns paginated results (15 per page)

### Advanced Search (Messages)
- Powered by OpenSearch/Elasticsearch via Searchkick gem
- Requires `OPENSEARCH_URL` environment variable
- Requires `advanced_search` account feature flag
- Enforces 90-day lookback limit via
`Limits::MESSAGE_SEARCH_TIME_RANGE_LIMIT_DAYS`
- Validates inbox access permissions before filtering
- Returns paginated results (15 per page)

---

## Type of change

- [x] New feature (non-breaking change which adds functionality)
- [x] Enhancement (improves existing functionality)

---

## How Has This Been Tested?

### Unit Tests
- **Contact Search Tests**: 3 new test cases for time filtering
(`since`, `until`, combined)
- **Conversation Search Tests**: 3 new test cases for time filtering
- **Message Search Tests**: 10+ test cases covering:
  - Individual filters (`from`, `inbox_id`, time range)
  - Combined filters
  - Permission validation for inbox access
  - Feature flag checks
  - 90-day limit enforcement
  - Error handling for exceeded time limits

### Test Commands
```bash
# Run all search controller tests
bundle exec rspec spec/controllers/api/v1/accounts/search_controller_spec.rb

# Run search service tests (includes enterprise specs)
bundle exec rspec spec/services/search_service_spec.rb
```

### Manual Testing Setup
A rake task is provided to create 50,000 test messages across multiple
inboxes:

```bash
# 1. Create test data
bundle exec rake search:setup_test_data

# 2. Start OpenSearch
mise elasticsearch-start

# 3. Reindex messages
rails runner "Message.search_index.import Message.all"

# 4. Enable feature flag
rails runner "Account.first.enable_features('advanced_search')"

# 5. Test via API or Rails console
```

---

## Checklist

- [x] My code follows the style guidelines of this project
- [x] I have performed a self-review of my code
- [x] I have commented on my code, particularly in hard-to-understand
areas
- [x] I have made corresponding changes to the documentation (this PR
description)
- [x] My changes generate no new warnings
- [x] I have added tests that prove my fix is effective or that my
feature works
- [x] New and existing unit tests pass locally with my changes
- [ ] Any dependent changes have been merged and published in downstream
modules

---

## Additional Notes

### Requirements
- **OpenSearch/Elasticsearch**: Required for advanced message search
  - Set `OPENSEARCH_URL` environment variable
  - Example: `export OPENSEARCH_URL=http://localhost:9200`
- **Feature Flags**:
  - `advanced_search`: Account-level flag for message advanced search
- `search_with_gin` (optional): Account-level flag for GIN-based SQL
search

### Performance Considerations
- 90-day limit prevents expensive long-range queries on large datasets
- GIN indexes recommended for high-volume search on SQL-based resources
- OpenSearch/Elasticsearch provides faster full-text search for messages

### Breaking Changes
- None. All new parameters are optional and backward compatible.

### Frontend Integration
- Frontend PR tracking advanced search UI will consume these endpoints
- Time range pickers should convert JavaScript `Date` to Unix timestamps
(seconds)
- Date conversion: `Math.floor(date.getTime() / 1000)`

### Error Handling
- Invalid `from` parameter format is silently ignored (filter not
applied)
- Time range exceeding 90 days returns `422` with error message
- Missing `q` parameter returns `422` (existing behavior)
- Unauthorized inbox access is filtered out (no error, just excluded
from results)

---------

Co-authored-by: iamsivin <iamsivin@gmail.com>
Co-authored-by: Sivin Varghese <64252451+iamsivin@users.noreply.github.com>
Co-authored-by: Pranav <pranav@chatwoot.com>
Co-authored-by: Muhsin Keloth <muhsinkeramam@gmail.com>
2026-01-07 15:30:49 +05:30

757 lines
34 KiB
Ruby

require 'rails_helper'
describe SearchService do
subject(:search) { described_class.new(current_user: user, current_account: account, params: params, search_type: search_type) }
let(:search_type) { 'all' }
let!(:account) { create(:account) }
let!(:user) { create(:user, account: account) }
let!(:inbox) { create(:inbox, account: account, enable_auto_assignment: false) }
let!(:harry) { create(:contact, name: 'Harry Potter', email: 'test@test.com', account_id: account.id) }
let!(:conversation) { create(:conversation, contact: harry, inbox: inbox, account: account) }
let!(:message) { create(:message, account: account, inbox: inbox, content: 'Harry Potter is a wizard') }
let!(:portal) { create(:portal, account: account) }
let(:article) do
create(:article, title: 'Harry Potter Magic Guide', content: 'Learn about wizardry', account: account, portal: portal, author: user,
status: 'published')
end
before do
create(:inbox_member, user: user, inbox: inbox)
Current.account = account
end
after do
Current.account = nil
end
describe '#perform' do
context 'when search types' do
let(:params) { { q: 'Potter' } }
it 'returns all for all' do
search_type = 'all'
search = described_class.new(current_user: user, current_account: account, params: params, search_type: search_type)
expect(search.perform.keys).to match_array(%i[contacts messages conversations articles])
end
it 'returns contacts for contacts' do
search_type = 'Contact'
search = described_class.new(current_user: user, current_account: account, params: params, search_type: search_type)
expect(search.perform.keys).to match_array(%i[contacts])
end
it 'returns messages for messages' do
search_type = 'Message'
search = described_class.new(current_user: user, current_account: account, params: params, search_type: search_type)
expect(search.perform.keys).to match_array(%i[messages])
end
it 'returns conversations for conversations' do
search_type = 'Conversation'
search = described_class.new(current_user: user, current_account: account, params: params, search_type: search_type)
expect(search.perform.keys).to match_array(%i[conversations])
end
it 'returns articles for articles' do
search_type = 'Article'
search = described_class.new(current_user: user, current_account: account, params: params, search_type: search_type)
expect(search.perform.keys).to match_array(%i[articles])
end
end
context 'when contact search' do
it 'searches across name, email, phone_number and identifier and returns in the order of contact last_activity_at' do
# random contact
create(:contact, account_id: account.id)
# unresolved contact -> no identifying info
# will not appear in search results
create(:contact, name: 'Harry Potter', account_id: account.id)
harry2 = create(:contact, email: 'HarryPotter@test.com', account_id: account.id, last_activity_at: 2.days.ago)
harry3 = create(:contact, identifier: 'Potter123', account_id: account.id, last_activity_at: 1.day.ago)
harry4 = create(:contact, identifier: 'Potter1235', account_id: account.id, last_activity_at: 2.minutes.ago)
params = { q: 'Potter ' }
search = described_class.new(current_user: user, current_account: account, params: params, search_type: 'Contact')
expect(search.perform[:contacts].map(&:id)).to eq([harry4.id, harry3.id, harry2.id, harry.id])
end
end
context 'when message search' do
let!(:message2) { create(:message, account: account, inbox: inbox, content: 'harry is cool') }
it 'searches across message content and return in created_at desc' do
# random messages in another account
create(:message, content: 'Harry Potter is a wizard')
# random messsage in inbox with out access
create(:message, account: account, inbox: create(:inbox, account: account), content: 'Harry Potter is a wizard')
params = { q: 'Harry' }
search = described_class.new(current_user: user, current_account: account, params: params, search_type: 'Message')
expect(search.perform[:messages].map(&:id)).to eq([message2.id, message.id])
end
context 'with feature flag for search type' do
let(:params) { { q: 'Harry' } }
let(:search_type) { 'Message' }
it 'uses LIKE search when search_with_gin feature is disabled' do
allow(account).to receive(:feature_enabled?).and_call_original
allow(account).to receive(:feature_enabled?).with('search_with_gin').and_return(false)
search_service = described_class.new(current_user: user, current_account: account, params: params, search_type: search_type)
expect(search_service).to receive(:filter_messages_with_like).and_call_original
expect(search_service).not_to receive(:filter_messages_with_gin)
search_service.perform
end
it 'uses GIN search when search_with_gin feature is enabled' do
allow(account).to receive(:feature_enabled?).and_call_original
allow(account).to receive(:feature_enabled?).with('search_with_gin').and_return(true)
search_service = described_class.new(current_user: user, current_account: account, params: params, search_type: search_type)
expect(search_service).to receive(:filter_messages_with_gin).and_call_original
expect(search_service).not_to receive(:filter_messages_with_like)
search_service.perform
end
it 'returns same results regardless of search type' do
# Create test messages
message3 = create(:message, account: account, inbox: inbox, content: 'Harry is a wizard apprentice')
# Test with GIN search
allow(account).to receive(:feature_enabled?).and_call_original
allow(account).to receive(:feature_enabled?).with('search_with_gin').and_return(true)
gin_search = described_class.new(current_user: user, current_account: account, params: params, search_type: search_type)
gin_results = gin_search.perform[:messages].map(&:id)
# Test with LIKE search
allow(account).to receive(:feature_enabled?).and_call_original
allow(account).to receive(:feature_enabled?).with('search_with_gin').and_return(false)
like_search = described_class.new(current_user: user, current_account: account, params: params, search_type: search_type)
like_results = like_search.perform[:messages].map(&:id)
# Both search types should return the same messages
expect(gin_results).to match_array(like_results)
expect(gin_results).to include(message.id, message2.id, message3.id)
end
end
# rubocop:disable RSpec/MultipleMemoizedHelpers
context 'when filtering messages with time, sender, and inbox', :opensearch do
let!(:agent) { create(:user, account: account) }
let!(:inbox2) { create(:inbox, account: account) }
let!(:old_message) do
create(:message, account: account, inbox: inbox, content: 'old wizard message', sender: harry, created_at: 80.days.ago)
end
let!(:recent_message) do
create(:message, account: account, inbox: inbox, content: 'recent wizard message', sender: harry, created_at: 1.day.ago)
end
let!(:agent_message) do
create(:message, account: account, inbox: inbox, content: 'wizard from agent', sender: agent, created_at: 1.day.ago)
end
let!(:inbox2_message) do
create(:message, account: account, inbox: inbox2, content: 'wizard in inbox2', sender: harry, created_at: 1.day.ago)
end
before do
account.enable_features!('advanced_search')
create(:inbox_member, inbox: inbox2, user: user)
end
it 'filters messages by time range with LIKE search' do
allow(ChatwootApp).to receive(:advanced_search_allowed?).and_return(false)
allow(account).to receive(:feature_enabled?).and_call_original
allow(account).to receive(:feature_enabled?).with('search_with_gin').and_return(false)
allow(account).to receive(:feature_enabled?).with('advanced_search').and_return(true)
params = { q: 'wizard', since: 50.days.ago.to_i, search_type: 'Message' }
search = described_class.new(current_user: user, current_account: account, params: params, search_type: 'Message')
results = search.perform[:messages]
expect(results.map(&:id)).to include(recent_message.id, agent_message.id, inbox2_message.id)
expect(results.map(&:id)).not_to include(old_message.id)
end
it 'filters messages by time range with GIN search' do
allow(ChatwootApp).to receive(:advanced_search_allowed?).and_return(false)
allow(account).to receive(:feature_enabled?).and_call_original
allow(account).to receive(:feature_enabled?).with('search_with_gin').and_return(true)
allow(account).to receive(:feature_enabled?).with('advanced_search').and_return(true)
params = { q: 'wizard', since: 50.days.ago.to_i, search_type: 'Message' }
search = described_class.new(current_user: user, current_account: account, params: params, search_type: 'Message')
results = search.perform[:messages]
expect(results.map(&:id)).to include(recent_message.id, agent_message.id, inbox2_message.id)
expect(results.map(&:id)).not_to include(old_message.id)
end
it 'filters messages by sender (contact)' do
allow(ChatwootApp).to receive(:advanced_search_allowed?).and_return(false)
allow(account).to receive(:feature_enabled?).and_call_original
allow(account).to receive(:feature_enabled?).with('search_with_gin').and_return(false)
allow(account).to receive(:feature_enabled?).with('advanced_search').and_return(true)
params = { q: 'wizard', from: "contact:#{harry.id}", search_type: 'Message' }
search = described_class.new(current_user: user, current_account: account, params: params, search_type: 'Message')
results = search.perform[:messages]
expect(results.map(&:id)).to include(recent_message.id, old_message.id, inbox2_message.id)
expect(results.map(&:id)).not_to include(agent_message.id)
end
it 'filters messages by sender (agent)' do
allow(ChatwootApp).to receive(:advanced_search_allowed?).and_return(false)
allow(account).to receive(:feature_enabled?).and_call_original
allow(account).to receive(:feature_enabled?).with('search_with_gin').and_return(false)
allow(account).to receive(:feature_enabled?).with('advanced_search').and_return(true)
params = { q: 'wizard', from: "agent:#{agent.id}", search_type: 'Message' }
search = described_class.new(current_user: user, current_account: account, params: params, search_type: 'Message')
results = search.perform[:messages]
expect(results.map(&:id)).to include(agent_message.id)
expect(results.map(&:id)).not_to include(recent_message.id, old_message.id, inbox2_message.id)
end
it 'filters messages by inbox' do
allow(ChatwootApp).to receive(:advanced_search_allowed?).and_return(false)
allow(account).to receive(:feature_enabled?).and_call_original
allow(account).to receive(:feature_enabled?).with('search_with_gin').and_return(false)
allow(account).to receive(:feature_enabled?).with('advanced_search').and_return(true)
params = { q: 'wizard', inbox_id: inbox2.id, search_type: 'Message' }
search = described_class.new(current_user: user, current_account: account, params: params, search_type: 'Message')
results = search.perform[:messages]
expect(results.map(&:id)).to include(inbox2_message.id)
expect(results.map(&:id)).not_to include(recent_message.id, old_message.id, agent_message.id)
end
it 'combines multiple filters' do
allow(ChatwootApp).to receive(:advanced_search_allowed?).and_return(false)
allow(account).to receive(:feature_enabled?).and_call_original
allow(account).to receive(:feature_enabled?).with('search_with_gin').and_return(false)
allow(account).to receive(:feature_enabled?).with('advanced_search').and_return(true)
params = { q: 'wizard', since: 50.days.ago.to_i, inbox_id: inbox.id, from: "contact:#{harry.id}", search_type: 'Message' }
search = described_class.new(current_user: user, current_account: account, params: params, search_type: 'Message')
results = search.perform[:messages]
expect(results.map(&:id)).to include(recent_message.id)
expect(results.map(&:id)).not_to include(old_message.id, agent_message.id, inbox2_message.id)
end
end
# rubocop:enable RSpec/MultipleMemoizedHelpers
end
context 'when conversation search' do
it 'searches across conversations using contact information and order by created_at desc' do
# random messages in another inbox
random = create(:contact, account_id: account.id)
create(:conversation, contact: random, inbox: inbox, account: account)
conv2 = create(:conversation, contact: harry, inbox: inbox, account: account)
params = { q: 'Harry' }
search = described_class.new(current_user: user, current_account: account, params: params, search_type: 'Conversation')
expect(search.perform[:conversations].map(&:id)).to eq([conv2.id, conversation.id])
end
it 'searches across conversations with display id' do
random = create(:contact, account_id: account.id, name: 'random', email: 'random@random.test', identifier: 'random')
new_converstion = create(:conversation, contact: random, inbox: inbox, account: account)
params = { q: new_converstion.display_id }
search = described_class.new(current_user: user, current_account: account, params: params, search_type: 'Conversation')
expect(search.perform[:conversations].map(&:id)).to include new_converstion.id
end
end
context 'when article search' do
it 'returns matching articles' do
article2 = create(:article, title: 'Spellcasting Guide',
account: account, portal: portal, author: user, status: 'published')
article3 = create(:article, title: 'Spellcasting Manual',
account: account, portal: portal, author: user, status: 'published')
params = { q: 'Spellcasting' }
search = described_class.new(current_user: user, current_account: account, params: params, search_type: 'Article')
results = search.perform[:articles]
expect(results.length).to eq(2)
expect(results.map(&:id)).to contain_exactly(article2.id, article3.id)
end
it 'returns paginated results' do
# Create many articles to test pagination
16.times do |i|
create(:article, title: "Magic Article #{i}", account: account, portal: portal, author: user, status: 'published')
end
params = { q: 'Magic', page: 1 }
search = described_class.new(current_user: user, current_account: account, params: params, search_type: 'Article')
results = search.perform[:articles]
expect(results.length).to eq(15) # Default per_page is 15
end
end
context 'when filtering contacts with time caps', :opensearch do
let!(:old_contact) { create(:contact, name: 'Old Potter', email: 'old@test.com', account: account, last_activity_at: 100.days.ago) }
let!(:recent_contact) { create(:contact, name: 'Recent Potter', email: 'recent@test.com', account: account, last_activity_at: 1.day.ago) }
before do
account.enable_features!('advanced_search')
end
it 'caps since to 90 days ago and excludes older contacts' do
params = { q: 'Potter', since: 100.days.ago.to_i, search_type: 'Contact' }
search = described_class.new(current_user: user, current_account: account, params: params, search_type: 'Contact')
results = search.perform[:contacts]
expect(results.map(&:id)).not_to include(old_contact.id)
expect(results.map(&:id)).to include(recent_contact.id)
end
it 'caps until to 90 days from now' do
params = { q: 'Potter', until: 100.days.from_now.to_i, search_type: 'Contact' }
search = described_class.new(current_user: user, current_account: account, params: params, search_type: 'Contact')
results = search.perform[:contacts]
# Both contacts should be included since their last_activity_at is before the capped time
expect(results.map(&:id)).to include(recent_contact.id)
end
end
context 'when filtering conversations with time caps', :opensearch do
let!(:old_conversation) { create(:conversation, contact: harry, inbox: inbox, account: account, last_activity_at: 100.days.ago) }
let!(:recent_conversation) { create(:conversation, contact: harry, inbox: inbox, account: account, last_activity_at: 1.day.ago) }
before do
account.enable_features!('advanced_search')
end
it 'caps since to 90 days ago and excludes older conversations' do
params = { q: 'Harry', since: 100.days.ago.to_i, search_type: 'Conversation' }
search = described_class.new(current_user: user, current_account: account, params: params, search_type: 'Conversation')
results = search.perform[:conversations]
expect(results.map(&:id)).not_to include(old_conversation.id)
expect(results.map(&:id)).to include(recent_conversation.id)
end
it 'caps until to 90 days from now' do
params = { q: 'Harry', until: 100.days.from_now.to_i, search_type: 'Conversation' }
search = described_class.new(current_user: user, current_account: account, params: params, search_type: 'Conversation')
results = search.perform[:conversations]
# Both conversations should be included since their last_activity_at is before the capped time
expect(results.map(&:id)).to include(recent_conversation.id)
end
end
context 'when filtering articles with time caps', :opensearch do
let!(:old_article) do
create(:article, title: 'Old Magic Guide', account: account, portal: portal, author: user, status: 'published', updated_at: 100.days.ago)
end
let!(:recent_article) do
create(:article, title: 'Recent Magic Guide', account: account, portal: portal, author: user, status: 'published', updated_at: 1.day.ago)
end
before do
account.enable_features!('advanced_search')
end
it 'caps since to 90 days ago and excludes older articles' do
params = { q: 'Magic', since: 100.days.ago.to_i, search_type: 'Article' }
search = described_class.new(current_user: user, current_account: account, params: params, search_type: 'Article')
results = search.perform[:articles]
expect(results.map(&:id)).not_to include(old_article.id)
expect(results.map(&:id)).to include(recent_article.id)
end
it 'caps until to 90 days from now' do
params = { q: 'Magic', until: 100.days.from_now.to_i, search_type: 'Article' }
search = described_class.new(current_user: user, current_account: account, params: params, search_type: 'Article')
results = search.perform[:articles]
# Both articles should be included since their updated_at is before the capped time
expect(results.map(&:id)).to include(recent_article.id)
end
end
end
describe '#message_base_query' do
let(:params) { { q: 'test' } }
let(:search_type) { 'Message' }
context 'when user is admin' do
let(:admin_user) { create(:user) }
let(:admin_search) do
create(:account_user, account: account, user: admin_user, role: 'administrator')
described_class.new(current_user: admin_user, current_account: account, params: params, search_type: search_type)
end
it 'does not filter by inbox_id' do
# Testing the private method itself seems like the best way to ensure
# that the inboxes are not added to the search query
base_query = admin_search.send(:message_base_query)
# Should only have the time filter, not inbox filter
expect(base_query.to_sql).to include('created_at >= ')
expect(base_query.to_sql).not_to include('inbox_id')
end
end
context 'when user is not admin' do
before do
account_user = account.account_users.find_or_create_by(user: user)
account_user.update!(role: 'agent')
end
it 'filters by accessible inbox_id when user has limited access' do
# Create an additional inbox that user is NOT assigned to
create(:inbox, account: account)
base_query = search.send(:message_base_query)
# Should have both time and inbox filters
expect(base_query.to_sql).to include('created_at >= ')
expect(base_query.to_sql).to include('inbox_id')
end
context 'when user has access to all inboxes' do
before do
# Create additional inbox and assign user to all inboxes
other_inbox = create(:inbox, account: account)
create(:inbox_member, user: user, inbox: other_inbox)
end
it 'skips inbox filtering as optimization' do
base_query = search.send(:message_base_query)
# Should only have the time filter, not inbox filter
expect(base_query.to_sql).to include('created_at >= ')
expect(base_query.to_sql).not_to include('inbox_id')
end
end
end
end
describe '#use_gin_search' do
let(:params) { { q: 'test' } }
it 'checks if the account has the search_with_gin feature enabled' do
expect(account).to receive(:feature_enabled?).with('search_with_gin')
search.send(:use_gin_search)
end
it 'returns true when search_with_gin feature is enabled' do
allow(account).to receive(:feature_enabled?).with('search_with_gin').and_return(true)
expect(search.send(:use_gin_search)).to be true
end
it 'returns false when search_with_gin feature is disabled' do
allow(account).to receive(:feature_enabled?).with('search_with_gin').and_return(false)
expect(search.send(:use_gin_search)).to be false
end
end
describe '#advanced_search with filters', if: Message.respond_to?(:search) do
let(:params) { { q: 'test' } }
let(:search_type) { 'Message' }
before do
allow(ChatwootApp).to receive(:advanced_search_allowed?).and_return(true)
allow(account).to receive(:feature_enabled?).and_call_original
allow(account).to receive(:feature_enabled?).with('advanced_search').and_return(true)
allow(Message).to receive(:search).and_return([])
end
context 'when advanced_search feature flag is disabled' do
it 'ignores filters and falls back to standard search' do
allow(ChatwootApp).to receive(:advanced_search_allowed?).and_return(false)
contact = create(:contact, account: account)
inbox2 = create(:inbox, account: account)
params = { q: 'test', from: "contact:#{contact.id}", inbox_id: inbox2.id, since: 3.days.ago.to_i }
search_service = described_class.new(current_user: user, current_account: account, params: params, search_type: search_type)
expect(search_service).not_to receive(:advanced_search)
search_service.perform
end
end
context 'when filtering by from parameter' do
let(:contact) { create(:contact, account: account) }
let(:agent) { create(:user, account: account) }
it 'filters messages from specific contact' do
params = { q: 'test', from: "contact:#{contact.id}" }
search_service = described_class.new(current_user: user, current_account: account, params: params, search_type: search_type)
expect(Message).to receive(:search).with(
'test',
hash_including(
where: hash_including(
sender_type: 'Contact',
sender_id: contact.id
)
)
).and_return([])
search_service.perform
end
it 'filters messages from specific agent' do
params = { q: 'test', from: "agent:#{agent.id}" }
search_service = described_class.new(current_user: user, current_account: account, params: params, search_type: search_type)
expect(Message).to receive(:search).with(
'test',
hash_including(
where: hash_including(
sender_type: 'User',
sender_id: agent.id
)
)
).and_return([])
search_service.perform
end
it 'ignores invalid from parameter format' do
params = { q: 'test', from: 'invalid:format' }
search_service = described_class.new(current_user: user, current_account: account, params: params, search_type: search_type)
expect(Message).to receive(:search).with(
'test',
hash_including(
where: hash_not_including(:sender_type, :sender_id)
)
).and_return([])
search_service.perform
end
end
context 'when filtering by time range' do
it 'defaults to 90 days ago when no since parameter is provided' do
params = { q: 'test' }
search_service = described_class.new(current_user: user, current_account: account, params: params, search_type: search_type)
expect(Message).to receive(:search).with(
'test',
hash_including(
where: hash_including(
created_at: hash_including(gte: be_within(1.second).of(Limits::MESSAGE_SEARCH_TIME_RANGE_LIMIT_DAYS.days.ago))
)
)
).and_return([])
search_service.perform
end
it 'silently caps since timestamp to 90 day limit when exceeded' do
since_timestamp = (Limits::MESSAGE_SEARCH_TIME_RANGE_LIMIT_DAYS * 2).days.ago.to_i
params = { q: 'test', since: since_timestamp }
search_service = described_class.new(current_user: user, current_account: account, params: params, search_type: search_type)
expect(Message).to receive(:search).with(
'test',
hash_including(
where: hash_including(
created_at: hash_including(gte: be_within(1.second).of(Limits::MESSAGE_SEARCH_TIME_RANGE_LIMIT_DAYS.days.ago))
)
)
).and_return([])
search_service.perform
end
it 'filters messages since timestamp when within 90 day limit' do
since_timestamp = 3.days.ago.to_i
params = { q: 'test', since: since_timestamp }
search_service = described_class.new(current_user: user, current_account: account, params: params, search_type: search_type)
expect(Message).to receive(:search).with(
'test',
hash_including(
where: hash_including(
created_at: hash_including(gte: Time.zone.at(since_timestamp))
)
)
).and_return([])
search_service.perform
end
it 'filters messages until timestamp' do
until_timestamp = 5.days.ago.to_i
params = { q: 'test', until: until_timestamp }
search_service = described_class.new(current_user: user, current_account: account, params: params, search_type: search_type)
expect(Message).to receive(:search).with(
'test',
hash_including(
where: hash_including(
created_at: hash_including(lte: Time.zone.at(until_timestamp))
)
)
).and_return([])
search_service.perform
end
it 'filters messages within time range' do
since_timestamp = 5.days.ago.to_i
until_timestamp = 12.hours.ago.to_i
params = { q: 'test', since: since_timestamp, until: until_timestamp }
search_service = described_class.new(current_user: user, current_account: account, params: params, search_type: search_type)
expect(Message).to receive(:search).with(
'test',
hash_including(
where: hash_including(
created_at: hash_including(
gte: Time.zone.at(since_timestamp),
lte: Time.zone.at(until_timestamp)
)
)
)
).and_return([])
search_service.perform
end
it 'silently caps until timestamp to 90 days from now when exceeded' do
until_timestamp = 100.days.from_now.to_i
params = { q: 'test', until: until_timestamp }
search_service = described_class.new(current_user: user, current_account: account, params: params, search_type: search_type)
expect(Message).to receive(:search).with(
'test',
hash_including(
where: hash_including(
created_at: hash_including(lte: be_within(1.second).of(90.days.from_now))
)
)
).and_return([])
search_service.perform
end
end
context 'when filtering by inbox_id' do
let!(:inbox2) { create(:inbox, account: account) }
before do
create(:inbox_member, user: user, inbox: inbox2)
end
it 'filters messages from specific inbox' do
params = { q: 'test', inbox_id: inbox2.id }
search_service = described_class.new(current_user: user, current_account: account, params: params, search_type: search_type)
expect(Message).to receive(:search).with(
'test',
hash_including(
where: hash_including(inbox_id: inbox2.id)
)
).and_return([])
search_service.perform
end
it 'ignores inbox filter when user lacks access' do
restricted_inbox = create(:inbox, account: account)
params = { q: 'test', inbox_id: restricted_inbox.id }
search_service = described_class.new(current_user: user, current_account: account, params: params, search_type: search_type)
expect(Message).to receive(:search).with(
'test',
hash_including(
where: hash_not_including(inbox_id: restricted_inbox.id)
)
).and_return([])
search_service.perform
end
end
context 'when combining multiple filters' do
it 'applies all filters together' do
test_contact = create(:contact, account: account)
test_inbox = create(:inbox, account: account)
create(:inbox_member, user: user, inbox: test_inbox)
since_timestamp = 3.days.ago.to_i
params = { q: 'test', from: "contact:#{test_contact.id}", inbox_id: test_inbox.id, since: since_timestamp }
search_service = described_class.new(current_user: user, current_account: account, params: params, search_type: search_type)
expect(Message).to receive(:search).with(
'test',
hash_including(
where: hash_including(
sender_type: 'Contact',
sender_id: test_contact.id,
inbox_id: test_inbox.id,
created_at: hash_including(gte: Time.zone.at(since_timestamp))
)
)
).and_return([])
search_service.perform
end
end
end
describe '#advanced_search_with_fallback' do
let(:params) { { q: 'test' } }
let(:search_type) { 'Message' }
context 'when Elasticsearch is unavailable' do
it 'falls back to LIKE search when Elasticsearch connection fails' do
allow(account).to receive(:feature_enabled?).and_call_original
allow(account).to receive(:feature_enabled?).with('advanced_search').and_return(true)
allow(account).to receive(:feature_enabled?).with('search_with_gin').and_return(false)
params = { q: 'test' }
search_service = described_class.new(current_user: user, current_account: account, params: params, search_type: search_type)
allow(search_service).to receive(:advanced_search).and_raise(Faraday::ConnectionFailed.new('Connection refused'))
expect(search_service).to receive(:filter_messages_with_like).and_call_original
expect { search_service.perform }.not_to raise_error
end
it 'falls back to GIN search when Elasticsearch is unavailable and GIN is enabled' do
allow(account).to receive(:feature_enabled?).and_call_original
allow(account).to receive(:feature_enabled?).with('advanced_search').and_return(true)
allow(account).to receive(:feature_enabled?).with('search_with_gin').and_return(true)
params = { q: 'test' }
search_service = described_class.new(current_user: user, current_account: account, params: params, search_type: search_type)
allow(search_service).to receive(:advanced_search).and_raise(Searchkick::Error.new('Elasticsearch unavailable'))
expect(search_service).to receive(:filter_messages_with_gin).and_call_original
expect { search_service.perform }.not_to raise_error
end
it 'applies filters correctly in SQL fallback when Elasticsearch fails' do
allow(account).to receive(:feature_enabled?).and_call_original
allow(account).to receive(:feature_enabled?).with('advanced_search').and_return(true)
allow(account).to receive(:feature_enabled?).with('search_with_gin').and_return(false)
test_contact = create(:contact, account: account)
create(:message, account: account, inbox: inbox, content: 'test message', sender: test_contact, created_at: 1.day.ago)
params = { q: 'test', from: "contact:#{test_contact.id}", since: 2.days.ago.to_i }
search_service = described_class.new(current_user: user, current_account: account, params: params, search_type: search_type)
allow(search_service).to receive(:advanced_search).and_raise(Faraday::ConnectionFailed.new('Connection refused'))
results = search_service.perform[:messages]
expect(results).not_to be_empty
expect(results.first.sender_id).to eq(test_contact.id)
end
end
end
end