Sideband/sbapp/main.py

2696 lines
134 KiB
Python
Raw Normal View History

2022-12-15 09:32:27 -07:00
__debug_build__ = False
2022-10-08 10:01:33 -06:00
__disable_shaders__ = True
2022-12-18 17:53:00 -07:00
__version__ = "0.4.2"
2022-10-03 10:29:54 -06:00
__variant__ = "beta"
import sys
import argparse
parser = argparse.ArgumentParser(description="Reticulum Network Stack Daemon")
parser.add_argument("-v", "--verbose", action='store_true', default=False, help="increase logging verbosity")
parser.add_argument("--version", action="version", version="sideband {version}".format(version=__version__))
args = parser.parse_args()
sys.argv = [sys.argv[0]]
2022-04-07 13:03:53 -06:00
import RNS
import LXMF
import time
2022-07-13 02:53:07 -06:00
import os
2022-09-16 10:25:35 -06:00
import plyer
2022-09-17 14:55:27 -06:00
import base64
import threading
import RNS.vendor.umsgpack as msgpack
2022-04-07 13:03:53 -06:00
2022-07-06 04:19:05 -06:00
from kivy.logger import Logger, LOG_LEVELS
if __debug_build__ or args.verbose:
2022-10-03 10:29:54 -06:00
Logger.setLevel(LOG_LEVELS["debug"])
else:
Logger.setLevel(LOG_LEVELS["error"])
2022-04-07 13:03:53 -06:00
2022-07-13 02:53:07 -06:00
if RNS.vendor.platformutils.get_platform() != "android":
local = os.path.dirname(__file__)
sys.path.append(local)
2022-04-07 13:03:53 -06:00
from kivymd.app import MDApp
from kivy.core.window import Window
2022-09-17 14:55:27 -06:00
from kivy.core.clipboard import Clipboard
from kivy.base import EventLoop
2022-04-07 13:03:53 -06:00
from kivy.clock import Clock
from kivy.lang.builder import Builder
from kivy.effects.scroll import ScrollEffect
from kivy.uix.screenmanager import ScreenManager
from kivy.uix.screenmanager import FadeTransition, NoTransition
2022-04-07 13:03:53 -06:00
2022-07-07 14:16:10 -06:00
if RNS.vendor.platformutils.get_platform() == "android":
from sideband.core import SidebandCore
from ui.layouts import root_layout
from ui.conversations import Conversations, MsgSync, NewConv
from ui.announces import Announces
from ui.messages import Messages, ts_format
from ui.helpers import ContentNavigationDrawer, DrawerList, IconListItem
2022-09-17 14:55:27 -06:00
from jnius import cast
from jnius import autoclass
from android import mActivity
2022-09-16 10:25:35 -06:00
from android.permissions import request_permissions, check_permission
2022-10-02 16:47:27 -06:00
from kivymd.utils.set_bars_colors import set_bars_colors
android_api_version = autoclass('android.os.Build$VERSION').SDK_INT
2022-10-02 16:47:27 -06:00
2022-07-07 14:16:10 -06:00
else:
from .sideband.core import SidebandCore
from .ui.layouts import root_layout
from .ui.conversations import Conversations, MsgSync, NewConv
from .ui.announces import Announces
from .ui.messages import Messages, ts_format
from .ui.helpers import ContentNavigationDrawer, DrawerList, IconListItem
2022-04-07 13:03:53 -06:00
from kivy.config import Config
Config.set('input', 'mouse', 'mouse,disable_multitouch')
from kivy.metrics import dp, sp
from kivymd.uix.button import MDRectangleFlatButton
2022-04-07 13:03:53 -06:00
from kivymd.uix.dialog import MDDialog
from kivymd.color_definitions import colors
2022-04-07 13:03:53 -06:00
2022-10-02 14:00:15 -06:00
dark_theme_text_color = "ddd"
2022-07-06 11:18:26 -06:00
if RNS.vendor.platformutils.get_platform() == "android":
from jnius import autoclass
from android.runnable import run_on_ui_thread
2022-04-07 13:03:53 -06:00
class SidebandApp(MDApp):
2022-09-17 09:12:25 -06:00
STARTING = 0x00
ACTIVE = 0x01
PAUSED = 0x02
STOPPING = 0x03
PKGNAME = "io.unsigned.sideband"
2022-12-16 15:57:07 -07:00
SERVICE_TIMEOUT = 15
2022-04-07 13:03:53 -06:00
def __init__(self, **kwargs):
super().__init__(**kwargs)
self.title = "Sideband"
2022-09-17 09:12:25 -06:00
self.app_state = SidebandApp.STARTING
self.android_service = None
2022-10-03 07:15:59 -06:00
self.app_dir = plyer.storagepath.get_application_dir()
2022-10-08 10:01:33 -06:00
self.shaders_disabled = __disable_shaders__
2022-04-07 13:03:53 -06:00
if RNS.vendor.platformutils.get_platform() == "android":
self.sideband = SidebandCore(self, is_client=True, android_app_dir=self.app_dir, verbose=__debug_build__)
else:
self.sideband = SidebandCore(self, is_client=False, verbose=(args.verbose or __debug_build__))
2022-10-08 10:01:33 -06:00
self.set_ui_theme()
2022-04-07 13:03:53 -06:00
2022-10-02 06:03:56 -06:00
self.conversations_view = None
2022-04-07 13:03:53 -06:00
self.sync_dialog = None
self.settings_ready = False
self.connectivity_ready = False
self.hardware_ready = False
self.hardware_rnode_ready = False
self.hardware_modem_ready = False
self.hardware_serial_ready = False
2022-04-07 13:03:53 -06:00
self.final_load_completed = False
2022-12-16 15:57:07 -07:00
self.service_last_available = 0
2022-04-07 13:03:53 -06:00
Window.softinput_mode = "below_target"
2022-09-16 10:25:35 -06:00
self.icon = self.sideband.asset_dir+"/icon.png"
self.notification_icon = self.sideband.asset_dir+"/notification_icon.png"
2022-04-07 13:03:53 -06:00
2022-11-03 15:55:35 -06:00
self.connectivity_updater = None
2022-10-15 02:06:42 -06:00
#################################################
# Application Startup #
#################################################
2022-10-11 09:49:12 -06:00
def update_loading_text(self):
if self.sideband:
loadingstate = self.sideband.getstate("init.loadingstate")
if loadingstate:
self.root.ids.connecting_status.text = loadingstate
def update_init_status(self, dt):
self.update_loading_text()
if not RNS.vendor.platformutils.is_android() or self.sideband.service_available():
2022-12-16 15:57:07 -07:00
self.service_last_available = time.time()
2022-10-11 09:49:12 -06:00
self.start_final()
self.loading_updater.cancel()
def start_core(self, dt):
2022-10-12 08:33:05 -06:00
self.loading_updater = Clock.schedule_interval(self.update_init_status, 0.1)
2022-10-11 09:49:12 -06:00
2022-10-02 16:47:27 -06:00
self.check_permissions()
self.check_bluetooth_permissions()
self.start_service()
Clock.schedule_interval(self.jobs, 1.5)
2022-09-16 10:25:35 -06:00
def dismiss_splash(dt):
from android import loadingscreen
loadingscreen.hide_loading_screen()
if RNS.vendor.platformutils.get_platform() == "android":
Clock.schedule_once(dismiss_splash, 0)
2022-10-11 09:49:12 -06:00
self.set_bars_colors()
self.sideband.setstate("app.loaded", True)
self.sideband.setstate("app.running", True)
self.sideband.setstate("app.foreground", True)
2022-09-20 09:29:41 -06:00
def start_service(self):
if RNS.vendor.platformutils.is_android():
RNS.log("Running on Android API level "+str(android_api_version))
RNS.log("Launching platform-specific service for RNS and LXMF")
2022-09-20 09:29:41 -06:00
if RNS.vendor.platformutils.get_platform() == "android":
self.android_service = autoclass('io.unsigned.sideband.ServiceSidebandservice')
mActivity = autoclass('org.kivy.android.PythonActivity').mActivity
argument = self.app_dir
self.android_service.start(mActivity, argument)
2022-10-11 09:49:12 -06:00
def start_final(self):
# Start local core instance
self.sideband.start()
2022-10-11 09:49:12 -06:00
# Pre-load announce stream widgets
self.update_loading_text()
self.init_announces_view()
self.announces_view.update()
2022-10-11 09:49:12 -06:00
# Wait a little extra for user to react to permissions prompt
# if RNS.vendor.platformutils.get_platform() == "android":
# if self.sideband.first_run:
# time.sleep(6)
2022-10-11 09:49:12 -06:00
if self.sideband.first_run:
self.guide_action()
def fp(delta_time):
self.request_permissions()
Clock.schedule_once(fp, 3)
else:
2022-10-11 09:49:12 -06:00
self.open_conversations()
2022-10-11 09:49:12 -06:00
self.app_state = SidebandApp.ACTIVE
self.loading_updater.cancel()
self.final_load_completed = True
def check_errors(dt):
if self.sideband.getpersistent("startup.errors.rnode") != None:
description = self.sideband.getpersistent("startup.errors.rnode")["description"]
self.sideband.setpersistent("startup.errors.rnode", None)
yes_button = MDRectangleFlatButton(
text="OK",
font_size=dp(18),
)
self.hw_error_dialog = MDDialog(
title="Hardware Error",
text="When starting a connected RNode, Reticulum reported the following error:\n\n[i]"+description+"[/i]",
buttons=[ yes_button ],
# elevation=0,
)
def dl_yes(s):
self.hw_error_dialog.dismiss()
yes_button.bind(on_release=dl_yes)
self.hw_error_dialog.open()
Clock.schedule_once(check_errors, 1.5)
2022-04-07 13:03:53 -06:00
#################################################
# General helpers #
#################################################
2022-10-08 10:01:33 -06:00
def set_ui_theme(self):
2022-10-02 09:17:55 -06:00
self.theme_cls.material_style = "M3"
self.theme_cls.widget_style = "android"
2022-10-02 14:00:15 -06:00
self.theme_cls.primary_palette = "BlueGray"
self.theme_cls.accent_palette = "Orange"
2022-10-08 10:01:33 -06:00
2022-10-02 06:03:56 -06:00
if self.sideband.config["dark_ui"]:
self.theme_cls.theme_style = "Dark"
else:
self.theme_cls.theme_style = "Light"
self.update_ui_colors()
def update_ui_colors(self):
if self.sideband.config["dark_ui"]:
self.color_reject = colors["DeepOrange"]["900"]
self.color_accept = colors["LightGreen"]["700"]
else:
self.color_reject = colors["DeepOrange"]["800"]
self.color_accept = colors["LightGreen"]["700"]
2022-10-08 10:01:33 -06:00
def update_ui_theme(self):
if self.sideband.config["dark_ui"]:
self.theme_cls.theme_style = "Dark"
else:
self.theme_cls.theme_style = "Light"
self.update_ui_colors()
# for wid in self.root.ids:
# RNS.log("Found: "+str(wid)+str(self.root.ids[wid]))
2022-10-08 10:01:33 -06:00
2022-10-02 16:47:27 -06:00
def set_bars_colors(self):
if RNS.vendor.platformutils.get_platform() == "android":
set_bars_colors(
self.theme_cls.primary_color, # status bar color
[0,0,0,0], # navigation bar color
"Light", # icons color of status bar
)
def close_any_action(self, sender=None):
self.open_conversations(direction="right")
2022-09-17 14:55:27 -06:00
def share_text(self, text):
if RNS.vendor.platformutils.get_platform() == "android":
Intent = autoclass('android.content.Intent')
JString = autoclass('java.lang.String')
shareIntent = Intent()
shareIntent.setAction(Intent.ACTION_SEND)
shareIntent.setType("text/plain")
shareIntent.putExtra(Intent.EXTRA_TEXT, JString(text))
mActivity.startActivity(shareIntent)
2022-11-22 11:47:13 -07:00
def share_image(self, image, filename):
if RNS.vendor.platformutils.get_platform() == "android":
save_path = self.sideband.exports_dir
file_path = save_path+"/"+filename
try:
if not os.path.isdir(save_path):
RNS.log("Creating directory: "+str(save_path))
os.makedirs(save_path)
Intent = autoclass("android.content.Intent")
Uri = autoclass("android.net.Uri")
File = autoclass("java.io.File")
FileProvider = autoclass("android.support.v4.content.FileProvider")
image.save(file_path)
i_file = File(file_path)
image_uri = FileProvider.getUriForFile(mActivity, "io.unsigned.sideband.provider", i_file)
shareIntent = Intent()
shareIntent.setAction(Intent.ACTION_SEND)
shareIntent.setType("image/png")
shareIntent.putExtra(Intent.EXTRA_STREAM, cast('android.os.Parcelable', image_uri))
mActivity.startActivity(shareIntent)
except Exception as e:
ok_button = MDRectangleFlatButton(text="OK",font_size=dp(18))
dialog = MDDialog(
title="Export Error",
text="The QR-code could not be exported and shared:\n\n"+str(e),
buttons=[ ok_button ],
)
def dl_ok(s):
dialog.dismiss()
ok_button.bind(on_release=dl_ok)
dialog.open()
2022-09-17 09:12:25 -06:00
def on_pause(self):
if self.sideband:
if self.sideband.getstate("flag.focusfix_pause"):
self.sideband.setstate("flag.focusfix_pause", False)
return True
else:
RNS.log("App pausing...", RNS.LOG_DEBUG)
self.sideband.setstate("app.running", True)
self.sideband.setstate("app.foreground", False)
self.app_state = SidebandApp.PAUSED
self.sideband.should_persist_data()
if self.conversations_view != None:
self.root.ids.conversations_scrollview.effect_cls = ScrollEffect
# TODO: Check if we actually need this now that the bouncy
# scrolling bug has been eliminated
# self.sideband.setstate("wants.viewupdate.conversations", True)
self.root.ids.conversations_scrollview.scroll = 1
RNS.log("App paused", RNS.LOG_DEBUG)
return True
else:
return True
2022-09-17 09:12:25 -06:00
def on_resume(self):
if self.sideband:
if self.sideband.getstate("flag.focusfix_resume"):
self.sideband.setstate("flag.focusfix_resume", False)
return True
else:
RNS.log("App resuming...", RNS.LOG_DEBUG)
self.sideband.setstate("app.running", True)
self.sideband.setstate("app.foreground", True)
self.sideband.setstate("wants.clear_notifications", True)
self.app_state = SidebandApp.ACTIVE
if self.conversations_view != None:
self.root.ids.conversations_scrollview.effect_cls = ScrollEffect
# TODO: Check if we actually need this now that the bouncy
# scrolling bug has been eliminated
# self.sideband.setstate("wants.viewupdate.conversations", True)
self.root.ids.conversations_scrollview.scroll = 1
else:
RNS.log("Conversations view did not exist", RNS.LOG_DEBUG)
RNS.log("App resumed", RNS.LOG_DEBUG)
2022-09-17 09:12:25 -06:00
def on_stop(self):
RNS.log("App stopping...", RNS.LOG_DEBUG)
self.sideband.setstate("app.running", False)
self.sideband.setstate("app.foreground", False)
2022-09-17 09:12:25 -06:00
self.app_state = SidebandApp.STOPPING
RNS.log("App stopped", RNS.LOG_DEBUG)
2022-09-17 09:12:25 -06:00
def is_in_foreground(self):
if self.app_state == SidebandApp.ACTIVE:
return True
else:
return False
def check_bluetooth_permissions(self):
if RNS.vendor.platformutils.get_platform() == "android":
mActivity = autoclass('org.kivy.android.PythonActivity').mActivity
Context = autoclass('android.content.Context')
if android_api_version > 30:
bt_permission_name = "android.permission.BLUETOOTH_CONNECT"
else:
bt_permission_name = "android.permission.BLUETOOTH"
if check_permission(bt_permission_name):
RNS.log("Have bluetooth connect permissions", RNS.LOG_DEBUG)
self.sideband.setpersistent("permissions.bluetooth", True)
else:
RNS.log("Do not have bluetooth connect permissions")
self.sideband.setpersistent("permissions.bluetooth", False)
else:
self.sideband.setpersistent("permissions.bluetooth", True)
def check_permissions(self):
if RNS.vendor.platformutils.get_platform() == "android":
mActivity = autoclass('org.kivy.android.PythonActivity').mActivity
Context = autoclass('android.content.Context')
NotificationManager = autoclass('android.app.NotificationManager')
notification_service = cast(NotificationManager, mActivity.getSystemService(Context.NOTIFICATION_SERVICE))
if notification_service.areNotificationsEnabled():
self.sideband.setpersistent("permissions.notifications", True)
2022-09-16 10:25:35 -06:00
else:
if check_permission("android.permission.POST_NOTIFICATIONS"):
RNS.log("Have notification permissions", RNS.LOG_DEBUG)
self.sideband.setpersistent("permissions.notifications", True)
else:
RNS.log("Do not have notification permissions")
self.sideband.setpersistent("permissions.notifications", False)
else:
self.sideband.setpersistent("permissions.notifications", True)
2022-09-16 10:25:35 -06:00
def request_permissions(self):
self.request_notifications_permission()
def request_notifications_permission(self):
if RNS.vendor.platformutils.get_platform() == "android":
if not check_permission("android.permission.POST_NOTIFICATIONS"):
RNS.log("Requesting notification permission", RNS.LOG_DEBUG)
request_permissions(["android.permission.POST_NOTIFICATIONS"])
self.check_permissions()
2022-09-16 10:25:35 -06:00
2022-11-22 11:47:13 -07:00
def check_storage_permission(self):
storage_permissions_ok = False
if android_api_version < 30:
if check_permission("android.permission.WRITE_EXTERNAL_STORAGE"):
storage_permissions_ok = True
else:
self.request_storage_permission()
else:
Environment = autoclass('android.os.Environment')
if Environment.isExternalStorageManager():
storage_permissions_ok = True
else:
ok_button = MDRectangleFlatButton(text="OK",font_size=dp(18))
dialog = MDDialog(
title="Storage Permission",
text="Sideband needs permission to write to external storage to export, share and print paper messages.\n\nOn this Android version, the Manage All Files permission is needed, since normal external storage permission is no longer supported.\n\nSideband will only ever read and write to files in the \"Sideband\" folder of your external storage, and does not read any other data from your system.",
buttons=[ ok_button ],
)
def dl_ok(s):
dialog.dismiss()
self.request_storage_permission()
ok_button.bind(on_release=dl_ok)
dialog.open()
return storage_permissions_ok
def request_storage_permission(self):
if RNS.vendor.platformutils.get_platform() == "android":
if android_api_version < 30:
if not check_permission("android.permission.WRITE_EXTERNAL_STORAGE"):
RNS.log("Requesting storage write permission", RNS.LOG_DEBUG)
request_permissions(["android.permission.WRITE_EXTERNAL_STORAGE"])
if not check_permission("android.permission.READ_EXTERNAL_STORAGE"):
RNS.log("Requesting storage read permission", RNS.LOG_DEBUG)
request_permissions(["android.permission.READ_EXTERNAL_STORAGE"])
else:
Intent = autoclass('android.content.Intent')
Settings = autoclass('android.provider.Settings')
pIntent = Intent()
pIntent.setAction(Settings.ACTION_MANAGE_ALL_FILES_ACCESS_PERMISSION)
mActivity.startActivity(pIntent)
def request_bluetooth_permissions(self):
if RNS.vendor.platformutils.get_platform() == "android":
if not check_permission("android.permission.BLUETOOTH_CONNECT"):
RNS.log("Requesting bluetooth permission", RNS.LOG_DEBUG)
request_permissions(["android.permission.BLUETOOTH_CONNECT"])
self.check_bluetooth_permissions()
2022-11-22 06:25:56 -07:00
def on_new_intent(self, intent):
RNS.log("Received intent", RNS.LOG_DEBUG)
intent_action = intent.getAction()
action = None
data = None
if intent_action == "android.intent.action.WEB_SEARCH":
SearchManager = autoclass('android.app.SearchManager')
data = intent.getStringExtra(SearchManager.QUERY)
if data.lower().startswith(LXMF.LXMessage.URI_SCHEMA):
action = "lxm_uri"
if intent_action == "android.intent.action.VIEW":
data = intent.getData().toString()
if data.lower().startswith(LXMF.LXMessage.URI_SCHEMA):
action = "lxm_uri"
if action != None:
self.handle_action(action, data)
def handle_action(self, action, data):
if action == "lxm_uri":
self.ingest_lxm_uri(data)
def ingest_lxm_uri(self, lxm_uri):
RNS.log("Ingesting LXMF paper message from URI: "+str(lxm_uri), RNS.LOG_DEBUG)
self.sideband.lxm_ingest_uri(lxm_uri)
2022-04-07 13:03:53 -06:00
def build(self):
FONT_PATH = self.sideband.asset_dir+"/fonts"
if RNS.vendor.platformutils.is_darwin():
self.icon = self.sideband.asset_dir+"/icon_macos_formed.png"
else:
self.icon = self.sideband.asset_dir+"/icon.png"
self.announces_view = None
if RNS.vendor.platformutils.is_android():
ActivityInfo = autoclass('android.content.pm.ActivityInfo')
activity = autoclass('org.kivy.android.PythonActivity').mActivity
activity.setRequestedOrientation(ActivityInfo.SCREEN_ORIENTATION_UNSPECIFIED)
2022-11-22 06:25:56 -07:00
from android import activity as a_activity
a_activity.bind(on_new_intent=self.on_new_intent)
2022-04-07 13:03:53 -06:00
screen = Builder.load_string(root_layout)
return screen
def jobs(self, delta_time):
if self.final_load_completed:
2022-12-16 15:57:07 -07:00
if RNS.vendor.platformutils.is_android() and not self.sideband.service_available():
if time.time() - self.service_last_available > SidebandApp.SERVICE_TIMEOUT:
if self.app_state == SidebandApp.ACTIVE:
info_text = "The Reticulum and LXMF service seem to have disappeared, and Sideband is no longer connected. This should not happen, and probably indicates a bug in the background service. Please restart Sideband to regain connectivity."
ok_button = MDRectangleFlatButton(text="OK",font_size=dp(18))
dialog = MDDialog(
title="Error",
text=info_text,
buttons=[ ok_button ],
# elevation=0,
)
def dl_ok(s):
dialog.dismiss()
self.quit_action()
ok_button.bind(on_release=dl_ok)
self.final_load_completed = False
dialog.open()
else:
self.quit_action()
2022-12-16 15:57:07 -07:00
else:
self.service_last_available = time.time()
2022-04-07 13:03:53 -06:00
if self.root.ids.screen_manager.current == "messages_screen":
self.messages_view.update()
if not self.root.ids.messages_scrollview.dest_known:
self.message_area_detect()
elif self.root.ids.screen_manager.current == "conversations_screen":
if self.sideband.getstate("app.flags.unread_conversations", allow_cache=True):
2022-04-07 13:03:53 -06:00
if self.conversations_view != None:
self.conversations_view.update()
if self.sideband.getstate("app.flags.lxmf_sync_dialog_open", allow_cache=True) and self.sync_dialog != None:
2022-04-07 13:03:53 -06:00
self.sync_dialog.ids.sync_progress.value = self.sideband.get_sync_progress()*100
self.sync_dialog.ids.sync_status.text = self.sideband.get_sync_status()
state = self.sideband.message_router.propagation_transfer_state
if state > LXMF.LXMRouter.PR_IDLE and state < LXMF.LXMRouter.PR_COMPLETE:
self.widget_hide(self.sync_dialog.stop_button, False)
else:
self.widget_hide(self.sync_dialog.stop_button, True)
2022-04-07 13:03:53 -06:00
elif self.root.ids.screen_manager.current == "announces_screen":
if self.sideband.getstate("app.flags.new_announces", allow_cache=True):
2022-04-07 13:03:53 -06:00
if self.announces_view != None:
self.announces_view.update()
if self.sideband.getstate("app.flags.new_conversations", allow_cache=True):
2022-10-06 08:40:30 -06:00
if self.conversations_view != None:
self.conversations_view.update()
if self.sideband.getstate("wants.viewupdate.conversations", allow_cache=True):
2022-10-12 08:33:05 -06:00
if self.conversations_view != None:
self.conversations_view.update()
if self.sideband.getstate("lxm_uri_ingest.result", allow_cache=True):
info_text = self.sideband.getstate("lxm_uri_ingest.result", allow_cache=True)
2022-11-22 06:25:56 -07:00
self.sideband.setstate("lxm_uri_ingest.result", False)
ok_button = MDRectangleFlatButton(text="OK",font_size=dp(18))
dialog = MDDialog(
title="Message Scan",
text=info_text,
buttons=[ ok_button ],
# elevation=0,
)
def dl_ok(s):
dialog.dismiss()
ok_button.bind(on_release=dl_ok)
dialog.open()
if self.sideband.getstate("hardware_operation.error", allow_cache=True):
info_text = self.sideband.getstate("hardware_operation.error", allow_cache=True)
self.sideband.setstate("hardware_operation.error", False)
ok_button = MDRectangleFlatButton(text="OK",font_size=dp(18))
dialog = MDDialog(
title="Error",
text=info_text,
buttons=[ ok_button ],
# elevation=0,
)
def dl_ok(s):
dialog.dismiss()
ok_button.bind(on_release=dl_ok)
dialog.open()
2022-10-06 08:53:12 -06:00
def on_start(self):
self.last_exit_event = time.time()
2022-10-06 08:53:12 -06:00
self.root.ids.screen_manager.transition.duration = 0.25
self.root.ids.screen_manager.transition.bind(on_complete=self.screen_transition_complete)
EventLoop.window.bind(on_keyboard=self.keyboard_event)
EventLoop.window.bind(on_key_down=self.keydown_event)
2022-07-06 11:18:26 -06:00
# This incredibly hacky hack circumvents a bug in SDL2
# that prevents focus from being correctly released from
# the software keyboard on Android. Without this the back
# button/gesture does not work after the soft-keyboard has
# appeared for the first time.
if RNS.vendor.platformutils.is_android():
2022-07-06 11:18:26 -06:00
BIND_CLASSES = ["kivymd.uix.textfield.textfield.MDTextField",]
for e in self.root.ids:
te = self.root.ids[e]
ts = str(te).split(" ")[0].replace("<", "")
if ts in BIND_CLASSES:
te.bind(focus=self.android_focus_fix)
2022-04-07 13:03:53 -06:00
self.root.ids.screen_manager.app = self
self.root.ids.app_version_info.text = "Sideband v"+__version__+" "+__variant__
self.root.ids.nav_scrollview.effect_cls = ScrollEffect
2022-10-06 08:57:43 -06:00
Clock.schedule_once(self.start_core, 3.5)
2022-07-06 11:18:26 -06:00
# Part of the focus hack fix
def android_focus_fix(self, sender, val):
if not val:
@run_on_ui_thread
def fix_back_button():
self.sideband.setstate("flag.focusfix_pause", True)
self.sideband.setstate("flag.focusfix_resume", True)
2022-07-06 11:18:26 -06:00
activity = autoclass('org.kivy.android.PythonActivity').mActivity
activity.onWindowFocusChanged(False)
activity.onWindowFocusChanged(True)
fix_back_button()
def keydown_event(self, instance, keyboard, keycode, text, modifiers):
2022-10-11 09:49:12 -06:00
if len(modifiers) > 0 and modifiers[0] == 'ctrl' and (text == "q"):
self.quit_action(self)
2022-10-11 09:49:12 -06:00
if len(modifiers) > 0 and modifiers[0] == 'ctrl' and (text == "w"):
if self.root.ids.screen_manager.current == "conversations_screen":
self.quit_action(self)
else:
self.open_conversations()
if len(modifiers) > 0 and modifiers[0] == 'ctrl' and (text == "s" or text == "d"):
if self.root.ids.screen_manager.current == "messages_screen":
self.message_send_action()
if len(modifiers) > 0 and modifiers[0] == 'ctrl' and (text == "l"):
self.announces_action(self)
if len(modifiers) > 0 and modifiers[0] == 'ctrl' and (text == "r"):
self.conversations_action(self)
if len(modifiers) > 0 and modifiers[0] == 'ctrl' and (text == "g"):
self.guide_action(self)
if len(modifiers) > 0 and modifiers[0] == 'ctrl' and (text == "n"):
if self.root.ids.screen_manager.current == "conversations_screen":
if not hasattr(self, "dialog_open") or not self.dialog_open:
self.new_conversation_action(self)
def keyboard_event(self, window, key, *largs):
# Handle escape/back
if key == 27:
if self.root.ids.screen_manager.current == "conversations_screen":
if time.time() - self.last_exit_event < 2:
self.quit_action(self)
else:
self.last_exit_event = time.time()
else:
if self.root.ids.screen_manager.current == "hardware_rnode_screen":
self.close_sub_hardware_action()
elif self.root.ids.screen_manager.current == "hardware_modem_screen":
self.close_sub_hardware_action()
elif self.root.ids.screen_manager.current == "hardware_serial_screen":
self.close_sub_hardware_action()
else:
self.open_conversations(direction="right")
return True
2022-04-07 13:03:53 -06:00
def widget_hide(self, w, hide=True):
if hasattr(w, "saved_attrs"):
if not hide:
w.height, w.size_hint_y, w.opacity, w.disabled = w.saved_attrs
del w.saved_attrs
elif hide:
w.saved_attrs = w.height, w.size_hint_y, w.opacity, w.disabled
w.height, w.size_hint_y, w.opacity, w.disabled = 0, None, 0, True
def quit_action(self, sender):
self.root.ids.nav_drawer.set_state("closed")
self.sideband.should_persist_data()
self.root.ids.screen_manager.transition = NoTransition()
self.root.ids.screen_manager.current = "exit_screen"
self.sideband.setstate("app.displaying", self.root.ids.screen_manager.current)
self.sideband.setstate("app.running", False)
self.sideband.setstate("app.foreground", False)
def final_exit(dt):
RNS.log("Stopping service...")
self.sideband.setstate("wants.service_stop", True)
while self.sideband.service_available():
time.sleep(0.2)
RNS.log("Service stopped")
if RNS.vendor.platformutils.is_android():
RNS.log("Finishing activity")
activity = autoclass('org.kivy.android.PythonActivity').mActivity
activity.finishAndRemoveTask()
else:
RNS.exit()
MDApp.get_running_app().stop()
Window.close()
Clock.schedule_once(final_exit, 0.85)
2022-04-07 13:03:53 -06:00
def announce_now_action(self, sender=None):
self.sideband.lxmf_announce()
2022-10-13 14:12:39 -06:00
yes_button = MDRectangleFlatButton(text="OK",font_size=dp(18))
2022-10-09 08:48:09 -06:00
2022-04-07 13:03:53 -06:00
dialog = MDDialog(
2022-10-09 08:48:09 -06:00
title="Announce Sent",
text="Your LXMF address has been announced on all available interfaces",
2022-04-07 13:03:53 -06:00
buttons=[ yes_button ],
2022-10-02 16:47:27 -06:00
# elevation=0,
2022-04-07 13:03:53 -06:00
)
def dl_yes(s):
dialog.dismiss()
yes_button.bind(on_release=dl_yes)
dialog.open()
#################################################
# Screens #
#################################################
### Messages (conversation) screen
######################################
def conversation_from_announce_action(self, context_dest):
if self.sideband.has_conversation(context_dest):
pass
else:
self.sideband.create_conversation(context_dest)
2022-10-06 08:40:30 -06:00
self.sideband.setstate("app.flags.new_conversations", True)
2022-04-07 13:03:53 -06:00
self.open_conversation(context_dest)
def conversation_action(self, sender):
2022-10-13 15:04:30 -06:00
def cb(dt):
self.open_conversation(sender.sb_uid)
def cbu(dt):
self.conversations_view.update()
2022-10-13 15:04:30 -06:00
Clock.schedule_once(cb, 0.15)
Clock.schedule_once(cbu, 0.15+0.25)
2022-04-07 13:03:53 -06:00
def open_conversation(self, context_dest):
2022-11-22 06:25:56 -07:00
self.outbound_mode_paper = False
2022-04-07 13:03:53 -06:00
if self.sideband.config["propagation_by_default"]:
self.outbound_mode_propagation = True
else:
self.outbound_mode_propagation = False
self.root.ids.screen_manager.transition.direction = "left"
self.messages_view = Messages(self, context_dest)
self.root.ids.messages_scrollview.effect_cls = ScrollEffect
2022-04-07 13:03:53 -06:00
for child in self.root.ids.messages_scrollview.children:
self.root.ids.messages_scrollview.remove_widget(child)
list_widget = self.messages_view.get_widget()
self.root.ids.messages_scrollview.add_widget(list_widget)
self.root.ids.messages_scrollview.scroll_y = 0.0
2022-10-08 10:01:33 -06:00
2022-04-07 13:03:53 -06:00
self.root.ids.messages_toolbar.title = self.sideband.peer_display_name(context_dest)
self.root.ids.messages_scrollview.active_conversation = context_dest
self.sideband.setstate("app.active_conversation", context_dest)
2022-04-07 13:03:53 -06:00
self.root.ids.nokeys_text.text = ""
self.message_area_detect()
self.update_message_widgets()
self.root.ids.message_text.disabled = False
2022-04-07 13:03:53 -06:00
self.root.ids.screen_manager.current = "messages_screen"
self.sideband.setstate("app.displaying", self.root.ids.screen_manager.current)
2022-04-07 13:03:53 -06:00
self.sideband.read_conversation(context_dest)
2022-10-06 08:40:30 -06:00
self.sideband.setstate("app.flags.unread_conversations", True)
2022-04-07 13:03:53 -06:00
def scb(dt):
self.root.ids.messages_scrollview.scroll_y = 0.0
Clock.schedule_once(scb, 0.33)
2022-04-07 13:03:53 -06:00
def close_messages_action(self, sender=None):
self.open_conversations(direction="right")
def message_send_action(self, sender=None):
2022-10-08 12:03:01 -06:00
if self.root.ids.message_text.text == "":
return
def cb(dt):
self.message_send_dispatch(sender)
Clock.schedule_once(cb, 0.20)
def message_send_dispatch(self, sender=None):
self.root.ids.message_send_button.disabled = True
2022-04-07 13:03:53 -06:00
if self.root.ids.screen_manager.current == "messages_screen":
if self.outbound_mode_propagation and self.sideband.message_router.get_outbound_propagation_node() == None:
self.messages_view.send_error_dialog = MDDialog(
2022-10-13 14:12:39 -06:00
title="Error",
text="Propagated delivery was requested, but no active LXMF propagation nodes were found. Cannot send message.\n\nWait for a Propagation Node to announce on the network, or manually specify one in the settings.",
2022-04-07 13:03:53 -06:00
buttons=[
2022-10-13 14:12:39 -06:00
MDRectangleFlatButton(
2022-04-07 13:03:53 -06:00
text="OK",
2022-10-13 14:12:39 -06:00
font_size=dp(18),
2022-04-07 13:03:53 -06:00
on_release=self.messages_view.close_send_error_dialog
)
],
2022-10-02 16:56:39 -06:00
# elevation=0,
2022-04-07 13:03:53 -06:00
)
self.messages_view.send_error_dialog.open()
else:
msg_content = self.root.ids.message_text.text
context_dest = self.root.ids.messages_scrollview.active_conversation
2022-11-22 06:25:56 -07:00
if self.outbound_mode_paper:
if self.sideband.paper_message(msg_content, context_dest):
self.root.ids.message_text.text = ""
self.root.ids.messages_scrollview.scroll_y = 0
self.jobs(0)
elif self.sideband.send_message(msg_content, context_dest, self.outbound_mode_propagation):
2022-04-07 13:03:53 -06:00
self.root.ids.message_text.text = ""
2022-10-08 10:01:33 -06:00
self.root.ids.messages_scrollview.scroll_y = 0
2022-04-07 13:03:53 -06:00
self.jobs(0)
2022-11-22 06:25:56 -07:00
2022-04-07 13:03:53 -06:00
else:
self.messages_view.send_error_dialog = MDDialog(
2022-10-13 14:12:39 -06:00
title="Error",
text="Could not send the message",
2022-04-07 13:03:53 -06:00
buttons=[
2022-10-13 14:12:39 -06:00
MDRectangleFlatButton(
2022-04-07 13:03:53 -06:00
text="OK",
2022-10-13 14:12:39 -06:00
font_size=dp(18),
2022-04-07 13:03:53 -06:00
on_release=self.messages_view.close_send_error_dialog
)
],
2022-10-02 16:56:39 -06:00
# elevation=0,
2022-04-07 13:03:53 -06:00
)
self.messages_view.send_error_dialog.open()
def cb(dt):
self.root.ids.message_send_button.disabled = False
Clock.schedule_once(cb, 0.5)
2022-04-07 13:03:53 -06:00
def message_propagation_action(self, sender):
2022-11-22 06:25:56 -07:00
if self.outbound_mode_paper:
self.outbound_mode_paper = False
2022-04-07 13:03:53 -06:00
self.outbound_mode_propagation = False
else:
2022-11-22 06:25:56 -07:00
if self.outbound_mode_propagation:
self.outbound_mode_paper = True
self.outbound_mode_propagation = False
else:
self.outbound_mode_propagation = True
self.outbound_mode_paper = False
2022-04-07 13:03:53 -06:00
self.update_message_widgets()
def update_message_widgets(self):
toolbar_items = self.root.ids.messages_toolbar.ids.right_actions.children
mode_item = toolbar_items[1]
2022-11-22 06:25:56 -07:00
if self.outbound_mode_paper:
mode_item.icon = "qrcode"
self.root.ids.message_text.hint_text = "Paper message"
2022-04-07 13:03:53 -06:00
else:
2022-11-22 06:25:56 -07:00
if not self.outbound_mode_propagation:
mode_item.icon = "lan-connect"
self.root.ids.message_text.hint_text = "Message for direct delivery"
else:
mode_item.icon = "upload-network"
self.root.ids.message_text.hint_text = "Message for propagation"
# self.root.ids.message_text.hint_text = "Write message for delivery via propagation nodes"
2022-04-07 13:03:53 -06:00
def key_query_action(self, sender):
context_dest = self.root.ids.messages_scrollview.active_conversation
if self.sideband.request_key(context_dest):
keys_str = "Public key information for "+RNS.prettyhexrep(context_dest)+" was requested from the network. Waiting for request to be answered."
self.root.ids.nokeys_text.text = keys_str
else:
keys_str = "Could not send request. Check your connectivity and addresses."
self.root.ids.nokeys_text.text = keys_str
def message_area_detect(self):
context_dest = self.root.ids.messages_scrollview.active_conversation
if self.sideband.is_known(context_dest):
self.root.ids.messages_scrollview.dest_known = True
self.widget_hide(self.root.ids.message_input_part, False)
self.widget_hide(self.root.ids.no_keys_part, True)
else:
self.root.ids.messages_scrollview.dest_known = False
if self.root.ids.nokeys_text.text == "":
keys_str = "The crytographic keys for the destination address are unknown at this time. You can wait for an announce to arrive, or query the network for the necessary keys."
self.root.ids.nokeys_text.text = keys_str
self.widget_hide(self.root.ids.message_input_part, True)
self.widget_hide(self.root.ids.no_keys_part, False)
### Conversations screen
######################################
def conversations_action(self, sender=None):
self.open_conversations()
def open_conversations(self, direction="left"):
self.root.ids.screen_manager.transition.direction = direction
self.root.ids.nav_drawer.set_state("closed")
2022-10-06 08:40:30 -06:00
if not self.conversations_view:
self.conversations_view = Conversations(self)
2022-04-07 13:03:53 -06:00
2022-10-06 08:40:30 -06:00
for child in self.root.ids.conversations_scrollview.children:
self.root.ids.conversations_scrollview.remove_widget(child)
2022-04-07 13:03:53 -06:00
self.root.ids.conversations_scrollview.effect_cls = ScrollEffect
2022-10-06 08:40:30 -06:00
self.root.ids.conversations_scrollview.add_widget(self.conversations_view.get_widget())
2022-04-07 13:03:53 -06:00
self.root.ids.screen_manager.current = "conversations_screen"
self.root.ids.messages_scrollview.active_conversation = None
2022-10-19 10:59:04 -06:00
def cb(dt):
self.sideband.setstate("app.displaying", self.root.ids.screen_manager.current)
self.sideband.setstate("wants.clear_notifications", True)
Clock.schedule_once(cb, 0.10)
2022-04-07 13:03:53 -06:00
2022-11-03 15:55:35 -06:00
def get_connectivity_text(self):
connectivity_status = ""
if RNS.vendor.platformutils.get_platform() == "android":
2022-10-02 12:43:56 -06:00
connectivity_status = self.sideband.getstate("service.connectivity_status")
else:
if self.sideband.reticulum.is_connected_to_shared_instance:
connectivity_status = "Sideband is connected via a shared Reticulum instance running on this system. Use the rnstatus utility to obtain full connectivity info."
else:
connectivity_status = "Sideband is currently running a standalone or master Reticulum instance on this system. Use the rnstatus utility to obtain full connectivity info."
2022-11-03 15:55:35 -06:00
return connectivity_status
def connectivity_status(self, sender):
hs = dp(22)
yes_button = MDRectangleFlatButton(text="OK",font_size=dp(18))
dialog = MDDialog(
title="Connectivity Status",
2022-11-03 15:55:35 -06:00
text=self.get_connectivity_text(),
buttons=[ yes_button ],
2022-10-02 16:56:39 -06:00
# elevation=0,
)
2022-11-03 15:55:35 -06:00
def cs_updater(dt):
dialog.text = self.get_connectivity_text()
def dl_yes(s):
2022-11-03 15:55:35 -06:00
self.connectivity_updater.cancel()
dialog.dismiss()
if self.connectivity_updater != None:
self.connectivity_updater.cancel()
2022-11-03 15:55:35 -06:00
yes_button.bind(on_release=dl_yes)
dialog.open()
2022-11-03 15:55:35 -06:00
if self.connectivity_updater != None:
self.connectivity_updater.cancel()
self.connectivity_updater = Clock.schedule_interval(cs_updater, 2.0)
2022-11-03 15:55:35 -06:00
2022-11-22 06:25:56 -07:00
def ingest_lxm_action(self, sender):
def cb(dt):
self.open_ingest_lxm_dialog(sender)
Clock.schedule_once(cb, 0.15)
def open_ingest_lxm_dialog(self, sender=None):
try:
cancel_button = MDRectangleFlatButton(text="Cancel",font_size=dp(18))
ingest_button = MDRectangleFlatButton(text="Read LXM",font_size=dp(18), theme_text_color="Custom", line_color=self.color_accept, text_color=self.color_accept)
dialog = MDDialog(
title="Ingest Paper Message",
text="You can read LXMF paper messages into this program by scanning a QR-code containing the message with your device camera or QR-scanner app, and then opening the resulting link in Sideband.\n\nAlternatively, you can copy an [b]lxm://[/b] link from any source to your clipboard, and ingest it using the [i]Read LXM[/i] button below.",
buttons=[ ingest_button, cancel_button ],
)
def dl_yes(s):
try:
lxm_uri = Clipboard.paste()
if not lxm_uri.lower().startswith(LXMF.LXMessage.URI_SCHEMA+"://"):
lxm_uri = LXMF.LXMessage.URI_SCHEMA+"://"+lxm_uri
self.ingest_lxm_uri(lxm_uri)
dialog.dismiss()
except Exception as e:
response = "Error ingesting message from URI: "+str(e)
RNS.log(response, RNS.LOG_ERROR)
self.sideband.setstate("lxm_uri_ingest.result", response)
dialog.dismiss()
def dl_no(s):
dialog.dismiss()
def dl_ds(s):
self.dialog_open = False
ingest_button.bind(on_release=dl_yes)
cancel_button.bind(on_release=dl_no)
2022-11-03 15:55:35 -06:00
2022-11-22 06:25:56 -07:00
dialog.bind(on_dismiss=dl_ds)
dialog.open()
self.dialog_open = True
except Exception as e:
RNS.log("Error while creating ingest LXM dialog: "+str(e), RNS.LOG_ERROR)
2022-04-07 13:03:53 -06:00
def lxmf_sync_action(self, sender):
2022-10-13 15:04:30 -06:00
def cb(dt):
self.lxmf_sync_request(sender)
Clock.schedule_once(cb, 0.15)
def lxmf_sync_request(self, sender):
2022-04-07 13:03:53 -06:00
if self.sideband.message_router.get_outbound_propagation_node() == None:
yes_button = MDRectangleFlatButton(text="OK",font_size=dp(18))
2022-04-07 13:03:53 -06:00
dialog = MDDialog(
title="Can't Sync",
2022-04-07 13:03:53 -06:00
text="No active LXMF propagation nodes were found. Cannot fetch messages. Wait for a Propagation Node to announce on the network, or manually specify one in the settings.",
buttons=[ yes_button ],
2022-10-02 16:56:39 -06:00
# elevation=0,
2022-04-07 13:03:53 -06:00
)
def dl_yes(s):
dialog.dismiss()
yes_button.bind(on_release=dl_yes)
dialog.open()
else:
if self.sideband.config["lxmf_sync_limit"]:
sl = self.sideband.config["lxmf_sync_max"]
else:
sl = None
self.sideband.setpersistent("lxmf.lastsync", time.time())
self.sideband.setpersistent("lxmf.syncretrying", False)
2022-04-07 13:03:53 -06:00
self.sideband.request_lxmf_sync(limit=sl)
2022-10-13 14:12:39 -06:00
close_button = MDRectangleFlatButton(text="Close",font_size=dp(18))
stop_button = MDRectangleFlatButton(text="Stop",font_size=dp(18), theme_text_color="Custom", line_color=self.color_reject, text_color=self.color_reject)
2022-04-07 13:03:53 -06:00
dialog_content = MsgSync()
dialog = MDDialog(
title="LXMF Sync via "+RNS.prettyhexrep(self.sideband.message_router.get_outbound_propagation_node()),
type="custom",
content_cls=dialog_content,
buttons=[ stop_button, close_button ],
2022-10-02 16:56:39 -06:00
# elevation=0,
2022-04-07 13:03:53 -06:00
)
dialog.d_content = dialog_content
def dl_close(s):
self.sideband.setstate("app.flags.lxmf_sync_dialog_open", False)
2022-04-07 13:03:53 -06:00
dialog.dismiss()
# self.sideband.cancel_lxmf_sync()
def dl_stop(s):
# self.sideband.setstate("app.flags.lxmf_sync_dialog_open", False)
# dialog.dismiss()
2022-04-07 13:03:53 -06:00
self.sideband.cancel_lxmf_sync()
def cb(dt):
self.widget_hide(self.sync_dialog.stop_button, True)
Clock.schedule_once(cb, 0.25)
2022-04-07 13:03:53 -06:00
close_button.bind(on_release=dl_close)
stop_button.bind(on_release=dl_stop)
self.sideband.setstate("app.flags.lxmf_sync_dialog_open", True)
2022-04-07 13:03:53 -06:00
self.sync_dialog = dialog_content
self.sync_dialog.stop_button = stop_button
2022-04-07 13:03:53 -06:00
dialog.open()
dialog_content.ids.sync_progress.value = self.sideband.get_sync_progress()*100
dialog_content.ids.sync_status.text = self.sideband.get_sync_status()
def new_conversation_action(self, sender=None):
2022-10-13 15:04:30 -06:00
def cb(dt):
self.new_conversation_request(sender)
Clock.schedule_once(cb, 0.15)
def new_conversation_request(self, sender=None):
2022-04-07 13:03:53 -06:00
try:
2022-10-13 14:12:39 -06:00
cancel_button = MDRectangleFlatButton(text="Cancel",font_size=dp(18))
create_button = MDRectangleFlatButton(text="Create",font_size=dp(18), theme_text_color="Custom", line_color=self.color_accept, text_color=self.color_accept)
2022-10-08 16:52:36 -06:00
2022-04-07 13:03:53 -06:00
dialog_content = NewConv()
dialog = MDDialog(
title="New Conversation",
type="custom",
content_cls=dialog_content,
2022-10-08 16:52:36 -06:00
buttons=[ create_button, cancel_button ],
2022-10-02 16:56:39 -06:00
# elevation=0,
2022-04-07 13:03:53 -06:00
)
dialog.d_content = dialog_content
def dl_yes(s):
new_result = False
try:
n_address = dialog.d_content.ids["n_address_field"].text
n_name = dialog.d_content.ids["n_name_field"].text
n_trusted = dialog.d_content.ids["n_trusted"].active
new_result = self.sideband.new_conversation(n_address, n_name, n_trusted)
except Exception as e:
RNS.log("Error while creating conversation: "+str(e), RNS.LOG_ERROR)
if new_result:
dialog.d_content.ids["n_address_field"].error = False
dialog.dismiss()
2022-10-08 16:52:36 -06:00
if self.conversations_view != None:
self.conversations_view.update()
2022-04-07 13:03:53 -06:00
else:
dialog.d_content.ids["n_address_field"].error = True
# dialog.d_content.ids["n_error_field"].text = "Could not create conversation. Check your input."
def dl_no(s):
dialog.dismiss()
def dl_ds(s):
self.dialog_open = False
2022-10-08 16:52:36 -06:00
create_button.bind(on_release=dl_yes)
cancel_button.bind(on_release=dl_no)
dialog.bind(on_dismiss=dl_ds)
2022-04-07 13:03:53 -06:00
dialog.open()
self.dialog_open = True
2022-04-07 13:03:53 -06:00
except Exception as e:
RNS.log("Error while creating new conversation dialog: "+str(e), RNS.LOG_ERROR)
### Information/version screen
######################################
def information_action(self, sender=None):
def link_exec(sender=None, event=None):
import webbrowser
2022-11-03 16:04:28 -06:00
webbrowser.open("https://unsigned.io/donate")
2022-04-07 13:03:53 -06:00
2022-10-18 11:17:55 -06:00
self.root.ids.information_scrollview.effect_cls = ScrollEffect
2022-10-19 14:25:20 -06:00
self.root.ids.information_logo.icon = self.sideband.asset_dir+"/rns_256.png"
2022-11-22 06:25:56 -07:00
info = "This is Sideband v"+__version__+" "+__variant__+", on RNS v"+RNS.__version__+" and LXMF v"+LXMF.__version__+".\n\nHumbly build using the following open components:\n\n - [b]Reticulum[/b] (MIT License)\n - [b]LXMF[/b] (MIT License)\n - [b]KivyMD[/b] (MIT License)\n - [b]Kivy[/b] (MIT License)\n - [b]Python[/b] (PSF License)"+"\n\nGo to [u][ref=link]https://unsigned.io/donate[/ref][/u] to support the project.\n\nThe Sideband app is Copyright (c) 2022 Mark Qvist / unsigned.io\n\nPermission is granted to freely share and distribute binary copies of Sideband v"+__version__+" "+__variant__+", so long as no payment or compensation is charged for said distribution or sharing.\n\nIf you were charged or paid anything for this copy of Sideband, please report it to [b]license@unsigned.io[/b].\n\nTHIS IS EXPERIMENTAL SOFTWARE - USE AT YOUR OWN RISK AND RESPONSIBILITY"
2022-04-07 13:03:53 -06:00
self.root.ids.information_info.text = info
self.root.ids.information_info.bind(on_ref_press=link_exec)
self.root.ids.screen_manager.transition.direction = "left"
self.root.ids.screen_manager.current = "information_screen"
self.root.ids.nav_drawer.set_state("closed")
self.sideband.setstate("app.displaying", self.root.ids.screen_manager.current)
2022-04-07 13:03:53 -06:00
2022-09-17 14:55:27 -06:00
def close_information_action(self, sender=None):
self.open_conversations(direction="right")
### Settings screen
######################################
2022-04-07 13:03:53 -06:00
def settings_action(self, sender=None):
self.settings_init()
self.root.ids.screen_manager.transition.direction = "left"
self.root.ids.nav_drawer.set_state("closed")
if self.sideband.active_propagation_node != None:
self.root.ids.settings_propagation_node_address.text = RNS.hexrep(self.sideband.active_propagation_node, delimit=False)
self.root.ids.screen_manager.current = "settings_screen"
self.sideband.setstate("app.displaying", self.root.ids.screen_manager.current)
def settings_init(self, sender=None):
if not self.settings_ready:
2022-10-18 11:17:55 -06:00
self.root.ids.settings_scrollview.effect_cls = ScrollEffect
2022-11-23 03:28:02 -07:00
def save_disp_name(sender=None, event=None):
2022-11-23 03:28:02 -07:00
if not sender.focus:
in_name = self.root.ids.settings_display_name.text
if in_name == "":
new_name = "Anonymous Peer"
else:
new_name = in_name
2022-04-07 13:03:53 -06:00
2022-11-23 03:28:02 -07:00
self.sideband.config["display_name"] = new_name
self.sideband.save_configuration()
2022-04-07 13:03:53 -06:00
def save_prop_addr(sender=None, event=None):
2022-11-23 03:28:02 -07:00
if not sender.focus:
in_addr = self.root.ids.settings_propagation_node_address.text
2022-04-07 13:03:53 -06:00
new_addr = None
2022-11-23 03:28:02 -07:00
if in_addr == "":
2022-04-07 13:03:53 -06:00
new_addr = None
2022-11-23 03:28:02 -07:00
self.root.ids.settings_propagation_node_address.error = False
else:
2022-11-23 03:28:02 -07:00
if len(in_addr) != RNS.Reticulum.TRUNCATED_HASHLENGTH//8*2:
new_addr = None
2022-11-23 03:28:02 -07:00
else:
try:
new_addr = bytes.fromhex(in_addr)
except Exception as e:
new_addr = None
2022-04-07 13:03:53 -06:00
2022-11-23 03:28:02 -07:00
if new_addr == None:
self.root.ids.settings_propagation_node_address.error = True
else:
self.root.ids.settings_propagation_node_address.error = False
2022-04-07 13:03:53 -06:00
2022-11-23 03:28:02 -07:00
self.sideband.config["lxmf_propagation_node"] = new_addr
self.sideband.set_active_propagation_node(self.sideband.config["lxmf_propagation_node"])
2022-10-02 06:03:56 -06:00
def save_dark_ui(sender=None, event=None):
self.sideband.config["dark_ui"] = self.root.ids.settings_dark_ui.active
self.sideband.save_configuration()
self.update_ui_theme()
2022-04-07 13:03:53 -06:00
2022-10-08 16:30:58 -06:00
def save_notifications_on(sender=None, event=None):
self.sideband.config["notifications_on"] = self.root.ids.settings_notifications_on.active
self.sideband.save_configuration()
def save_start_announce(sender=None, event=None):
self.sideband.config["start_announce"] = self.root.ids.settings_start_announce.active
self.sideband.save_configuration()
2022-04-07 13:03:53 -06:00
def save_lxmf_delivery_by_default(sender=None, event=None):
self.sideband.config["propagation_by_default"] = self.root.ids.settings_lxmf_delivery_by_default.active
self.sideband.save_configuration()
2022-04-07 13:03:53 -06:00
def save_lxmf_sync_limit(sender=None, event=None):
self.sideband.config["lxmf_sync_limit"] = self.root.ids.settings_lxmf_sync_limit.active
self.sideband.save_configuration()
2022-04-07 13:03:53 -06:00
2022-11-22 06:25:56 -07:00
def save_print_command(sender=None, event=None):
2022-11-23 03:28:02 -07:00
if not sender.focus:
in_cmd = self.root.ids.settings_print_command.text
if in_cmd == "":
new_cmd = "lp"
else:
new_cmd = in_cmd
2022-11-22 06:25:56 -07:00
2022-11-23 03:28:02 -07:00
self.sideband.config["print_command"] = new_cmd.strip()
self.root.ids.settings_print_command.text = self.sideband.config["print_command"]
self.sideband.save_configuration()
2022-11-22 06:25:56 -07:00
def save_lxmf_periodic_sync(sender=None, event=None, save=True):
if self.root.ids.settings_lxmf_periodic_sync.active:
self.widget_hide(self.root.ids.lxmf_syncslider_container, False)
else:
self.widget_hide(self.root.ids.lxmf_syncslider_container, True)
if save:
self.sideband.config["lxmf_periodic_sync"] = self.root.ids.settings_lxmf_periodic_sync.active
self.sideband.save_configuration()
def sync_interval_change(sender=None, event=None, save=True):
interval = (self.root.ids.settings_lxmf_sync_interval.value//300)*300
interval_text = RNS.prettytime(interval)
pre = self.root.ids.settings_lxmf_sync_periodic.text
self.root.ids.settings_lxmf_sync_periodic.text = "Auto sync every "+interval_text
2022-10-08 16:30:58 -06:00
if save:
self.sideband.config["lxmf_sync_interval"] = interval
self.sideband.save_configuration()
self.root.ids.settings_lxmf_address.text = RNS.hexrep(self.sideband.lxmf_destination.hash, delimit=False)
self.root.ids.settings_identity_hash.text = RNS.hexrep(self.sideband.lxmf_destination.identity.hash, delimit=False)
2022-04-07 13:03:53 -06:00
self.root.ids.settings_display_name.text = self.sideband.config["display_name"]
self.root.ids.settings_display_name.bind(focus=save_disp_name)
2022-04-07 13:03:53 -06:00
2022-11-22 06:25:56 -07:00
if RNS.vendor.platformutils.is_android():
self.widget_hide(self.root.ids.settings_print_command, True)
else:
self.root.ids.settings_print_command.text = self.sideband.config["print_command"]
self.root.ids.settings_print_command.bind(focus=save_print_command)
if self.sideband.config["lxmf_propagation_node"] == None:
prop_node_addr = ""
else:
prop_node_addr = RNS.hexrep(self.sideband.config["lxmf_propagation_node"], delimit=False)
2022-04-07 13:03:53 -06:00
self.root.ids.settings_propagation_node_address.text = prop_node_addr
self.root.ids.settings_propagation_node_address.bind(focus=save_prop_addr)
2022-10-02 06:03:56 -06:00
if not RNS.vendor.platformutils.is_android() or android_api_version >= 26:
self.root.ids.settings_notifications_on.active = self.sideband.config["notifications_on"]
self.root.ids.settings_notifications_on.bind(active=save_notifications_on)
else:
self.root.ids.settings_notifications_on.active = False
self.root.ids.settings_notifications_on.disabled = True
2022-10-08 16:30:58 -06:00
self.root.ids.settings_dark_ui.active = self.sideband.config["dark_ui"]
self.root.ids.settings_dark_ui.bind(active=save_dark_ui)
2022-04-07 13:03:53 -06:00
self.root.ids.settings_start_announce.active = self.sideband.config["start_announce"]
self.root.ids.settings_start_announce.bind(active=save_start_announce)
2022-04-07 13:03:53 -06:00
self.root.ids.settings_lxmf_delivery_by_default.active = self.sideband.config["propagation_by_default"]
self.root.ids.settings_lxmf_delivery_by_default.bind(active=save_lxmf_delivery_by_default)
2022-04-07 13:03:53 -06:00
self.root.ids.settings_lxmf_periodic_sync.active = self.sideband.config["lxmf_periodic_sync"]
self.root.ids.settings_lxmf_periodic_sync.bind(active=save_lxmf_periodic_sync)
save_lxmf_periodic_sync(save=False)
2022-10-08 16:30:58 -06:00
def sync_interval_change_cb(sender=None, event=None):
sync_interval_change(sender=sender, event=event, save=False)
self.root.ids.settings_lxmf_sync_interval.bind(value=sync_interval_change_cb)
self.root.ids.settings_lxmf_sync_interval.bind(on_touch_up=sync_interval_change)
self.root.ids.settings_lxmf_sync_interval.value = self.sideband.config["lxmf_sync_interval"]
sync_interval_change(save=False)
if self.sideband.config["lxmf_sync_limit"] == None or self.sideband.config["lxmf_sync_limit"] == False:
sync_limit = False
else:
sync_limit = True
2022-04-07 13:03:53 -06:00
self.root.ids.settings_lxmf_sync_limit.active = sync_limit
self.root.ids.settings_lxmf_sync_limit.bind(active=save_lxmf_sync_limit)
self.settings_ready = True
2022-04-07 13:03:53 -06:00
def close_settings_action(self, sender=None):
self.open_conversations(direction="right")
2022-07-06 04:19:05 -06:00
### Connectivity screen
######################################
def connectivity_action(self, sender=None):
self.root.ids.screen_manager.transition.direction = "left"
self.root.ids.nav_drawer.set_state("closed")
self.connectivity_init()
self.root.ids.screen_manager.current = "connectivity_screen"
self.sideband.setstate("app.displaying", self.root.ids.screen_manager.current)
def connectivity_init(self, sender=None):
if not self.connectivity_ready:
2022-10-18 11:17:55 -06:00
self.root.ids.connectivity_scrollview.effect_cls = ScrollEffect
def con_hide_settings():
self.widget_hide(self.root.ids.connectivity_use_local)
self.widget_hide(self.root.ids.connectivity_local_groupid)
self.widget_hide(self.root.ids.connectivity_local_ifac_netname)
self.widget_hide(self.root.ids.connectivity_local_ifac_passphrase)
self.widget_hide(self.root.ids.connectivity_use_tcp)
self.widget_hide(self.root.ids.connectivity_tcp_host)
self.widget_hide(self.root.ids.connectivity_tcp_port)
self.widget_hide(self.root.ids.connectivity_tcp_ifac_netname)
self.widget_hide(self.root.ids.connectivity_tcp_ifac_passphrase)
self.widget_hide(self.root.ids.connectivity_use_i2p)
self.widget_hide(self.root.ids.connectivity_i2p_b32)
self.widget_hide(self.root.ids.connectivity_i2p_ifac_netname)
self.widget_hide(self.root.ids.connectivity_i2p_ifac_passphrase)
self.widget_hide(self.root.ids.connectivity_tcp_label)
self.widget_hide(self.root.ids.connectivity_local_label)
self.widget_hide(self.root.ids.connectivity_i2p_label)
self.widget_hide(self.root.ids.connectivity_rnode_label)
self.widget_hide(self.root.ids.connectivity_rnode_ifac_netname)
self.widget_hide(self.root.ids.connectivity_rnode_ifac_passphrase)
self.widget_hide(self.root.ids.connectivity_use_rnode)
self.widget_hide(self.root.ids.connectivity_modem_label)
self.widget_hide(self.root.ids.connectivity_use_modem)
self.widget_hide(self.root.ids.connectivity_modem_fields)
# self.widget_hide(self.root.ids.connectivity_bluetooth_label)
# self.widget_hide(self.root.ids.connectivity_use_bluetooth)
# self.widget_hide(self.root.ids.connectivity_bluetooth_fields)
self.widget_hide(self.root.ids.connectivity_transport_label)
self.widget_hide(self.root.ids.connectivity_enable_transport)
2022-10-13 11:55:24 -06:00
self.widget_hide(self.root.ids.connectivity_serial_label)
self.widget_hide(self.root.ids.connectivity_use_serial)
self.widget_hide(self.root.ids.connectivity_serial_fields)
2022-11-03 15:55:35 -06:00
self.widget_hide(self.root.ids.connectivity_transport_label)
self.widget_hide(self.root.ids.connectivity_enable_transport)
self.widget_hide(self.root.ids.connectivity_transport_info)
self.widget_hide(self.root.ids.connectivity_transport_fields)
def con_collapse_local(collapse=True):
# self.widget_hide(self.root.ids.connectivity_local_fields, collapse)
pass
def con_collapse_tcp(collapse=True):
# self.widget_hide(self.root.ids.connectivity_tcp_fields, collapse)
pass
def con_collapse_i2p(collapse=True):
# self.widget_hide(self.root.ids.connectivity_i2p_fields, collapse)
pass
def con_collapse_bluetooth(collapse=True):
# self.widget_hide(self.root.ids.connectivity_bluetooth_fields, collapse)
pass
def con_collapse_rnode(collapse=True):
# self.widget_hide(self.root.ids.connectivity_rnode_fields, collapse)
pass
def con_collapse_modem(collapse=True):
# self.widget_hide(self.root.ids.connectivity_modem_fields, collapse)
pass
def con_collapse_serial(collapse=True):
# self.widget_hide(self.root.ids.connectivity_serial_fields, collapse)
pass
def con_collapse_transport(collapse=True):
# self.widget_hide(self.root.ids.connectivity_transport_fields, collapse)
pass
def save_connectivity(sender=None, event=None):
self.sideband.config["connect_transport"] = self.root.ids.connectivity_enable_transport.active
self.sideband.config["connect_local"] = self.root.ids.connectivity_use_local.active
self.sideband.config["connect_local_groupid"] = self.root.ids.connectivity_local_groupid.text
self.sideband.config["connect_local_ifac_netname"] = self.root.ids.connectivity_local_ifac_netname.text
self.sideband.config["connect_local_ifac_passphrase"] = self.root.ids.connectivity_local_ifac_passphrase.text
self.sideband.config["connect_tcp"] = self.root.ids.connectivity_use_tcp.active
self.sideband.config["connect_tcp_host"] = self.root.ids.connectivity_tcp_host.text
self.sideband.config["connect_tcp_port"] = self.root.ids.connectivity_tcp_port.text
self.sideband.config["connect_tcp_ifac_netname"] = self.root.ids.connectivity_tcp_ifac_netname.text
self.sideband.config["connect_tcp_ifac_passphrase"] = self.root.ids.connectivity_tcp_ifac_passphrase.text
self.sideband.config["connect_i2p"] = self.root.ids.connectivity_use_i2p.active
self.sideband.config["connect_i2p_b32"] = self.root.ids.connectivity_i2p_b32.text
self.sideband.config["connect_i2p_ifac_netname"] = self.root.ids.connectivity_i2p_ifac_netname.text
self.sideband.config["connect_i2p_ifac_passphrase"] = self.root.ids.connectivity_i2p_ifac_passphrase.text
2022-10-11 06:21:32 -06:00
self.sideband.config["connect_rnode"] = self.root.ids.connectivity_use_rnode.active
self.sideband.config["connect_rnode_ifac_netname"] = self.root.ids.connectivity_rnode_ifac_netname.text
self.sideband.config["connect_rnode_ifac_passphrase"] = self.root.ids.connectivity_rnode_ifac_passphrase.text
self.sideband.config["connect_serial"] = self.root.ids.connectivity_use_serial.active
self.sideband.config["connect_serial_ifac_netname"] = self.root.ids.connectivity_serial_ifac_netname.text
self.sideband.config["connect_serial_ifac_passphrase"] = self.root.ids.connectivity_serial_ifac_passphrase.text
self.sideband.config["connect_modem"] = self.root.ids.connectivity_use_modem.active
self.sideband.config["connect_modem_ifac_netname"] = self.root.ids.connectivity_modem_ifac_netname.text
self.sideband.config["connect_modem_ifac_passphrase"] = self.root.ids.connectivity_modem_ifac_passphrase.text
self.sideband.config["connect_ifmode_local"] = self.root.ids.connectivity_local_ifmode.text.lower()
self.sideband.config["connect_ifmode_tcp"] = self.root.ids.connectivity_tcp_ifmode.text.lower()
self.sideband.config["connect_ifmode_i2p"] = self.root.ids.connectivity_i2p_ifmode.text.lower()
self.sideband.config["connect_ifmode_rnode"] = self.root.ids.connectivity_rnode_ifmode.text.lower()
self.sideband.config["connect_ifmode_modem"] = self.root.ids.connectivity_modem_ifmode.text.lower()
self.sideband.config["connect_ifmode_serial"] = self.root.ids.connectivity_serial_ifmode.text.lower()
2022-10-02 12:43:56 -06:00
con_collapse_local(collapse=not self.root.ids.connectivity_use_local.active)
con_collapse_tcp(collapse=not self.root.ids.connectivity_use_tcp.active)
con_collapse_i2p(collapse=not self.root.ids.connectivity_use_i2p.active)
con_collapse_rnode(collapse=not self.root.ids.connectivity_use_rnode.active)
con_collapse_modem(collapse=not self.root.ids.connectivity_use_modem.active)
con_collapse_serial(collapse=not self.root.ids.connectivity_use_serial.active)
con_collapse_transport(collapse=not self.sideband.config["connect_transport"])
2022-10-02 12:43:56 -06:00
# con_collapse_bluetooth(collapse=not self.root.ids.connectivity_use_bluetooth.active)
self.sideband.save_configuration()
2022-10-02 12:43:56 -06:00
2022-10-15 11:30:43 -06:00
if sender == self.root.ids.connectivity_enable_transport:
if sender.active:
def cb(dt):
yes_button = MDRectangleFlatButton(text="Understood",font_size=dp(18), theme_text_color="Custom", line_color=self.color_reject, text_color=self.color_reject)
dialog = MDDialog(
title="Warning!",
text="You have enabled [i]Reticulum Transport[/i] for this device.\n\nFor normal operation, and for most users, this is [b]not[/b] necessary, and might even degrade your network performance.\n\nWhen Transport is enabled, your device will route traffic between all connected interfaces and for all reachable devices on the network.\n\nThis should only be done if you intend to keep your device in a fixed position and for it to remain available continously.\n\nIf this is not the case, or you don't understand any of this, turn off Transport.",
buttons=[ yes_button ],
# elevation=0,
)
def dl_yes(s):
dialog.dismiss()
yes_button.bind(on_release=dl_yes)
dialog.open()
Clock.schedule_once(cb, 0.65)
def serial_connectivity_save(sender=None, event=None):
if sender.active:
self.root.ids.connectivity_use_rnode.unbind(active=serial_connectivity_save)
self.root.ids.connectivity_use_modem.unbind(active=serial_connectivity_save)
self.root.ids.connectivity_use_serial.unbind(active=serial_connectivity_save)
self.root.ids.connectivity_use_rnode.active = False
self.root.ids.connectivity_use_modem.active = False
self.root.ids.connectivity_use_serial.active = False
sender.active = True
self.root.ids.connectivity_use_rnode.bind(active=serial_connectivity_save)
self.root.ids.connectivity_use_modem.bind(active=serial_connectivity_save)
self.root.ids.connectivity_use_serial.bind(active=serial_connectivity_save)
save_connectivity(sender, event)
def focus_save(sender=None, event=None):
if not sender.focus:
save_connectivity(sender, event)
def ifmode_validate(sender=None, event=None):
if not sender.focus:
all_valid = True
iftypes = ["local", "tcp", "i2p", "rnode", "modem", "serial"]
for iftype in iftypes:
element = self.root.ids["connectivity_"+iftype+"_ifmode"]
modes = ["full", "gateway", "access point", "roaming", "boundary"]
value = element.text.lower()
if value in ["", "f"] or value.startswith("fu"):
value = "full"
elif value in ["g", "gw"] or value.startswith("ga"):
value = "gateway"
elif value in ["a", "ap", "a p", "accesspoint", "access point", "ac", "acc", "acce", "acces"] or value.startswith("access"):
value = "access point"
elif value in ["r"] or value.startswith("ro"):
value = "roaming"
elif value in ["b", "edge"] or value.startswith("bo"):
value = "boundary"
else:
value = "full"
if value in modes:
element.text = value.capitalize()
element.error = False
else:
element.error = True
all_valid = False
if all_valid:
save_connectivity(sender, event)
if RNS.vendor.platformutils.get_platform() == "android":
if not self.sideband.getpersistent("service.is_controlling_connectivity"):
info = "Sideband is connected via a shared Reticulum instance running on this system.\n\n"
info += "To configure connectivity, edit the relevant configuration file for the instance."
self.root.ids.connectivity_info.text = info
con_hide_settings()
else:
info = "By default, Sideband will try to discover and connect to any available Reticulum networks via active WiFi and/or Ethernet interfaces. If any Reticulum Transport Instances are found, Sideband will use these to connect to wider Reticulum networks. You can disable this behaviour if you don't want it.\n\n"
info += "You can also connect to a network via a remote or local Reticulum instance using TCP or I2P. [b]Please Note![/b] Connecting via I2P requires that you already have I2P running on your device, and that the SAM API is enabled.\n\n"
info += "For changes to connectivity to take effect, you must shut down and restart Sideband.\n"
self.root.ids.connectivity_info.text = info
self.root.ids.connectivity_use_local.active = self.sideband.config["connect_local"]
con_collapse_local(collapse=not self.root.ids.connectivity_use_local.active)
self.root.ids.connectivity_local_groupid.text = self.sideband.config["connect_local_groupid"]
self.root.ids.connectivity_local_ifac_netname.text = self.sideband.config["connect_local_ifac_netname"]
self.root.ids.connectivity_local_ifac_passphrase.text = self.sideband.config["connect_local_ifac_passphrase"]
self.root.ids.connectivity_use_tcp.active = self.sideband.config["connect_tcp"]
con_collapse_tcp(collapse=not self.root.ids.connectivity_use_tcp.active)
self.root.ids.connectivity_tcp_host.text = self.sideband.config["connect_tcp_host"]
self.root.ids.connectivity_tcp_port.text = self.sideband.config["connect_tcp_port"]
self.root.ids.connectivity_tcp_ifac_netname.text = self.sideband.config["connect_tcp_ifac_netname"]
self.root.ids.connectivity_tcp_ifac_passphrase.text = self.sideband.config["connect_tcp_ifac_passphrase"]
self.root.ids.connectivity_use_i2p.active = self.sideband.config["connect_i2p"]
con_collapse_i2p(collapse=not self.root.ids.connectivity_use_i2p.active)
self.root.ids.connectivity_i2p_b32.text = self.sideband.config["connect_i2p_b32"]
self.root.ids.connectivity_i2p_ifac_netname.text = self.sideband.config["connect_i2p_ifac_netname"]
self.root.ids.connectivity_i2p_ifac_passphrase.text = self.sideband.config["connect_i2p_ifac_passphrase"]
self.root.ids.connectivity_use_rnode.active = self.sideband.config["connect_rnode"]
con_collapse_rnode(collapse=not self.root.ids.connectivity_use_rnode.active)
self.root.ids.connectivity_rnode_ifac_netname.text = self.sideband.config["connect_rnode_ifac_netname"]
self.root.ids.connectivity_rnode_ifac_passphrase.text = self.sideband.config["connect_rnode_ifac_passphrase"]
# self.root.ids.connectivity_use_bluetooth.active = False
# con_collapse_bluetooth(collapse=not self.root.ids.connectivity_use_bluetooth.active)
self.root.ids.connectivity_use_modem.active = self.sideband.config["connect_modem"]
con_collapse_modem(collapse=not self.root.ids.connectivity_use_modem.active)
self.root.ids.connectivity_modem_ifac_netname.text = self.sideband.config["connect_modem_ifac_netname"]
self.root.ids.connectivity_modem_ifac_passphrase.text = self.sideband.config["connect_modem_ifac_passphrase"]
self.root.ids.connectivity_use_serial.active = self.sideband.config["connect_serial"]
con_collapse_serial(collapse=not self.root.ids.connectivity_use_serial.active)
self.root.ids.connectivity_serial_ifac_netname.text = self.sideband.config["connect_serial_ifac_netname"]
self.root.ids.connectivity_serial_ifac_passphrase.text = self.sideband.config["connect_serial_ifac_passphrase"]
self.root.ids.connectivity_enable_transport.active = self.sideband.config["connect_transport"]
con_collapse_transport(collapse=not self.sideband.config["connect_transport"])
self.root.ids.connectivity_enable_transport.bind(active=save_connectivity)
self.root.ids.connectivity_local_ifmode.text = self.sideband.config["connect_ifmode_local"].capitalize()
self.root.ids.connectivity_tcp_ifmode.text = self.sideband.config["connect_ifmode_tcp"].capitalize()
self.root.ids.connectivity_i2p_ifmode.text = self.sideband.config["connect_ifmode_i2p"].capitalize()
self.root.ids.connectivity_rnode_ifmode.text = self.sideband.config["connect_ifmode_rnode"].capitalize()
self.root.ids.connectivity_modem_ifmode.text = self.sideband.config["connect_ifmode_modem"].capitalize()
self.root.ids.connectivity_serial_ifmode.text = self.sideband.config["connect_ifmode_serial"].capitalize()
self.root.ids.connectivity_use_local.bind(active=save_connectivity)
self.root.ids.connectivity_local_groupid.bind(focus=focus_save)
self.root.ids.connectivity_local_ifac_netname.bind(focus=focus_save)
self.root.ids.connectivity_local_ifac_passphrase.bind(focus=focus_save)
self.root.ids.connectivity_use_tcp.bind(active=save_connectivity)
self.root.ids.connectivity_tcp_host.bind(focus=focus_save)
self.root.ids.connectivity_tcp_port.bind(focus=focus_save)
self.root.ids.connectivity_tcp_ifac_netname.bind(focus=focus_save)
self.root.ids.connectivity_tcp_ifac_passphrase.bind(focus=focus_save)
self.root.ids.connectivity_use_i2p.bind(active=save_connectivity)
self.root.ids.connectivity_i2p_b32.bind(focus=focus_save)
self.root.ids.connectivity_i2p_ifac_netname.bind(focus=focus_save)
self.root.ids.connectivity_i2p_ifac_passphrase.bind(focus=focus_save)
self.root.ids.connectivity_use_rnode.bind(active=serial_connectivity_save)
self.root.ids.connectivity_rnode_ifac_netname.bind(focus=focus_save)
self.root.ids.connectivity_rnode_ifac_passphrase.bind(focus=focus_save)
self.root.ids.connectivity_use_modem.bind(active=serial_connectivity_save)
self.root.ids.connectivity_modem_ifac_netname.bind(focus=focus_save)
self.root.ids.connectivity_modem_ifac_passphrase.bind(focus=focus_save)
self.root.ids.connectivity_use_serial.bind(active=serial_connectivity_save)
self.root.ids.connectivity_serial_ifac_netname.bind(focus=focus_save)
self.root.ids.connectivity_serial_ifac_passphrase.bind(focus=focus_save)
self.root.ids.connectivity_local_ifmode.bind(focus=ifmode_validate)
self.root.ids.connectivity_tcp_ifmode.bind(focus=ifmode_validate)
self.root.ids.connectivity_i2p_ifmode.bind(focus=ifmode_validate)
self.root.ids.connectivity_rnode_ifmode.bind(focus=ifmode_validate)
self.root.ids.connectivity_modem_ifmode.bind(focus=ifmode_validate)
self.root.ids.connectivity_serial_ifmode.bind(focus=ifmode_validate)
# self.root.ids.connectivity_use_bluetooth.bind(active=save_connectivity)
else:
info = ""
if self.sideband.reticulum.is_connected_to_shared_instance:
info = "Sideband is connected via a shared Reticulum instance running on this system.\n\n"
info += "To get connectivity status, use the rnstatus utility.\n\n"
info += "To configure connectivity, edit the configuration file located at:\n\n"
info += str(RNS.Reticulum.configpath)
else:
info = "Sideband is currently running a standalone or master Reticulum instance on this system.\n\n"
info += "To get connectivity status, use the rnstatus utility.\n\n"
info += "To configure connectivity, edit the configuration file located at:\n\n"
info += str(RNS.Reticulum.configpath)
self.root.ids.connectivity_info.text = info
2022-07-06 04:19:05 -06:00
con_hide_settings()
2022-07-06 04:19:05 -06:00
self.connectivity_ready = True
2022-07-06 04:19:05 -06:00
def close_connectivity_action(self, sender=None):
self.open_conversations(direction="right")
### Hardware screen
######################################
def hardware_action(self, sender=None, direction="left"):
self.hardware_init()
self.root.ids.screen_manager.transition.direction = direction
self.root.ids.screen_manager.current = "hardware_screen"
self.root.ids.nav_drawer.set_state("closed")
self.sideband.setstate("app.displaying", self.root.ids.screen_manager.current)
2022-10-15 02:06:42 -06:00
def close_sub_hardware_action(self, sender=None):
self.hardware_action(direction="right")
def hardware_init(self, sender=None):
if not self.hardware_ready:
2022-10-18 11:17:55 -06:00
self.root.ids.hardware_scrollview.effect_cls = ScrollEffect
2022-10-15 02:06:42 -06:00
def con_hide_settings():
self.widget_hide(self.root.ids.hardware_rnode_button)
self.widget_hide(self.root.ids.hardware_modem_button)
self.widget_hide(self.root.ids.hardware_serial_button)
def con_collapse_local(collapse=True):
self.widget_hide(self.root.ids.connectivity_local_fields, collapse)
def save_connectivity(sender=None, event=None):
# self.sideband.config["connect_local"] = self.root.ids.connectivity_use_local.active
con_collapse_local(collapse=not self.root.ids.connectivity_use_local.active)
self.sideband.save_configuration()
2022-11-03 15:55:35 -06:00
if RNS.vendor.platformutils.get_platform() == "android":
if not self.sideband.getpersistent("service.is_controlling_connectivity"):
2022-10-15 02:06:42 -06:00
info = "Sideband is connected via a shared Reticulum instance running on this system.\n\n"
info += "To configure hardware parameters, edit the relevant configuration file for the instance."
self.root.ids.hardware_info.text = info
con_hide_settings()
else:
info = "When using external hardware for communicating, you may configure various parameters, such as channel settings, modulation schemes, interface speeds and access parameters. You can set up these parameters per device type, and Sideband will apply the configuration when opening a device of that type.\n\n"
info += "Hardware configurations can also be exported or imported as [i]config motes[/i], which are self-contained plaintext strings that are easy to share with others. When importing a config mote, Sideband will automatically set all relevant parameters as specified within it.\n\n"
info += "For changes to hardware parameters to take effect, you must shut down and restart Sideband.\n"
self.root.ids.hardware_info.text = info
else:
info = ""
if self.sideband.reticulum.is_connected_to_shared_instance:
info = "Sideband is connected via a shared Reticulum instance running on this system.\n\n"
info += "To configure hardware parameters, edit the configuration file located at:\n\n"
info += str(RNS.Reticulum.configpath)
else:
info = "Sideband is currently running a standalone or master Reticulum instance on this system.\n\n"
info += "To configure hardware parameters, edit the configuration file located at:\n\n"
info += str(RNS.Reticulum.configpath)
self.root.ids.hardware_info.text = info
con_hide_settings()
self.hardware_ready = True
def close_hardware_action(self, sender=None):
self.open_conversations(direction="right")
## RNode hardware screen
def hardware_rnode_action(self, sender=None):
self.hardware_rnode_init()
self.root.ids.screen_manager.transition.direction = "left"
self.root.ids.screen_manager.current = "hardware_rnode_screen"
self.root.ids.nav_drawer.set_state("closed")
self.sideband.setstate("app.displaying", self.root.ids.screen_manager.current)
def hardware_rnode_save(self):
self.sideband.config["hw_rnode_frequency"] = int(float(self.root.ids.hardware_rnode_frequency.text)*1000000)
self.sideband.config["hw_rnode_bandwidth"] = int(float(self.root.ids.hardware_rnode_bandwidth.text)*1000)
self.sideband.config["hw_rnode_tx_power"] = int(self.root.ids.hardware_rnode_txpower.text)
self.sideband.config["hw_rnode_spreading_factor"] = int(self.root.ids.hardware_rnode_spreadingfactor.text)
self.sideband.config["hw_rnode_coding_rate"] = int(self.root.ids.hardware_rnode_codingrate.text)
if self.root.ids.hardware_rnode_beaconinterval.text == "":
self.sideband.config["hw_rnode_beaconinterval"] = None
else:
self.sideband.config["hw_rnode_beaconinterval"] = int(self.root.ids.hardware_rnode_beaconinterval.text)
if self.root.ids.hardware_rnode_beacondata.text == "":
self.sideband.config["hw_rnode_beacondata"] = None
else:
self.sideband.config["hw_rnode_beacondata"] = self.root.ids.hardware_rnode_beacondata.text
if self.root.ids.hardware_rnode_bt_device.text == "":
self.sideband.config["hw_rnode_bt_device"] = None
else:
self.sideband.config["hw_rnode_bt_device"] = self.root.ids.hardware_rnode_bt_device.text
self.sideband.save_configuration()
def hardware_rnode_bt_on_action(self, sender=None):
self.root.ids.hardware_rnode_bt_pair_button.disabled = True
self.root.ids.hardware_rnode_bt_on_button.disabled = True
self.root.ids.hardware_rnode_bt_off_button.disabled = True
def re_enable():
time.sleep(2)
while self.sideband.getstate("executing.bt_on"):
time.sleep(1)
self.root.ids.hardware_rnode_bt_off_button.disabled = False
self.root.ids.hardware_rnode_bt_pair_button.disabled = False
self.root.ids.hardware_rnode_bt_on_button.disabled = False
threading.Thread(target=re_enable, daemon=True).start()
self.sideband.setstate("wants.bt_on", True)
def hardware_rnode_bt_off_action(self, sender=None):
self.root.ids.hardware_rnode_bt_pair_button.disabled = True
self.root.ids.hardware_rnode_bt_on_button.disabled = True
self.root.ids.hardware_rnode_bt_off_button.disabled = True
def re_enable():
time.sleep(2)
while self.sideband.getstate("executing.bt_off"):
time.sleep(1)
self.root.ids.hardware_rnode_bt_off_button.disabled = False
self.root.ids.hardware_rnode_bt_pair_button.disabled = False
self.root.ids.hardware_rnode_bt_on_button.disabled = False
threading.Thread(target=re_enable, daemon=True).start()
self.sideband.setstate("wants.bt_off", True)
def hardware_rnode_bt_pair_action(self, sender=None):
self.root.ids.hardware_rnode_bt_pair_button.disabled = True
self.root.ids.hardware_rnode_bt_on_button.disabled = True
self.root.ids.hardware_rnode_bt_off_button.disabled = True
def re_enable():
time.sleep(2)
while self.sideband.getstate("executing.bt_pair"):
time.sleep(1)
self.root.ids.hardware_rnode_bt_off_button.disabled = False
self.root.ids.hardware_rnode_bt_pair_button.disabled = False
self.root.ids.hardware_rnode_bt_on_button.disabled = False
threading.Thread(target=re_enable, daemon=True).start()
self.sideband.setstate("wants.bt_pair", True)
def hardware_rnode_bt_toggle_action(self, sender=None, event=None):
if sender.active:
self.sideband.config["hw_rnode_bluetooth"] = True
self.request_bluetooth_permissions()
else:
self.sideband.config["hw_rnode_bluetooth"] = False
self.sideband.save_configuration()
def hardware_rnode_init(self, sender=None):
if not self.hardware_rnode_ready:
2022-10-18 11:17:55 -06:00
self.root.ids.hardware_rnode_scrollview.effect_cls = ScrollEffect
def save_connectivity(sender=None, event=None):
if self.hardware_rnode_validate():
self.hardware_rnode_save()
def focus_save(sender=None, event=None):
if sender != None:
if not sender.focus:
save_connectivity(sender=sender)
if self.sideband.config["hw_rnode_frequency"] != None:
t_freq = str(self.sideband.config["hw_rnode_frequency"]/1000000.0)
else:
t_freq = ""
if self.sideband.config["hw_rnode_bandwidth"] != None:
t_bw = str(self.sideband.config["hw_rnode_bandwidth"]/1000.0)
else:
t_bw = str(62.5)
if self.sideband.config["hw_rnode_tx_power"] != None:
t_p = str(self.sideband.config["hw_rnode_tx_power"])
else:
t_p = str(0)
if self.sideband.config["hw_rnode_spreading_factor"] != None:
t_sf = str(self.sideband.config["hw_rnode_spreading_factor"])
else:
t_sf = str(8)
if self.sideband.config["hw_rnode_coding_rate"] != None:
t_cr = str(self.sideband.config["hw_rnode_coding_rate"])
else:
t_cr = str(6)
if self.sideband.config["hw_rnode_beaconinterval"] != None:
t_bi = str(self.sideband.config["hw_rnode_beaconinterval"])
else:
t_bi = ""
if self.sideband.config["hw_rnode_beacondata"] != None:
t_bd = str(self.sideband.config["hw_rnode_beacondata"])
else:
t_bd = ""
if self.sideband.config["hw_rnode_bt_device"] != None:
t_btd = str(self.sideband.config["hw_rnode_bt_device"])
else:
t_btd = ""
self.root.ids.hardware_rnode_bluetooth.active = self.sideband.config["hw_rnode_bluetooth"]
self.root.ids.hardware_rnode_frequency.text = t_freq
self.root.ids.hardware_rnode_bandwidth.text = t_bw
self.root.ids.hardware_rnode_txpower.text = t_p
self.root.ids.hardware_rnode_spreadingfactor.text = t_sf
self.root.ids.hardware_rnode_codingrate.text = t_cr
self.root.ids.hardware_rnode_beaconinterval.text = t_bi
self.root.ids.hardware_rnode_beacondata.text = t_bd
self.root.ids.hardware_rnode_bt_device.text = t_btd
self.root.ids.hardware_rnode_frequency.bind(focus=focus_save)
self.root.ids.hardware_rnode_bandwidth.bind(focus=focus_save)
self.root.ids.hardware_rnode_txpower.bind(focus=focus_save)
self.root.ids.hardware_rnode_spreadingfactor.bind(focus=focus_save)
self.root.ids.hardware_rnode_codingrate.bind(focus=focus_save)
self.root.ids.hardware_rnode_beaconinterval.bind(focus=focus_save)
self.root.ids.hardware_rnode_beacondata.bind(focus=focus_save)
self.root.ids.hardware_rnode_bt_device.bind(focus=focus_save)
self.root.ids.hardware_rnode_frequency.bind(on_text_validate=save_connectivity)
self.root.ids.hardware_rnode_bandwidth.bind(on_text_validate=save_connectivity)
self.root.ids.hardware_rnode_txpower.bind(on_text_validate=save_connectivity)
self.root.ids.hardware_rnode_spreadingfactor.bind(on_text_validate=save_connectivity)
self.root.ids.hardware_rnode_codingrate.bind(on_text_validate=save_connectivity)
self.root.ids.hardware_rnode_beaconinterval.bind(on_text_validate=save_connectivity)
self.root.ids.hardware_rnode_beacondata.bind(on_text_validate=save_connectivity)
self.root.ids.hardware_rnode_bluetooth.bind(active=self.hardware_rnode_bt_toggle_action)
def hardware_rnode_validate(self, sender=None):
valid = True
try:
val = float(self.root.ids.hardware_rnode_frequency.text)
if not val > 0:
raise ValueError("Invalid frequency")
self.root.ids.hardware_rnode_frequency.error = False
self.root.ids.hardware_rnode_frequency.text = str(val)
except:
self.root.ids.hardware_rnode_frequency.error = True
valid = False
try:
valid_vals = [7.8, 10.4, 15.6, 20.8, 31.25, 41.7, 62.5, 125, 250, 500]
val = float(self.root.ids.hardware_rnode_bandwidth.text)
if not val in valid_vals:
raise ValueError("Invalid bandwidth")
self.root.ids.hardware_rnode_bandwidth.error = False
self.root.ids.hardware_rnode_bandwidth.text = str(val)
except:
self.root.ids.hardware_rnode_bandwidth.error = True
valid = False
try:
val = int(self.root.ids.hardware_rnode_txpower.text)
if not val >= 0:
raise ValueError("Invalid TX power")
self.root.ids.hardware_rnode_txpower.error = False
self.root.ids.hardware_rnode_txpower.text = str(val)
except:
self.root.ids.hardware_rnode_txpower.error = True
valid = False
try:
val = int(self.root.ids.hardware_rnode_spreadingfactor.text)
if val < 7 or val > 12:
raise ValueError("Invalid sf")
self.root.ids.hardware_rnode_spreadingfactor.error = False
self.root.ids.hardware_rnode_spreadingfactor.text = str(val)
except:
self.root.ids.hardware_rnode_spreadingfactor.error = True
valid = False
try:
val = int(self.root.ids.hardware_rnode_codingrate.text)
if val < 5 or val > 8:
raise ValueError("Invalid cr")
self.root.ids.hardware_rnode_codingrate.error = False
self.root.ids.hardware_rnode_codingrate.text = str(val)
except:
self.root.ids.hardware_rnode_codingrate.error = True
valid = False
try:
if self.root.ids.hardware_rnode_beaconinterval.text != "":
val = int(self.root.ids.hardware_rnode_beaconinterval.text)
if val < 10:
raise ValueError("Invalid bi")
self.root.ids.hardware_rnode_beaconinterval.text = str(val)
self.root.ids.hardware_rnode_beaconinterval.error = False
except:
self.root.ids.hardware_rnode_beaconinterval.text = ""
valid = False
return valid
def hardware_rnode_import(self, sender=None):
mote = None
try:
mote = Clipboard.paste()
except Exception as e:
2022-10-13 14:12:39 -06:00
yes_button = MDRectangleFlatButton(text="OK",font_size=dp(18))
dialog = MDDialog(
title="Import Failed",
text="Could not read data from your clipboard, please check your system permissions.",
buttons=[ yes_button ],
# elevation=0,
)
def dl_yes(s):
dialog.dismiss()
yes_button.bind(on_release=dl_yes)
dialog.open()
try:
config = msgpack.unpackb(base64.b32decode(mote))
self.root.ids.hardware_rnode_frequency.text = str(config["f"]/1000000.0)
self.root.ids.hardware_rnode_bandwidth.text = str(config["b"]/1000.0)
self.root.ids.hardware_rnode_txpower.text = str(config["t"])
self.root.ids.hardware_rnode_spreadingfactor.text = str(config["s"])
self.root.ids.hardware_rnode_codingrate.text = str(config["c"])
if "n" in config and config["n"] != None:
ifn = str(config["n"])
else:
ifn = ""
if "p" in config and config["p"] != None:
ifp = str(config["p"])
else:
ifp = ""
self.root.ids.connectivity_rnode_ifac_netname.text = ifn
self.sideband.config["connect_rnode_ifac_netname"] = ifn
self.root.ids.connectivity_rnode_ifac_passphrase.text = ifp
self.sideband.config["connect_rnode_ifac_passphrase"] = ifp
if config["i"] != None:
ti = str(config["i"])
else:
ti = ""
self.root.ids.hardware_rnode_beaconinterval.text = ti
if config["d"] != None:
td = str(config["d"])
else:
td = ""
self.root.ids.hardware_rnode_beacondata.text = td
if self.hardware_rnode_validate():
self.hardware_rnode_save()
2022-10-13 14:12:39 -06:00
yes_button = MDRectangleFlatButton(text="OK",font_size=dp(18))
dialog = MDDialog(
title="Configuration Imported",
text="The config mote was imported and saved as your active configuration.",
buttons=[ yes_button ],
# elevation=0,
)
def dl_yes(s):
dialog.dismiss()
yes_button.bind(on_release=dl_yes)
dialog.open()
else:
raise ValueError("Invalid mote")
except Exception as e:
2022-10-13 14:12:39 -06:00
yes_button = MDRectangleFlatButton(text="OK",font_size=dp(18))
dialog = MDDialog(
title="Import Failed",
text="The read data did not contain a valid config mote. If any data was decoded, you may try to correct it by editing the relevant fields. The reported error was:\n\n"+str(e),
buttons=[ yes_button ],
# elevation=0,
)
def dl_yes(s):
dialog.dismiss()
yes_button.bind(on_release=dl_yes)
dialog.open()
def hardware_rnode_export(self, sender=None):
mote = None
try:
mote = base64.b32encode(msgpack.packb({
"f": self.sideband.config["hw_rnode_frequency"],
"b": self.sideband.config["hw_rnode_bandwidth"],
"t": self.sideband.config["hw_rnode_tx_power"],
"s": self.sideband.config["hw_rnode_spreading_factor"],
"c": self.sideband.config["hw_rnode_coding_rate"],
"i": self.sideband.config["hw_rnode_beaconinterval"],
"d": self.sideband.config["hw_rnode_beacondata"],
"n": self.sideband.config["connect_rnode_ifac_netname"],
"p": self.sideband.config["connect_rnode_ifac_passphrase"],
}))
except Exception as e:
pass
if mote != None:
Clipboard.copy(mote)
2022-10-13 14:12:39 -06:00
yes_button = MDRectangleFlatButton(text="OK",font_size=dp(18))
dialog = MDDialog(
title="Configuration Exported",
text="The config mote was created and copied to your clipboard.",
buttons=[ yes_button ],
# elevation=0,
)
def dl_yes(s):
dialog.dismiss()
yes_button.bind(on_release=dl_yes)
dialog.open()
else:
2022-10-13 14:12:39 -06:00
yes_button = MDRectangleFlatButton(text="OK",font_size=dp(18))
dialog = MDDialog(
title="Export Failed",
text="The config mote could not be created, please check your settings.",
buttons=[ yes_button ],
# elevation=0,
)
def dl_yes(s):
dialog.dismiss()
yes_button.bind(on_release=dl_yes)
dialog.open()
2022-10-15 02:06:42 -06:00
## Modem hardware screen
def hardware_modem_action(self, sender=None):
self.hardware_modem_init()
self.root.ids.screen_manager.transition.direction = "left"
self.root.ids.screen_manager.current = "hardware_modem_screen"
self.root.ids.nav_drawer.set_state("closed")
self.sideband.setstate("app.displaying", self.root.ids.screen_manager.current)
def hardware_modem_init(self, sender=None):
if not self.hardware_modem_ready:
2022-10-18 11:17:55 -06:00
self.root.ids.hardware_modem_scrollview.effect_cls = ScrollEffect
def save_connectivity(sender=None, event=None):
if self.hardware_modem_validate():
self.hardware_modem_save()
def focus_save(sender=None, event=None):
if sender != None:
if not sender.focus:
save_connectivity(sender=sender)
if self.sideband.config["hw_modem_baudrate"] != None:
t_b = str(self.sideband.config["hw_modem_baudrate"])
else:
t_b = ""
if self.sideband.config["hw_modem_databits"] != None:
t_db = str(self.sideband.config["hw_modem_databits"])
else:
t_db = ""
if self.sideband.config["hw_modem_parity"] != None:
t_p = str(self.sideband.config["hw_modem_parity"])
else:
t_p = ""
if self.sideband.config["hw_modem_stopbits"] != None:
t_sb = str(self.sideband.config["hw_modem_stopbits"])
else:
t_sb = ""
if self.sideband.config["hw_modem_preamble"] != None:
t_pa = str(self.sideband.config["hw_modem_preamble"])
else:
t_pa = ""
if self.sideband.config["hw_modem_tail"] != None:
t_t = str(self.sideband.config["hw_modem_tail"])
else:
t_t = ""
if self.sideband.config["hw_modem_persistence"] != None:
t_ps = str(self.sideband.config["hw_modem_persistence"])
else:
t_ps = ""
if self.sideband.config["hw_modem_slottime"] != None:
t_st = str(self.sideband.config["hw_modem_slottime"])
else:
t_st = ""
if self.sideband.config["hw_modem_beaconinterval"] != None:
t_bi = str(self.sideband.config["hw_modem_beaconinterval"])
else:
t_bi = ""
if self.sideband.config["hw_modem_beacondata"] != None:
t_bd = str(self.sideband.config["hw_modem_beacondata"])
else:
t_bd = ""
self.root.ids.hardware_modem_baudrate.text = t_b
self.root.ids.hardware_modem_databits.text = t_db
self.root.ids.hardware_modem_parity.text = t_p
self.root.ids.hardware_modem_stopbits.text = t_sb
self.root.ids.hardware_modem_beaconinterval.text = t_bi
self.root.ids.hardware_modem_beacondata.text = t_bd
self.root.ids.hardware_modem_preamble.text = t_pa
self.root.ids.hardware_modem_tail.text = t_t
self.root.ids.hardware_modem_persistence.text = t_ps
self.root.ids.hardware_modem_slottime.text = t_st
self.root.ids.hardware_modem_baudrate.bind(focus=focus_save)
self.root.ids.hardware_modem_databits.bind(focus=focus_save)
self.root.ids.hardware_modem_parity.bind(focus=focus_save)
self.root.ids.hardware_modem_stopbits.bind(focus=focus_save)
self.root.ids.hardware_modem_beaconinterval.bind(focus=focus_save)
self.root.ids.hardware_modem_beacondata.bind(focus=focus_save)
self.root.ids.hardware_modem_preamble.bind(focus=focus_save)
self.root.ids.hardware_modem_tail.bind(focus=focus_save)
self.root.ids.hardware_modem_persistence.bind(focus=focus_save)
self.root.ids.hardware_modem_slottime.bind(focus=focus_save)
self.root.ids.hardware_modem_baudrate.bind(on_text_validate=save_connectivity)
self.root.ids.hardware_modem_databits.bind(on_text_validate=save_connectivity)
self.root.ids.hardware_modem_parity.bind(on_text_validate=save_connectivity)
self.root.ids.hardware_modem_stopbits.bind(on_text_validate=save_connectivity)
self.root.ids.hardware_modem_beaconinterval.bind(on_text_validate=save_connectivity)
self.root.ids.hardware_modem_beacondata.bind(on_text_validate=save_connectivity)
self.root.ids.hardware_modem_preamble.bind(on_text_validate=save_connectivity)
self.root.ids.hardware_modem_tail.bind(on_text_validate=save_connectivity)
self.root.ids.hardware_modem_persistence.bind(on_text_validate=save_connectivity)
self.root.ids.hardware_modem_slottime.bind(on_text_validate=save_connectivity)
def hardware_modem_save(self):
self.sideband.config["hw_modem_baudrate"] = int(self.root.ids.hardware_modem_baudrate.text)
self.sideband.config["hw_modem_databits"] = int(self.root.ids.hardware_modem_databits.text)
self.sideband.config["hw_modem_parity"] = self.root.ids.hardware_modem_parity.text
self.sideband.config["hw_modem_stopbits"] = int(self.root.ids.hardware_modem_stopbits.text)
self.sideband.config["hw_modem_preamble"] = int(self.root.ids.hardware_modem_preamble.text)
self.sideband.config["hw_modem_tail"] = int(self.root.ids.hardware_modem_tail.text)
self.sideband.config["hw_modem_persistence"] = int(self.root.ids.hardware_modem_persistence.text)
self.sideband.config["hw_modem_slottime"] = int(self.root.ids.hardware_modem_slottime.text)
if self.root.ids.hardware_modem_beaconinterval.text == "":
self.sideband.config["hw_modem_beaconinterval"] = None
else:
self.sideband.config["hw_modem_beaconinterval"] = int(self.root.ids.hardware_modem_beaconinterval.text)
if self.root.ids.hardware_modem_beacondata.text == "":
self.sideband.config["hw_modem_beacondata"] = None
else:
self.sideband.config["hw_modem_beacondata"] = self.root.ids.hardware_modem_beacondata.text
self.sideband.save_configuration()
def hardware_modem_validate(self, sender=None):
valid = True
try:
val = int(self.root.ids.hardware_modem_baudrate.text)
if not val > 0:
raise ValueError("Invalid baudrate")
self.root.ids.hardware_modem_baudrate.error = False
self.root.ids.hardware_modem_baudrate.text = str(val)
except:
self.root.ids.hardware_modem_baudrate.error = True
valid = False
try:
val = int(self.root.ids.hardware_modem_databits.text)
if not val > 0:
raise ValueError("Invalid databits")
self.root.ids.hardware_modem_databits.error = False
self.root.ids.hardware_modem_databits.text = str(val)
except:
self.root.ids.hardware_modem_databits.error = True
valid = False
try:
val = int(self.root.ids.hardware_modem_stopbits.text)
if not val > 0:
raise ValueError("Invalid stopbits")
self.root.ids.hardware_modem_stopbits.error = False
self.root.ids.hardware_modem_stopbits.text = str(val)
except:
self.root.ids.hardware_modem_stopbits.error = True
valid = False
try:
val = int(self.root.ids.hardware_modem_preamble.text)
if not (val >= 0 and val <= 1000):
raise ValueError("Invalid preamble")
self.root.ids.hardware_modem_preamble.error = False
self.root.ids.hardware_modem_preamble.text = str(val)
except:
self.root.ids.hardware_modem_preamble.error = True
valid = False
try:
val = int(self.root.ids.hardware_modem_tail.text)
if not (val > 0 and val <= 500):
raise ValueError("Invalid tail")
self.root.ids.hardware_modem_tail.error = False
self.root.ids.hardware_modem_tail.text = str(val)
except:
self.root.ids.hardware_modem_tail.error = True
valid = False
try:
val = int(self.root.ids.hardware_modem_slottime.text)
if not (val > 0 and val <= 500):
raise ValueError("Invalid slottime")
self.root.ids.hardware_modem_slottime.error = False
self.root.ids.hardware_modem_slottime.text = str(val)
except:
self.root.ids.hardware_modem_slottime.error = True
valid = False
try:
val = int(self.root.ids.hardware_modem_persistence.text)
if not (val > 0 and val <= 255):
raise ValueError("Invalid persistence")
self.root.ids.hardware_modem_persistence.error = False
self.root.ids.hardware_modem_persistence.text = str(val)
except:
self.root.ids.hardware_modem_persistence.error = True
valid = False
try:
val = self.root.ids.hardware_modem_parity.text
nval = val.lower()
if nval in ["e", "ev", "eve", "even"]:
val = "even"
if nval in ["o", "od", "odd"]:
val = "odd"
if nval in ["n", "no", "non", "none", "not", "null", "off"]:
val = "none"
if not val in ["even", "odd", "none"]:
raise ValueError("Invalid parity")
self.root.ids.hardware_modem_parity.error = False
self.root.ids.hardware_modem_parity.text = str(val)
except:
self.root.ids.hardware_modem_parity.error = True
valid = False
try:
if self.root.ids.hardware_modem_beaconinterval.text != "":
val = int(self.root.ids.hardware_modem_beaconinterval.text)
if val < 10:
raise ValueError("Invalid bi")
self.root.ids.hardware_modem_beaconinterval.text = str(val)
self.root.ids.hardware_modem_beaconinterval.error = False
except:
self.root.ids.hardware_modem_beaconinterval.text = ""
valid = False
return valid
2022-10-15 02:06:42 -06:00
## Serial hardware screen
def hardware_serial_action(self, sender=None):
self.hardware_serial_init()
self.root.ids.screen_manager.transition.direction = "left"
self.root.ids.screen_manager.current = "hardware_serial_screen"
self.root.ids.nav_drawer.set_state("closed")
self.sideband.setstate("app.displaying", self.root.ids.screen_manager.current)
def hardware_serial_init(self, sender=None):
2022-10-15 02:35:40 -06:00
if not self.hardware_serial_ready:
2022-10-18 11:17:55 -06:00
self.root.ids.hardware_serial_scrollview.effect_cls = ScrollEffect
2022-10-15 02:35:40 -06:00
def save_connectivity(sender=None, event=None):
if self.hardware_serial_validate():
self.hardware_serial_save()
def focus_save(sender=None, event=None):
if sender != None:
if not sender.focus:
save_connectivity(sender=sender)
if self.sideband.config["hw_serial_baudrate"] != None:
t_b = str(self.sideband.config["hw_serial_baudrate"])
else:
t_b = ""
if self.sideband.config["hw_serial_databits"] != None:
t_db = str(self.sideband.config["hw_serial_databits"])
else:
t_db = ""
if self.sideband.config["hw_serial_parity"] != None:
t_p = str(self.sideband.config["hw_serial_parity"])
else:
t_p = ""
if self.sideband.config["hw_serial_stopbits"] != None:
t_sb = str(self.sideband.config["hw_serial_stopbits"])
else:
t_sb = ""
self.root.ids.hardware_serial_baudrate.text = t_b
self.root.ids.hardware_serial_databits.text = t_db
self.root.ids.hardware_serial_parity.text = t_p
self.root.ids.hardware_serial_stopbits.text = t_sb
self.root.ids.hardware_serial_baudrate.bind(focus=focus_save)
self.root.ids.hardware_serial_databits.bind(focus=focus_save)
self.root.ids.hardware_serial_parity.bind(focus=focus_save)
self.root.ids.hardware_serial_stopbits.bind(focus=focus_save)
self.root.ids.hardware_serial_baudrate.bind(on_text_validate=save_connectivity)
self.root.ids.hardware_serial_databits.bind(on_text_validate=save_connectivity)
self.root.ids.hardware_serial_parity.bind(on_text_validate=save_connectivity)
self.root.ids.hardware_serial_stopbits.bind(on_text_validate=save_connectivity)
def hardware_serial_validate(self, sender=None):
valid = True
try:
val = int(self.root.ids.hardware_serial_baudrate.text)
if not val > 0:
raise ValueError("Invalid baudrate")
self.root.ids.hardware_serial_baudrate.error = False
self.root.ids.hardware_serial_baudrate.text = str(val)
except:
self.root.ids.hardware_serial_baudrate.error = True
valid = False
try:
val = int(self.root.ids.hardware_serial_databits.text)
if not val > 0:
raise ValueError("Invalid databits")
self.root.ids.hardware_serial_databits.error = False
self.root.ids.hardware_serial_databits.text = str(val)
except:
self.root.ids.hardware_serial_databits.error = True
valid = False
try:
val = int(self.root.ids.hardware_serial_stopbits.text)
if not val > 0:
raise ValueError("Invalid stopbits")
self.root.ids.hardware_serial_stopbits.error = False
self.root.ids.hardware_serial_stopbits.text = str(val)
except:
self.root.ids.hardware_serial_stopbits.error = True
valid = False
try:
val = self.root.ids.hardware_serial_parity.text
nval = val.lower()
if nval in ["e", "ev", "eve", "even"]:
val = "even"
if nval in ["o", "od", "odd"]:
val = "odd"
if nval in ["n", "no", "non", "none", "not", "null", "off"]:
val = "none"
if not val in ["even", "odd", "none"]:
raise ValueError("Invalid parity")
self.root.ids.hardware_serial_parity.error = False
self.root.ids.hardware_serial_parity.text = str(val)
except:
self.root.ids.hardware_serial_parity.error = True
valid = False
return valid
def hardware_serial_save(self):
self.sideband.config["hw_serial_baudrate"] = int(self.root.ids.hardware_serial_baudrate.text)
self.sideband.config["hw_serial_databits"] = int(self.root.ids.hardware_serial_databits.text)
self.sideband.config["hw_serial_parity"] = self.root.ids.hardware_serial_parity.text
self.sideband.config["hw_serial_stopbits"] = int(self.root.ids.hardware_serial_stopbits.text)
self.sideband.save_configuration()
2022-04-07 13:03:53 -06:00
### Announce Stream screen
######################################
def init_announces_view(self, sender=None):
if not self.announces_view:
self.announces_view = Announces(self)
self.sideband.setstate("app.flags.new_announces", True)
2022-04-07 13:03:53 -06:00
for child in self.root.ids.announces_scrollview.children:
self.root.ids.announces_scrollview.remove_widget(child)
2022-04-07 13:03:53 -06:00
self.root.ids.announces_scrollview.effect_cls = ScrollEffect
self.root.ids.announces_scrollview.add_widget(self.announces_view.get_widget())
2022-04-07 13:03:53 -06:00
def announces_action(self, sender=None):
self.root.ids.screen_manager.transition.direction = "left"
self.root.ids.nav_drawer.set_state("closed")
if self.sideband.getstate("app.flags.new_announces"):
self.init_announces_view()
self.announces_view.update()
2022-04-07 13:03:53 -06:00
self.root.ids.screen_manager.current = "announces_screen"
self.sideband.setstate("app.displaying", self.root.ids.screen_manager.current)
2022-04-07 13:03:53 -06:00
2022-09-17 14:55:27 -06:00
def close_announces_action(self, sender=None):
self.open_conversations(direction="right")
2022-04-07 13:03:53 -06:00
def announce_filter_action(self, sender=None):
pass
def screen_transition_complete(self, sender):
if self.root.ids.screen_manager.current == "announces_screen":
pass
if self.root.ids.screen_manager.current == "conversations_screen":
pass
2022-04-07 13:03:53 -06:00
2022-09-17 14:55:27 -06:00
### Keys screen
######################################
2022-04-07 13:03:53 -06:00
def keys_action(self, sender=None):
2022-09-17 14:55:27 -06:00
# def link_exec(sender=None, event=None):
# import webbrowser
# webbrowser.open("https://unsigned.io/sideband")
# self.root.ids.keys_info.bind(on_ref_press=link_exec)
2022-10-18 11:17:55 -06:00
self.root.ids.keys_scrollview.effect_cls = ScrollEffect
2022-09-20 09:35:14 -06:00
info = "Your primary encryption keys are stored in a Reticulum Identity within the Sideband app. If you want to backup this Identity for later use on this or another device, you can export it as a plain text blob, with the key data encoded in Base32 format. This will allow you to restore your address in Sideband or other LXMF clients at a later point.\n\n[b]Warning![/b] Anyone that gets access to the key data will be able to control your LXMF address, impersonate you, and read your messages. In is [b]extremely important[/b] that you keep the Identity data secure if you export it.\n\nBefore displaying or exporting your Identity data, make sure that no machine or person in your vicinity is able to see, copy or record your device screen or similar."
2022-09-17 14:55:27 -06:00
if not RNS.vendor.platformutils.get_platform() == "android":
self.widget_hide(self.root.ids.keys_share)
2022-04-07 13:03:53 -06:00
self.root.ids.keys_info.text = info
self.root.ids.screen_manager.transition.direction = "left"
self.root.ids.screen_manager.current = "keys_screen"
self.root.ids.nav_drawer.set_state("closed")
self.sideband.setstate("app.displaying", self.root.ids.screen_manager.current)
2022-04-07 13:03:53 -06:00
2022-09-17 14:55:27 -06:00
def close_keys_action(self, sender=None):
self.open_conversations(direction="right")
2022-04-07 13:03:53 -06:00
2022-09-17 14:55:27 -06:00
def identity_display_action(self, sender=None):
yes_button = MDRectangleFlatButton(text="OK",font_size=dp(18))
2022-04-07 13:03:53 -06:00
2022-09-17 14:55:27 -06:00
dialog = MDDialog(
text="Your Identity key, in base32 format is as follows:\n\n[b]"+str(base64.b32encode(self.sideband.identity.get_private_key()).decode("utf-8"))+"[/b]",
buttons=[ yes_button ],
2022-10-02 16:56:39 -06:00
# elevation=0,
2022-09-17 14:55:27 -06:00
)
def dl_yes(s):
dialog.dismiss()
yes_button.bind(on_release=dl_yes)
dialog.open()
2022-04-07 13:03:53 -06:00
2022-09-17 14:55:27 -06:00
def identity_copy_action(self, sender=None):
2022-10-13 15:41:05 -06:00
c_yes_button = MDRectangleFlatButton(text="Yes",font_size=dp(18), theme_text_color="Custom", line_color=self.color_reject, text_color=self.color_reject)
c_no_button = MDRectangleFlatButton(text="No, go back",font_size=dp(18))
c_dialog = MDDialog(text="[b]Caution![/b]\n\nYour Identity key will be copied to the system clipboard. Take extreme care that no untrusted app steals your key by reading the clipboard data. Clear the system clipboard immediately after pasting your key where you need it.\n\nAre you sure that you wish to proceed?", buttons=[ c_no_button, c_yes_button ])
2022-09-17 14:55:27 -06:00
def c_dl_no(s):
c_dialog.dismiss()
def c_dl_yes(s):
c_dialog.dismiss()
yes_button = MDRectangleFlatButton(text="OK")
dialog = MDDialog(text="Your Identity key was copied to the system clipboard", buttons=[ yes_button ])
2022-09-17 14:55:27 -06:00
def dl_yes(s):
dialog.dismiss()
yes_button.bind(on_release=dl_yes)
Clipboard.copy(str(base64.b32encode(self.sideband.identity.get_private_key()).decode("utf-8")))
dialog.open()
c_yes_button.bind(on_release=c_dl_yes)
c_no_button.bind(on_release=c_dl_no)
c_dialog.open()
def identity_share_action(self, sender=None):
if RNS.vendor.platformutils.get_platform() == "android":
self.share_text(str(base64.b32encode(self.sideband.identity.get_private_key()).decode("utf-8")))
def identity_restore_action(self, sender=None):
2022-10-13 15:41:05 -06:00
c_yes_button = MDRectangleFlatButton(text="Yes",font_size=dp(18), theme_text_color="Custom", line_color=self.color_reject, text_color=self.color_reject)
c_no_button = MDRectangleFlatButton(text="No, go back",font_size=dp(18))
c_dialog = MDDialog(text="[b]Caution![/b]\n\nYou are about to import a new Identity key into Sideband. The currently active key will be irreversibly destroyed, and you will loose your LXMF address if you have not already backed up your current Identity key.\n\nAre you sure that you wish to import the key?", buttons=[ c_no_button, c_yes_button ])
2022-09-17 14:55:27 -06:00
def c_dl_no(s):
c_dialog.dismiss()
def c_dl_yes(s):
c_dialog.dismiss()
b32_text = self.root.ids.key_restore_text.text
try:
key_bytes = base64.b32decode(b32_text)
new_id = RNS.Identity.from_bytes(key_bytes)
if new_id != None:
new_id.to_file(self.sideband.identity_path)
yes_button = MDRectangleFlatButton(text="OK",font_size=dp(18))
dialog = MDDialog(text="[b]The provided Identity key data was imported[/b]\n\nThe app will now exit. Please restart Sideband to use the new Identity.", buttons=[ yes_button ])
2022-09-17 14:55:27 -06:00
def dl_yes(s):
dialog.dismiss()
self.quit_action(sender=self)
yes_button.bind(on_release=dl_yes)
dialog.open()
except Exception as e:
yes_button = MDRectangleFlatButton(text="OK",font_size=dp(18))
dialog = MDDialog(text="[b]The provided Identity key data was not valid[/b]\n\nThe error reported by Reticulum was:\n\n[i]"+str(e)+"[/i]\n\nNo Identity was imported into Sideband.", buttons=[ yes_button ])
2022-09-17 14:55:27 -06:00
def dl_yes(s):
dialog.dismiss()
yes_button.bind(on_release=dl_yes)
dialog.open()
c_yes_button.bind(on_release=c_dl_yes)
c_no_button.bind(on_release=c_dl_no)
c_dialog.open()
2022-04-07 13:03:53 -06:00
2022-09-17 14:55:27 -06:00
### Guide screen
######################################
def close_guide_action(self, sender=None):
self.open_conversations(direction="right")
2022-04-07 13:03:53 -06:00
def guide_action(self, sender=None):
def link_exec(sender=None, event=None):
import webbrowser
webbrowser.open("https://unsigned.io/donate")
2022-04-07 13:03:53 -06:00
guide_text1 = """
2022-10-02 05:44:42 -06:00
[size=18dp][b]Introduction[/b][/size][size=5dp]\n \n[/size]Welcome to [i]Sideband[/i], an LXMF client for Android, Linux and macOS. With Sideband, you can communicate with other people or LXMF-compatible systems over Reticulum networks using LoRa, Packet Radio, WiFi, I2P, or anything else Reticulum supports.
2022-07-06 12:48:46 -06:00
This short guide will give you a basic introduction to the concepts that underpin Sideband and LXMF (which is the protocol that Sideband uses to communicate). If you are not already familiar with LXMF and Reticulum, it is probably a good idea to read this guide, since Sideband is very different from other messaging apps."""
guide_text2 = """
2022-10-02 05:44:42 -06:00
[size=18dp][b]Communication Without Subjection[/b][/size][size=5dp]\n \n[/size]Sideband is completely free, permission-less, anonymous and infrastructure-less. Sideband uses the peer-to-peer and distributed messaging system LXMF. There is no sign-up, no service providers, no "end-user license agreements", no data theft and no surveillance. You own the system.
2022-07-06 12:48:46 -06:00
This also means that Sideband operates differently than what you might be used to. It does not need a connection to a server on the Internet to function, and you do not have an account anywhere."""
guide_text3 = """
[size=18dp][b]Operating Principles[/b][/size][size=5dp]\n \n[/size]When Sideband is started on your device for the first time, it randomly generates a set of cryptographic keys. These keys are then used to create an LXMF address for your use. Any other endpoint in [i]any[/i] Reticulum network will be able to send data to this address, as long as there is [i]some sort of physical connection[/i] between your device and the remote endpoint. You can also move around to other Reticulum networks with this address, even ones that were never connected to the network the address was created on, or that didn't exist when the address was created. The address is yours to keep and control for as long (or short) a time you need it, and you can always delete it and create a new one."""
guide_text4 = """
2022-10-02 05:44:42 -06:00
[size=18dp][b]Becoming Reachable[/b][/size][size=5dp]\n \n[/size]To establish reachability for any Reticulum address on a network, an [i]announce[/i] must be sent. Sideband does not do this automatically by default, but can be configured to do so every time the program starts. To send an announce manually, press the [i]Announce[/i] button in the [i]Conversations[/i] section of the program. When you send an announce, you make your LXMF address reachable for real-time messaging to the entire network you are connected to. Even in very large networks, you can expect global reachability for your address to be established in under a minute.
2022-07-06 12:48:46 -06:00
If you don't move to other places in the network, and keep connected through the same hubs or gateways, it is generally not necessary to send an announce more often than once every week. If you change your entry point to the network, you may want to send an announce, or you may just want to stay quiet."""
2022-07-06 12:48:46 -06:00
guide_text5 = """
2022-10-02 05:44:42 -06:00
[size=18dp][b]Relax & Disconnect[/b][/size][size=5dp]\n \n[/size]If you are not connected to the network, it is still possible for other people to message you, as long as one or more [i]Propagation Nodes[/i] exist on the network. These nodes pick up and hold encrypted in-transit messages for offline users. Messages are always encrypted before leaving the originators device, and nobody else than the intended recipient can decrypt messages in transit.
2022-07-06 12:48:46 -06:00
The Propagation Nodes also distribute copies of messages between each other, such that even the failure of almost every node in the network will still allow users to sync their waiting messages. If all Propagation Nodes disappear or are destroyed, users can still communicate directly. Reticulum and LXMF will degrade gracefully all the way down to single users communicating directly via long-range data radios. Anyone can start up new propagation nodes and integrate them into existing networks without permission or coordination. Even a small and cheap device like a Rasperry Pi can handle messages for millions of users. LXMF networks are designed to be quite resilient, as long as there are people using them."""
2022-07-06 12:48:46 -06:00
guide_text6 = """
[size=18dp][b]Packets Find A Way[/b][/size][size=5dp]\n \n[/size]Connections in Reticulum networks can be wired or wireless, span many intermediary hops, run over fast links or ultra-low bandwidth radio, tunnel over the Invisible Internet (I2P), private networks, satellite connections, serial lines or anything else that Reticulum can carry data over. In most cases it will not be possible to know what path data takes in a Reticulum network, and no transmitted packets carries any identifying characteristics, apart from a destination address. There is no source addresses in Reticulum. As long as you do not reveal any connecting details between your person and your LXMF address, you can remain anonymous. Sending messages to others does not reveal [i]your[/i] address to anyone else than the intended recipient."""
2022-07-06 12:48:46 -06:00
guide_text7 = """
2022-10-13 14:40:33 -06:00
[size=18dp][b]Be Yourself, Be Unknown, Stay Free[/b][/size][size=5dp]\n \n[/size]Even with the above characteristics in mind, you [b]must remember[/b] that LXMF and Reticulum is not a technology that can guarantee anonymising connections that are already de-anonymised! If you use Sideband to connect to TCP Reticulum hubs over the clear Internet, from a network that can be tied to your personal identity, an adversary may learn that you are generating LXMF traffic. If you want to avoid this, it is recommended to use I2P to connect to Reticulum hubs on the Internet. Or only connecting from within pure Reticulum networks, that take one or more hops to reach connections that span the Internet. This is a complex topic, with many more nuances than can be covered here. You are encouraged to ask on the various Reticulum discussion forums if you are in doubt.
2022-07-06 12:48:46 -06:00
If you use Reticulum and LXMF on hardware that does not carry any identifiers tied to you, it is possible to establish a completely free and anonymous communication system with Reticulum and LXMF clients."""
guide_text8 = """
[size=18dp][b]Keyboard Shortcuts[/b][/size][size=5dp]\n \n[/size] - Ctrl+Q or Ctrl-W Shut down Sideband
- Ctrl-D or Ctrl-S Send message
- Ctrl-R Show Conversations
- Ctrl-L Show Announce Stream
- Ctrl-N New conversation
- Ctrl-G Show guide"""
guide_text9 = """
[size=18dp][b]Sow Seeds Of Freedom[/b][/size][size=5dp]\n \n[/size]It took me more than seven years to design and built the entire ecosystem of software and hardware that makes this possible. If this project is valuable to you, please go to [u][ref=link]https://unsigned.io/donate[/ref][/u] to support the project with a donation. Every donation directly makes the entire Reticulum project possible.
2022-07-06 12:48:46 -06:00
Thank you very much for using Free Communications Systems.
"""
info1 = guide_text1
info2 = guide_text2
info3 = guide_text3
info4 = guide_text4
info5 = guide_text5
info6 = guide_text6
info7 = guide_text7
info8 = guide_text8
info9 = guide_text9
2022-10-02 14:00:15 -06:00
if self.theme_cls.theme_style == "Dark":
info1 = "[color=#"+dark_theme_text_color+"]"+info1+"[/color]"
info2 = "[color=#"+dark_theme_text_color+"]"+info2+"[/color]"
info3 = "[color=#"+dark_theme_text_color+"]"+info3+"[/color]"
info4 = "[color=#"+dark_theme_text_color+"]"+info4+"[/color]"
info5 = "[color=#"+dark_theme_text_color+"]"+info5+"[/color]"
info6 = "[color=#"+dark_theme_text_color+"]"+info6+"[/color]"
info7 = "[color=#"+dark_theme_text_color+"]"+info7+"[/color]"
info8 = "[color=#"+dark_theme_text_color+"]"+info8+"[/color]"
info9 = "[color=#"+dark_theme_text_color+"]"+info9+"[/color]"
self.root.ids.guide_info1.text = info1
self.root.ids.guide_info2.text = info2
self.root.ids.guide_info3.text = info3
self.root.ids.guide_info4.text = info4
self.root.ids.guide_info5.text = info5
self.root.ids.guide_info6.text = info6
self.root.ids.guide_info7.text = info7
self.root.ids.guide_info8.text = info8
self.root.ids.guide_info9.text = info9
self.root.ids.guide_info9.bind(on_ref_press=link_exec)
2022-10-18 11:17:55 -06:00
self.root.ids.guide_scrollview.effect_cls = ScrollEffect
2022-04-07 13:03:53 -06:00
self.root.ids.screen_manager.transition.direction = "left"
self.root.ids.screen_manager.current = "guide_screen"
self.root.ids.nav_drawer.set_state("closed")
self.sideband.setstate("app.displaying", self.root.ids.screen_manager.current)
2022-04-07 13:03:53 -06:00
2022-09-17 14:55:27 -06:00
#################################################
# Unimplemented Screens #
#################################################
def map_action(self, sender=None):
def link_exec(sender=None, event=None):
import webbrowser
2022-11-03 16:04:28 -06:00
webbrowser.open("https://unsigned.io/donate")
2022-09-17 14:55:27 -06:00
2022-10-18 11:17:55 -06:00
self.root.ids.map_scrollview.effect_cls = ScrollEffect
2022-11-03 16:04:28 -06:00
info = "The [b]Local Area[/b] feature is not yet implemented in Sideband.\n\nWant it faster? Go to [u][ref=link]https://unsigned.io/donate[/ref][/u] to support the project."
2022-10-02 14:00:15 -06:00
if self.theme_cls.theme_style == "Dark":
info = "[color=#"+dark_theme_text_color+"]"+info+"[/color]"
2022-09-17 14:55:27 -06:00
self.root.ids.map_info.text = info
self.root.ids.map_info.bind(on_ref_press=link_exec)
self.root.ids.screen_manager.transition.direction = "left"
self.root.ids.screen_manager.current = "map_screen"
self.root.ids.nav_drawer.set_state("closed")
self.sideband.setstate("app.displaying", self.root.ids.screen_manager.current)
2022-09-17 14:55:27 -06:00
def broadcasts_action(self, sender=None):
def link_exec(sender=None, event=None):
import webbrowser
2022-11-03 16:04:28 -06:00
webbrowser.open("https://unsigned.io/donate")
2022-09-17 14:55:27 -06:00
2022-10-18 11:17:55 -06:00
self.root.ids.broadcasts_scrollview.effect_cls = ScrollEffect
2022-11-03 16:04:28 -06:00
info = "The [b]Local Broadcasts[/b] feature will allow you to send and listen for local broadcast transmissions on connected radio, LoRa and WiFi interfaces.\n\n[b]Local Broadcasts[/b] makes it easy to establish public information exchange with anyone in direct radio range, or even with large areas far away using the [i]Remote Broadcast Repeater[/i] feature.\n\nThese features are not yet implemented in Sideband.\n\nWant it faster? Go to [u][ref=link]https://unsigned.io/donate[/ref][/u] to support the project."
2022-10-02 14:00:15 -06:00
if self.theme_cls.theme_style == "Dark":
info = "[color=#"+dark_theme_text_color+"]"+info+"[/color]"
2022-09-17 14:55:27 -06:00
self.root.ids.broadcasts_info.text = info
self.root.ids.broadcasts_info.bind(on_ref_press=link_exec)
self.root.ids.screen_manager.transition.direction = "left"
self.root.ids.screen_manager.current = "broadcasts_screen"
self.root.ids.nav_drawer.set_state("closed")
self.sideband.setstate("app.displaying", self.root.ids.screen_manager.current)
2022-09-17 14:55:27 -06:00
2022-07-07 14:16:10 -06:00
def run():
SidebandApp().run()
if __name__ == "__main__":
2022-10-15 15:16:44 -06:00
run()