A step-by-step tutorial of how to create custom import Supervisely app from scratch with GUI.
Introduction
In this tutorial, we will create a simple import app that will import images from selected folder to Supervisely server. This application has GUI and is designed to demonstrate the basic principles of creating import applications with interface.
import osimport supervisely as slyfrom dotenv import load_dotenv# to show error message to user with dialog windowfrom supervisely.app import DialogWindowError# widgets that we will use in GUIfrom supervisely.app.widgets import ( Button, Card, Checkbox, Container, Input, ProjectThumbnail, SelectWorkspace, SlyTqdm, TeamFilesSelector, Text,)
Step 2. Load environment variables
Load ENV variables for debug, has no effect in production.
Output card with button to start import and info about result project.
Let's take a closer look at each step:
Create FileSelector widget to select folder with data and place it into Card widget with validation.
Create Checkbox widget to select if we want to remove source files after successful import and place it into Card widget.
Create workspace selector and input widget to enter project name. Combine those widgets into Container widget and place it into Card widget. Using workspace selector we can select team and workspace where we want to create project in which data will be imported.
Create Button widget to start import process.
Create output text to show warnings and info messages.
Create progress widget to show progress of import process.
Create ProjectThumbnail to show result project with link to it.
Combine all button, output text, progress and project thumbnail .
Create layout by combining all created cards into one container.
Initialize app object with layout as an argument.
# Create GUI# Step 1: Import Dataif IS_PRODUCTION isTrue: tf_selector =TeamFilesSelector( team_id=TEAM_ID, multiple_selection=False, max_height=300, selection_file_type="folder" ) data_card =Card( title="Select Data", description="Check folder in File Browser to import it", content=tf_selector, )else: data_text =Text()if PATH_TO_FOLDER isNone: data_text.set("Please, specify path to folder with data in local.env file.", "error")else:if os.path.isdir(PATH_TO_FOLDER): data_text.set(f"Folder with data: '{PATH_TO_FOLDER}'", "success")else: data_text.set(f"Folder with data: '{PATH_TO_FOLDER}' not found", "error") data_card =Card( title="Local Data", description="App was launched in development mode.", content=data_text )# Step 2: Settingsremove_source_files =Checkbox("Remove source files after successful import", checked=True)settings_card =Card( title="Settings", description="Select import settings", content=remove_source_files)# Step 3: Create Projectws_selector =SelectWorkspace(default_id=WORKSPACE_ID, team_id=TEAM_ID)output_project_name =Input(value="My Project")project_creator =Container(widgets=[ws_selector, output_project_name])project_card =Card( title="Create Project", description="Select destination team, workspace and enter project name", content=project_creator,)# Step 4: Outputstart_import_btn =Button(text="Start Import")output_project_thumbnail =ProjectThumbnail()output_project_thumbnail.hide()output_text =Text()output_text.hide()output_progress =SlyTqdm()output_progress.hide()output_container =Container( widgets=[output_project_thumbnail, output_text, output_progress, start_import_btn])output_card =Card( title="Output", description="Press button to start import", content=output_container)# create app objectlayout =Container(widgets=[data_card, settings_card, project_card, output_card])app = sly.Application(layout=layout)
Step 5. Add button click handler to start import process
In this step we will create button click handler. We will get state of all widgets and import data to new project.
@start_import_btn.clickdefstart_import():try: data_card.lock() settings_card.lock() project_card.lock() output_text.hide() project_name = output_project_name.get_value()if project_name isNoneor project_name =="": output_text.set(text="Please, enter project name", status="error") output_text.show()return# download folder from Supervisely Team Files to local storage if debugging in production mode PATH_TO_FOLDER = tf_selector.get_selected_paths()iflen(PATH_TO_FOLDER)>0: PATH_TO_FOLDER = PATH_TO_FOLDER[0]# specify local path to download local_data_path = os.path.join( STORAGE_DIR, os.path.basename(PATH_TO_FOLDER).lstrip("/") )# download file from Supervisely Team Files to local storage api.file.download_directory( team_id=TEAM_ID, remote_path=PATH_TO_FOLDER, local_save_path=local_data_path )else: output_text.set( text="Please, specify path to folder in Supervisely Team Files", status="error" ) output_text.show()return project = api.project.create(WORKSPACE_ID, project_name, change_name_if_conflict=True) dataset = api.dataset.create(project.id, "ds0", change_name_if_conflict=True) output_progress.show() images_names = [] images_paths = []for file in os.listdir(local_data_path): file_path = os.path.join(local_data_path, file) images_names.append(file) images_paths.append(file_path)withoutput_progress(total=len(images_paths))as pbar:for img_name, img_path inzip(images_names, images_paths):try:# upload image into dataset on Supervisely server info = api.image.upload_path(dataset_id=dataset.id, name=img_name, path=img_path) sly.logger.trace(f"Image has been uploaded: id={info.id}, name={info.name}")exceptExceptionas e: sly.logger.warn("Skip image", extra={"name": img_name, "reason": repr(e)})finally:# update progress bar pbar.update(1)# remove source files from Supervisely Team Files if checkedif remove_source_files.is_checked(): api.file.remove_dir(TEAM_ID, PATH_TO_FOLDER)# hide progress bar after import output_progress.hide()# update project info for thumbnail preview project = api.project.get_info_by_id(project.id) output_project_thumbnail.set(info=project) output_project_thumbnail.show() output_text.set(text="Import is finished", status="success") output_text.show() start_import_btn.disable() sly.logger.info(f"Result project: id={project.id}, name={project.name}")exceptExceptionas e: data_card.unlock() settings_card.unlock() project_card.unlock()raiseDialogWindowError(title="Import error", description=f"Error: {e}")
App screenshot
Step 3. Advanced debug
Advanced debug is for final app testing. In this case, import app will download selected folder with data from Supervisely server. You can use this mode to test your app before publishing it to the Ecosystem.
To switch between local and advanced debug modes, select corresponding debug configuration in Run & Debug menu in VS Code
Open advanced.env and set up environment variables by inserting your values here for debugging.
advanced.env:
TEAM_ID=8# ⬅️ change it to your team IDWORKSPACE_ID=349# ⬅️ change it to your workspace IDSLY_APP_DATA_DIR="input/"# ⬅️ path to directory where selected data will be downloaded
Please note that the path you specify in the SLY_APP_DATA_DIR variable will be used for storing import data.
For example:
path on your local computer could be /Users/admin/projects/import-app-from-scratch-gui/input/
path in the current project folder on your local computer could be input/
Also note that all paths on Supervisely server are absolute and start from '/' symbol, so you need to specify the full path to the folder, for example /data/my_folder/
Don't forget to add this path to .gitignore to exclude it from the list of files tracked by Git.