- 
                Notifications
    You must be signed in to change notification settings 
- Fork 179
feature/zendesk #47
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
          
     Open
      
      
            embercoat
  wants to merge
  6
  commits into
  GerevAI:main
  
    
      
        
          
  
    
      Choose a base branch
      
     
    
      
        
      
      
        
          
          
        
        
          
            
              
              
              
  
           
        
        
          
            
              
              
           
        
       
     
  
        
          
            
          
            
          
        
       
    
      
from
embercoat:zendesk
  
      
      
   
  
    
  
  
  
 
  
      
    base: main
Could not load branches
            
              
  
    Branch not found: {{ refName }}
  
            
                
      Loading
              
            Could not load tags
            
            
              Nothing to show
            
              
  
            
                
      Loading
              
            Are you sure you want to change the base?
            Some commits from the old base branch may be removed from the timeline,
            and old review comments may become outdated.
          
          
  
     Open
                    feature/zendesk #47
Changes from 2 commits
      Commits
    
    
            Show all changes
          
          
            6 commits
          
        
        Select commit
          Hold shift + click to select a range
      
      
    File filter
Filter by extension
Conversations
          Failed to load comments.   
        
        
          
      Loading
        
  Jump to
        
          Jump to file
        
      
      
          Failed to load files.   
        
        
          
      Loading
        
  Diff view
Diff view
There are no files selected for viewing
  
    
      This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
      Learn more about bidirectional Unicode characters
    
  
  
    
              | Original file line number | Diff line number | Diff line change | 
|---|---|---|
| @@ -0,0 +1,192 @@ | ||
| import logging | ||
| from abc import abstractmethod, ABC | ||
| from datetime import datetime | ||
| from enum import Enum | ||
| from typing import Dict, List, Optional | ||
| from data_source_api.exception import InvalidDataSourceConfig | ||
| from data_source_api.basic_document import BasicDocument, DocumentType | ||
| from indexing_queue import IndexingQueue | ||
| import re | ||
| import json | ||
| import base64 | ||
| import requests | ||
| from parsers.html import html_to_text | ||
| from pydantic import BaseModel | ||
|  | ||
| from db_engine import Session | ||
| from schemas import DataSource | ||
|  | ||
| #import http.client as http_client | ||
| #http_client.HTTPConnection.debuglevel = 1 | ||
|  | ||
| class HTMLInputType(Enum): | ||
| TEXT = "text" | ||
| TEXTAREA = "textarea" | ||
| PASSWORD = "password" | ||
|  | ||
|  | ||
| class ConfigField(BaseModel): | ||
| name: str | ||
| input_type: HTMLInputType = HTMLInputType.TEXT | ||
| label: Optional[str] = None | ||
| placeholder: Optional[str] = None | ||
|  | ||
| def __init__(self, **data): | ||
| name = data.get("name") | ||
| label = data.get("label") or name.title() | ||
| data["label"] = label | ||
| data["placeholder"] = data.get("placeholder") or label | ||
| super().__init__(**data) | ||
|  | ||
| class Config: | ||
| use_enum_values = True | ||
|  | ||
|  | ||
| class ZendeskDataSource(ABC): | ||
|         
                  embercoat marked this conversation as resolved.
              Outdated
          
            Show resolved
            Hide resolved | ||
|  | ||
| cached_users={} | ||
| cached_sections={} | ||
| cached_categories={} | ||
|  | ||
| @staticmethod | ||
| def get_config_fields() -> List[ConfigField]: | ||
| """ | ||
| Returns a list of fields that are required to configure the data source for UI. | ||
| for example: | ||
| """ | ||
| return [ | ||
| ConfigField(label="BaseUrl", name="baseurl", type="text", placeholder="https://example.zendesk.com"), | ||
| ConfigField(label="Email", name="email", type="text", placeholder="example@example.com"), | ||
| ConfigField(label="Token", name="token", type="password", placeholder="paste-your-token-here") | ||
| ] | ||
|  | ||
|  | ||
| @staticmethod | ||
| def validate_config(config: Dict) -> None: | ||
| """ | ||
| Validates the config and raises an exception if it's invalid. | ||
| """ | ||
| print("Validating zendesk config") | ||
| print(json.dumps(config)) | ||
| auth=base64.b64encode(bytes('{}/token:{}'.format(config['email'], config['token']), 'utf-8')) # bytes | ||
| headers = {'Authorization': 'Basic {}'.format(auth.decode("utf-8"))} | ||
| response=requests.get('{}/api/v2/help_center/en-us/articles'.format(config['baseurl']), headers=headers) | ||
| if response.status_code != 200: | ||
| raise InvalidDataSourceConfig | ||
|  | ||
| @staticmethod | ||
| def _is_valid_message(message: Dict) -> bool: | ||
| return 'client_msg_id' in message | ||
|  | ||
| @classmethod | ||
| def get_display_name(cls) -> str: | ||
| """ | ||
| Returns the display name of the data source, change GoogleDriveDataSource to Google Drive. | ||
| """ | ||
| pascal_case_source = cls.__name__.replace("DataSource", "") | ||
| words = re.findall('[A-Z][^A-Z]*', pascal_case_source) | ||
| return " ".join(words) | ||
|  | ||
| def auth_headers(self): | ||
| auth=base64.b64encode(bytes('{}/token:{}'.format(self._config['email'], self._config['token']), 'utf-8')) # bytes | ||
| return {'Authorization': 'Basic {}'.format(auth.decode("utf-8"))} | ||
|  | ||
| def zendesk_get(self, endpoint): | ||
| return requests.get('{}{}'.format(self._config['baseurl'], endpoint), headers=self.auth_headers()) | ||
|  | ||
| def zendesk_get_user(self, userid): | ||
| if not userid in self.cached_users: | ||
| user=requests.get(self._config['baseurl']+'/api/v2/users/{}'.format(userid), headers=self.auth_headers()) | ||
| parsedUser=json.loads(user.content) | ||
| self.cached_users[userid] = parsedUser['user'] | ||
|  | ||
| return self.cached_users[userid] | ||
|  | ||
| def zendesk_get_section(self, sectionid): | ||
| if not sectionid in self.cached_sections: | ||
| url=self._config['baseurl']+'/api/v2/help_center/sections/{}'.format(sectionid) | ||
| section=requests.get(url, headers=self.auth_headers()) | ||
| parsedSection=json.loads(section.content) | ||
| self.cached_sections[sectionid] = parsedSection['section'] | ||
|  | ||
| return self.cached_sections[sectionid] | ||
|  | ||
| def zendesk_get_category(self, categoryid): | ||
| if not categoryid in self.cached_categories: | ||
| category=requests.get(self._config['baseurl']+'/api/v2/help_center/categories/{}'.format(categoryid), headers=self.auth_headers()) | ||
| parsedCategory=json.loads(category.content) | ||
| self.cached_categories[categoryid] = parsedCategory['category'] | ||
|  | ||
| return self.cached_categories[categoryid] | ||
|  | ||
| def _feed_new_documents(self) -> None: | ||
| """ | ||
| Feeds the indexing queue with new documents. | ||
| """ | ||
| total_fed = 0 | ||
| current_page=1 | ||
| while True: | ||
| response=self.zendesk_get('/api/v2/help_center/en-us/articles?page={}'.format(current_page)) | ||
| articles=json.loads(response.content) | ||
|  | ||
| parsed_docs = [] | ||
| for article in articles['articles']: | ||
| print(article['title']) | ||
| last_modified = datetime.strptime(article['updated_at'], "%Y-%m-%dT%H:%M:%SZ") | ||
| if last_modified < self._last_index_time: | ||
| continue | ||
|  | ||
| doc_id = article['id'] | ||
| plain_text = html_to_text(article['body']) | ||
| author=self.zendesk_get_user(article['author_id']) | ||
| author_image_url = '' | ||
| if 'photo' in author and author['photo'] != None: | ||
| if 'content_url' in author['photo'] and author['photo']['content_url'] != None: | ||
| author_image_url = author['photo']['content_url'] | ||
|  | ||
| section=self.zendesk_get_section(article['section_id']) | ||
| category=self.zendesk_get_category(section['category_id']) | ||
|  | ||
| parsed_docs.append(BasicDocument(title=article['title'], | ||
| content=plain_text, | ||
| author=author['name'], | ||
| author_image_url=author_image_url, | ||
| timestamp=last_modified, | ||
| id=doc_id, | ||
| data_source_id=self._data_source_id, | ||
| location=category['name'], | ||
| url=article['html_url'], | ||
| type=DocumentType.DOCUMENT)) | ||
|  | ||
| total_fed += len(parsed_docs) | ||
| IndexingQueue.get().feed(docs=parsed_docs) | ||
| parsed_docs = [] | ||
|  | ||
| print("page: {}, pagecount: {}, current_page: {}".format(articles['page'], articles['page_count'], current_page)) | ||
| if articles['page'] == articles['page_count']: | ||
| break | ||
|  | ||
| current_page+=1 | ||
|  | ||
|  | ||
|  | ||
| def __init__(self, config: Dict, data_source_id: int, last_index_time: datetime = None) -> None: | ||
| self._config = config | ||
| self._data_source_id = data_source_id | ||
|  | ||
| if last_index_time is None: | ||
| last_index_time = datetime(2012, 1, 1) | ||
| self._last_index_time = last_index_time | ||
|  | ||
| def _set_last_index_time(self) -> None: | ||
|         
                  embercoat marked this conversation as resolved.
              Outdated
          
            Show resolved
            Hide resolved | ||
| with Session() as session: | ||
| data_source: DataSource = session.query(DataSource).filter_by(id=self._data_source_id).first() | ||
| data_source.last_indexed_at = datetime.now() | ||
| session.commit() | ||
|  | ||
| def index(self) -> None: | ||
| try: | ||
| self._set_last_index_time() | ||
| self._feed_new_documents() | ||
| except Exception as e: | ||
| logging.exception("Error while indexing data source") | ||
      
      Loading
      
  Sorry, something went wrong. Reload?
      Sorry, we cannot display this file.
      Sorry, this file is invalid so it cannot be displayed.
      
    
  
    
      This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
      Learn more about bidirectional Unicode characters
    
  
  
    
              
  Add this suggestion to a batch that can be applied as a single commit.
  This suggestion is invalid because no changes were made to the code.
  Suggestions cannot be applied while the pull request is closed.
  Suggestions cannot be applied while viewing a subset of changes.
  Only one suggestion per line can be applied in a batch.
  Add this suggestion to a batch that can be applied as a single commit.
  Applying suggestions on deleted lines is not supported.
  You must change the existing code in this line in order to create a valid suggestion.
  Outdated suggestions cannot be applied.
  This suggestion has been applied or marked resolved.
  Suggestions cannot be applied from pending reviews.
  Suggestions cannot be applied on multi-line comments.
  Suggestions cannot be applied while the pull request is queued to merge.
  Suggestion cannot be applied right now. Please check back later.
  
    
  
    
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
why those classes are here?
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Low level debugging while I was figuring out api-calls. Mostly obsolete now but useful when I forget how to spell