-
Notifications
You must be signed in to change notification settings - Fork 593
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
Google Cloud Storage importer #1098
Merged
Merged
Changes from 6 commits
Commits
Show all changes
9 commits
Select commit
Hold shift + click to select a range
568a046
GCS importer initial commit
berggren a1afd6a
fixes
berggren cacbde3
Merge branch 'master' into gcs-importer
berggren a4a608a
Merge branch 'master' into gcs-importer
berggren e559937
GCS importer
berggren 918d9d9
Merge branch 'master' into gcs-importer
berggren b45d928
Dont add timeline if no write acl on sketch
berggren b4f608f
Merge branch 'gcs-importer' of github.com:google/timesketch into gcs-…
berggren 29ae947
Fix typo
berggren 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 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,203 @@ | ||
# Copyright 2020 Google Inc. All rights reserved. | ||
# | ||
# Licensed under the Apache License, Version 2.0 (the "License"); | ||
# you may not use this file except in compliance with the License. | ||
# You may obtain a copy of the License at | ||
# | ||
# http://www.apache.org/licenses/LICENSE-2.0 | ||
# | ||
# Unless required by applicable law or agreed to in writing, software | ||
# distributed under the License is distributed on an "AS IS" BASIS, | ||
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. | ||
# See the License for the specific language governing permissions and | ||
# limitations under the License. | ||
"""Google Cloud Storage importer.""" | ||
|
||
import argparse | ||
import time | ||
import os | ||
import sys | ||
import uuid | ||
import json | ||
import logging | ||
|
||
from werkzeug.exceptions import Forbidden | ||
|
||
from timesketch import create_app | ||
from timesketch.lib import tasks | ||
from timesketch.models import db_session | ||
from timesketch.models.sketch import SearchIndex | ||
from timesketch.models.sketch import Sketch | ||
from timesketch.models.sketch import Timeline | ||
from timesketch.models.user import User | ||
|
||
try: | ||
from google.cloud import pubsub_v1 | ||
from google.cloud import storage | ||
except ImportError: | ||
sys.exit('ERROR: You are missing Google Cloud libraries') | ||
|
||
# Create logger | ||
logger = logging.getLogger('gcs_importer') | ||
logger.setLevel(logging.DEBUG) | ||
handler = logging.StreamHandler() | ||
handler.setLevel(logging.DEBUG) | ||
formatter = logging.Formatter("%(asctime)s [%(levelname)s] %(message)s") | ||
handler.setFormatter(formatter) | ||
logger.addHandler(handler) | ||
|
||
|
||
def download_from_gcs(gcs_base_path, filename): | ||
"""Download file from Google Cloud Storage (GCS). | ||
|
||
Args: | ||
gcs_base_path: (str) GCS bucket path | ||
filename: (str) Filename of the file to download | ||
|
||
Returns: | ||
(str) Path to downloaded file | ||
""" | ||
storage_client = storage.Client(args.project) | ||
bucket = storage_client.get_bucket(args.bucket) | ||
gcs_full_path = os.path.join(gcs_base_path, filename) | ||
local_path = os.path.join(args.output, filename) | ||
blob = bucket.blob(gcs_full_path) | ||
blob.download_to_filename(local_path) | ||
logger.info('Downloaded file from GCS: {}'.format(local_path)) | ||
return local_path | ||
|
||
|
||
def setup_sketch(timeline_name, index_name, username, sketch_id=None): | ||
"""Use existing sketch or create a new sketch. | ||
|
||
Args: | ||
timeline_name: (str) Name of the Timeline | ||
index_name: (str) Name of the index | ||
username: (str) Who should own the timeline | ||
sketch_id: (str) Optional sketch_id to add timeline to | ||
|
||
Returns: | ||
(str) Sketch ID | ||
""" | ||
with app.app_context(): | ||
user = User.get_or_create(username=username) | ||
sketch = None | ||
|
||
if sketch_id: | ||
try: | ||
sketch = Sketch.query.get_with_acl(sketch_id, user=user) | ||
logger.info('Using existing sketch: {} ({})'.format( | ||
sketch.name, sketch.id)) | ||
except Forbidden: | ||
pass | ||
|
||
if not sketch: | ||
# Create a new sketch. | ||
sketch_name = 'Turbinia: {}'.format(timeline_name) | ||
sketch = Sketch( | ||
name=sketch_name, description=sketch_name, user=user) | ||
# Need to commit here to be able to set permissions later. | ||
db_session.add(sketch) | ||
db_session.commit() | ||
sketch.grant_permission(permission='read', user=user) | ||
sketch.grant_permission(permission='write', user=user) | ||
sketch.grant_permission(permission='delete', user=user) | ||
sketch.status.append(sketch.Status(user=None, status='new')) | ||
db_session.add(sketch) | ||
db_session.commit() | ||
logger.info('Created new sketch: {} ({})'.format( | ||
sketch.name, sketch.id)) | ||
|
||
searchindex = SearchIndex.get_or_create( | ||
name=timeline_name, description='Created by Turbinia.', user=user, | ||
index_name=index_name) | ||
searchindex.grant_permission(permission='read', user=user) | ||
searchindex.grant_permission(permission='write', user=user) | ||
searchindex.grant_permission(permission='delete', user=user) | ||
searchindex.set_status('processing') | ||
db_session.add(searchindex) | ||
db_session.commit() | ||
|
||
if sketch.has_permission(user, 'write'): | ||
timeline = Timeline( | ||
name=searchindex.name, description=searchindex.description, | ||
sketch=sketch, user=user, searchindex=searchindex) | ||
sketch.timelines.append(timeline) | ||
db_session.add(timeline) | ||
db_session.commit() | ||
timeline.set_status('processing') | ||
|
||
return sketch.id | ||
|
||
|
||
def callback(message): | ||
"""Google PubSub callback. | ||
|
||
This function is called on all incoming messages on the configures topic. | ||
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. Tiny nit: s/configures/configured/ |
||
|
||
Args: | ||
message: (dict) PubSub message | ||
""" | ||
message.ack() | ||
gcs_full_path = message.attributes.get('objectId') | ||
|
||
# Exit early if the file type is wrong. | ||
if not gcs_full_path.endswith('.plaso.metadata.json'): | ||
return | ||
|
||
gcs_base_path = os.path.dirname(gcs_full_path) | ||
gcs_metadata_filename = os.path.basename(gcs_full_path) | ||
gcs_base_filename = gcs_metadata_filename.replace('.metadata.json', '') | ||
gcs_plaso_filename = gcs_base_filename | ||
|
||
# Download files from GCS | ||
local_metadata_file = download_from_gcs( | ||
gcs_base_path, gcs_metadata_filename) | ||
local_plaso_file = download_from_gcs(gcs_base_path, gcs_plaso_filename) | ||
|
||
with open(local_metadata_file, 'r') as metadata_file: | ||
metadata = json.load(metadata_file) | ||
username = metadata.get('requester') | ||
sketch_id_from_metadata = metadata.get('sketch_id') | ||
|
||
if not username: | ||
logger.error('Missing username') | ||
return | ||
|
||
timeline_name = os.path.splitext(gcs_plaso_filename)[0] | ||
index_name = uuid.uuid4().hex | ||
sketch_id = setup_sketch(timeline_name, index_name, 'admin', | ||
sketch_id_from_metadata) | ||
|
||
# Start indexing | ||
with app.app_context(): | ||
pipeline = tasks.build_index_pipeline( | ||
file_path=local_plaso_file, timeline_name=gcs_base_filename, | ||
index_name=index_name, file_extension='plaso', sketch_id=sketch_id) | ||
pipeline.apply_async() | ||
logger.info('File sent for indexing: {}'. format(gcs_base_filename)) | ||
|
||
|
||
if __name__ == '__main__': | ||
parser = argparse.ArgumentParser(description='GCS importer') | ||
parser.add_argument('--project', help='Google Cloud Project ID') | ||
parser.add_argument('--bucket', | ||
help='Google Cloud Storage bucket to monitor') | ||
parser.add_argument('--subscription', | ||
help='Google Cloud PubSub subscription') | ||
parser.add_argument('--output', default='/tmp', | ||
help='Directory for downloads') | ||
args = parser.parse_args() | ||
|
||
# Create flask app | ||
app = create_app() | ||
|
||
# Setup Google Cloud Pub/Sub | ||
subscriber = pubsub_v1.SubscriberClient() | ||
subscription_path = subscriber.subscription_path( | ||
args.project, args.subscription) | ||
subscriber.subscribe(subscription_path, callback=callback) | ||
|
||
logger.info('Listening on PubSub queue: {}'.format(args.subscription)) | ||
while True: | ||
time.sleep(10) |
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.
Maybe instead of not creating a timeline here when we don't have access we could create it and not associate it with the sketch?