gtkvncviewer-0.4/0000755000175000017500000000000011126630635012520 5ustar clemclemgtkvncviewer-0.4/gtkvncviewer.py0000755000175000017500000003310311126621523015607 0ustar clemclem#!/usr/bin/env python #Gtk VNC Viewer #http://launchpad.net/gtkvncviewer #(c) Clement Lorteau version = "0.4" import sys try: import pygtk pygtk.require("2.0") except: pass try: import gtk import gtk.glade import gtkvnc import gconf import gnomekeyring from optparse import OptionParser import gobject except: sys.exit(1) try: import LaunchpadIntegration launchpad = True except: launchpad = False import os #internat' import locale import gettext APP = 'gtkvncviewer' DIR = 'locale' locale.setlocale(locale.LC_ALL, '') gettext.bindtextdomain(APP, DIR) gettext.textdomain(APP) gtk.glade.bindtextdomain(APP, DIR) gtk.glade.textdomain(APP) gettext.install(APP, DIR, unicode=1) #lang = gettext.translation(APP, DIR, languages=['ar']) #lang.install() _ = gettext.gettext def wait(): while gtk.events_pending(): gtk.main_iteration() class GtkVncViewer: def __init__(self): self.parse_options() #build GUI self.gladefile = "data/gtkvncviewer.glade" self.wTree = gtk.glade.XML(self.gladefile) self.dialog = self.wTree.get_widget("connectDialog") self.about = self.wTree.get_widget("aboutDialog") self.about.set_version(version) self.window = self.wTree.get_widget("window") self.window_label = self.wTree.get_widget("window_label") self.window_toolbar_note = self.wTree.get_widget("toolbar_note") self.window_toolbar = self.wTree.get_widget("toolbar") self.layout = self.wTree.get_widget("viewport1") self.scrolledwindow = self.wTree.get_widget("scrolledwindow1") self.fullscreenButton = self.wTree.get_widget("fullscreenButton") self.fullscreenButton.set_active(False) self.iconview = self.wTree.get_widget("iconview1") self.keysButton = self.wTree.get_widget("keysButton") self.keysMenu = self.wTree.get_widget("keysMenu") self.keysMenu.attach_to_widget(self.keysButton, None) self.vnc=gtkvnc.Display() self.model = gtk.ListStore (str,str,str,gtk.gdk.Pixbuf) self.iconview.set_model(self.model) self.iconview.set_text_column(0) self.iconview.set_pixbuf_column(3) self.helpMenu = self.wTree.get_widget("helpMenu") self.helpButton = self.wTree.get_widget("helpButton") self.helpMenu.attach_to_widget(self.helpButton, None) if (launchpad): LaunchpadIntegration.set_sourcepackagename("gtkvncviewer") LaunchpadIntegration.add_items(self.helpMenu,0,False,False) else: self.helpButton.set_sensitive(False) if (self.dialog): self.window.connect("destroy", gtk.main_quit) #Create our dictionay and connect it dic = { "on_quitButton_clicked" : gtk.main_quit, "on_aboutButton_clicked" : self.show_about_dialog, "on_aboutDialog_response" : self.handle_about_dialog_answer, "on_aboutDialog_delete_event" : self.hide_about_dialog, "on_connectButton_clicked" : self.vncconnect, "on_window_delete_event" : self.close_window, "on_disconnectButton_clicked" : self.disconnect, "on_addButton_clicked" : self.add_server, "on_iconview1_selection_changed" : self.selected, "on_iconview1_item_activated" : self.activated, "on_delButton_clicked" : self.delete_clicked, "on_screenshotButton_clicked" : self.screenshot, "on_helpButton_clicked" : self.helpMenuPop, "on_togglebutton1_toggled" : self.fullscreen, "on_toolbar_note_entered" : self.show_hide_toolbar, "on_window_motion_notify_event" : self.mouse_moved_in_window, "on_desktopIconButton_clicked" : self.icon_on_desktop, "on_CtrlAltDelmenuitem_activate": self.send_cad, "on_CtrlAltBackmenuitem_activate": self.send_cab, "on_CtrlEscmenuitem_activate": self.send_ce, "on_keysButton_clicked" : self.keysMenuPop} self.wTree.signal_autoconnect(dic) self.dialog.show() #read stored credentials GCONF_AUTH_KEY = "/apps/gtkvncviewer" keyring = gnomekeyring.get_default_keyring_sync() gconfclient = gconf.client_get_default() gconfclient.add_dir (GCONF_AUTH_KEY, gconf.CLIENT_PRELOAD_RECURSIVE) entries = gconfclient.all_entries(GCONF_AUTH_KEY) if len(entries) == 0: return #found nothing for i in range(len(entries)): server = entries[i].get_key() server = server.replace (GCONF_AUTH_KEY+"/", "") auth_token = entries[i].get_value().get_int() if auth_token > 0: try: secret = gnomekeyring.item_get_info_sync(keyring, auth_token).get_secret() except gnomekeyring.DeniedError: username = None password = None auth_token = 0 print _("gnome-keyring access denied") else: username, password = secret.split('\n') else: username = None password = None pixbuf = self.iconview.render_icon(gtk.STOCK_NETWORK, gtk.ICON_SIZE_BUTTON) self.model.append([server, username, password, pixbuf]) #if a server was specified at startup, connect to it if self.startup_options.server: res = self.find_server(self.startup_options.server) if (res): #found, connect iter = res[3] self.iconview.select_path(iter) wait() self.vncconnect(self.window) else: #not found, just fill the server name in the dialog server_textbox = self.wTree.get_widget("serverEntry") user_textbox = self.wTree.get_widget("usernameEntry") server_textbox.set_text(self.startup_options.server) user_textbox.grab_focus() def fullscreen (self, data): if (self.fullscreenButton.get_active()): self.window.fullscreen() self.window_toolbar_note.show_all() self.window_toolbar.hide_all() else: self.window.unfullscreen() self.window_toolbar_note.hide_all() self.window_toolbar.show_all() return False def helpMenuPop (self, data): self.helpMenu.popup(None, None, None, 0, 0, gtk.get_current_event_time()) def keysMenuPop (self, data): self.keysMenu.popup(None, None, None, 0, 0, gtk.get_current_event_time()) def screenshot (self, data): homeDir = os.environ.get('HOME', None) #=> can't work on Windows pix = self.vnc.get_pixbuf() pix.save(homeDir+"/vnc.png", "png", { "tEXt::Generator App": "gtkvncviewer" }) dialog = gtk.MessageDialog (self.window, gtk.MESSAGE_INFO, gtk.DIALOG_MODAL | gtk.DIALOG_DESTROY_WITH_PARENT, gtk.BUTTONS_OK, _("Screenshot saved in")+" "+homeDir+"/vnc.png") dialog.run() dialog.destroy() return False def send_cad (self, data): self.vnc.send_keys(["Control_L", "Alt_L", "Delete"]) print _("Sent Ctrl+Alt+Delete") self.vnc.grab_focus() def send_cab (self, data): self.vnc.send_keys(["Control_L", "Alt_L", "BackSpace"]) print _("Sent Ctrl+Alt+BackSpace") self.vnc.grab_focus() def send_ce (self, data): self.vnc.send_keys(["Control_L", "Escape"]) print _("Sent Ctrl+Escape") self.vnc.grab_focus() def delete_clicked (self, data): select = self.iconview.get_selected_items() if len(select) == 0: print _("nothing to delete") return i = select[0][0] iter = self.model.get_iter(i) s = self.model.get(iter,0,1,2) server = s[0] #ask confirmation dialog = gtk.MessageDialog (self.window, gtk.MESSAGE_QUESTION, gtk.DIALOG_MODAL | gtk.DIALOG_DESTROY_WITH_PARENT, gtk.BUTTONS_YES_NO, _("Are you sure you want remove the server \"%(server)s\"?") %{"server": server}) r = dialog.run() dialog.destroy() if (r == gtk.RESPONSE_NO): print _("deletion canceled") else: GCONF_AUTH_KEY = "/apps/gtkvncviewer" gconfclient = gconf.client_get_default() gconfclient.add_dir (GCONF_AUTH_KEY, gconf.CLIENT_PRELOAD_RECURSIVE) entry = gconfclient.get_entry(GCONF_AUTH_KEY+"/"+server, "", False) server = entry.get_key() server = server.replace (GCONF_AUTH_KEY+"/", "") auth_token = entry.get_value().get_int() if auth_token > 0: try: #delete gnome-keyring entry keyring = gnomekeyring.get_default_keyring_sync() gnomekeyring.item_delete_sync(keyring, auth_token) #delete gconf entry gconfclient.unset(GCONF_AUTH_KEY+"/"+server) #remove from icon view select = self.iconview.get_selected_items() if len(select) == 0: return i = select[0][0] iter = self.model.get_iter(i) self.model.remove(iter) print server+" deleted" except gnomekeyring.DeniedError: auth_token = 0 print _("gnome-keyring access denied, could not delete") else: print _("gconf read error, could not delete") def activated (self, widget, data): self.vncconnect(self.window) def selected (self, data): username = self.wTree.get_widget("usernameEntry") password = self.wTree.get_widget("pwdEntry") server = self.wTree.get_widget("serverEntry") select = self.iconview.get_selected_items() if len(select) == 0: return i = select[0][0] iter = self.model.get_iter(i) s = self.model.get(iter,0,1,2) server.set_text(s[0]) if (s[1] != None): username.set_text(s[1]) else: username.set_text("") if (s[2] != None): password.set_text(s[2]) else: password.set_text("") #finds the server 'name', and return its credentials and its iconview path #if not found, return False def find_server (self, name): iter = self.model.get_iter_first() while (iter != None): row = self.model.get(iter, 0, 1, 2) #server, username, pwd if row[0] == name: row += ( self.model.get_path(iter), ) return row iter = self.model.iter_next(iter) return False def add_server (self, data): #add it to the iconview pixbuf = self.iconview.render_icon(gtk.STOCK_NETWORK, gtk.ICON_SIZE_BUTTON) username = self.wTree.get_widget("usernameEntry").get_text() password = self.wTree.get_widget("pwdEntry").get_text() server = self.wTree.get_widget("serverEntry").get_text() if server == "": return self.model.append([server, username, password, pixbuf]) #now save it in gnome-keyring GCONF_AUTH_KEY = "/apps/gtkvncviewer/"+server keyring = gnomekeyring.get_default_keyring_sync() auth_token = gnomekeyring.item_create_sync( keyring, gnomekeyring.ITEM_GENERIC_SECRET, "gtkvncviewer VNC server credentials ("+server+")", dict(appname="gtkvncviewer, credentials of vnc server \""+server+"\""), "\n".join((username, password)), True) gconf.client_get_default().set_int(GCONF_AUTH_KEY, auth_token) def quit(): self.vnc.close() print _("Bye.") if (self.window): self.window.destroy() def close_window(self, widget, data): quit() return False def disconnect(self, data): quit() def show_hide_toolbar(self, widget, data): print "show_hide_toolbar" return False #if in fullscreen and mouse on top, show toolbar def mouse_moved_in_window(self, widget, data): coords = self.window.window.get_pointer() y = coords[1] if y <= 5 and self.fullscreenButton.get_active(): self.window_toolbar.show_all() #setup timer that will hide toolbar when ended gobject.timeout_add(2000, self.window_toolbar.hide_all) #2 sec. def icon_on_desktop(self, data): server = self.current_server comment = _("Connect to the remote desktop: %s" % (server)) text = """ [Desktop Entry] Name=%s Comment=%s Exec=gtkvncviewer -s %s Icon=/usr/share/gtkvncviewer/data/gtkvncviewer_64.png StartupNotify=true Terminal=false Type=Application Categories=Network; """ % ("VNC: "+server, comment, server) open(os.path.join(os.environ['HOME']+"/Desktop", server+".desktop"),"w").write(text) def handle_about_dialog_answer(self, widget, data): if(data==-6): self.about.hide() def show_about_dialog(self, widget): self.about.show() def hide_about_dialog(self, widget, data): self.about.hide() return True def vncconnect(self, window): self.dialog.window.set_cursor(gtk.gdk.Cursor(gtk.gdk.WATCH)) username = self.wTree.get_widget("usernameEntry").get_text() password = self.wTree.get_widget("pwdEntry").get_text() server = self.wTree.get_widget("serverEntry").get_text() self.vnc.set_credential(gtkvnc.CREDENTIAL_USERNAME, username) self.vnc.set_credential(gtkvnc.CREDENTIAL_PASSWORD, password) self.vnc.set_credential(gtkvnc.CREDENTIAL_CLIENTNAME, "gtkvncviewer") print _("Connecting to %s...") % server serverport = server.split(':') server = serverport[0] try: port = serverport[1] except: port = "5900" self.vnc.open_host(server, port) #vnc.connect("vnc-auth-credential", self.vnc_auth_cred) self.vnc.connect("vnc-connected", self.vnc_connected, self) self.vnc.connect("vnc-initialized", self.vnc_initialized, username, server, self) self.vnc.connect("vnc-disconnected", self.vnc_disconnected, self.dialog, self) def vnc_initialized (src, vnc, username, server, self): print _("Connection initialized") title = "%s@%s - gtkvncviewer" % (username, server) self.current_server = server self.dialog.hide() self.window.set_title(title) self.window_label.set_markup ("%s@%s" % (username, server)) self.window.show_all() self.window_toolbar_note.hide_all() self.window.resize (vnc.get_width(), vnc.get_height()) vnc.grab_focus() def vnc_disconnected(src, vnc, window, self): print _("Disconnected") dialog = gtk.MessageDialog (window, gtk.MESSAGE_INFO, gtk.DIALOG_MODAL | gtk.DIALOG_DESTROY_WITH_PARENT, gtk.BUTTONS_OK, _("You have been disconnected")) dialog.run() dialog.destroy() self.vnc.destroy() self.vnc=gtkvnc.Display() window.window.set_cursor(gtk.gdk.Cursor(gtk.gdk.ARROW)) def vnc_connected(src, data, self): print _("Connected") self.layout.add(self.vnc) self.vnc.realize() def parse_options(self): parser = OptionParser() parser.add_option("-s", "--server", dest="server", action="store", type="string", help=_("if server is known by gtkvncviewer, immediately connect to it"), metavar=_("server")) (options, args) = parser.parse_args() self.startup_options = options if __name__ == "__main__": instance = GtkVncViewer() gtk.main() gtkvncviewer-0.4/locale/0000755000175000017500000000000011126630635013757 5ustar clemclemgtkvncviewer-0.4/locale/de/0000755000175000017500000000000011126630635014347 5ustar clemclemgtkvncviewer-0.4/locale/de/LC_MESSAGES/0000755000175000017500000000000011126630635016134 5ustar clemclemgtkvncviewer-0.4/locale/de/LC_MESSAGES/gtkvncviewer.mo0000644000175000017500000000376311126621654021221 0ustar clemclem%@3Au  ) $ -9"Kn-     =' '1JS6m ' $7E }        Connect to a remote desktop (VNC)Are you sure you want removeConnectedConnection initializedDisconnectedScreenshot saved inSmall GTK tool to connect to VNC servers.You have been disconnected_Password:_Server:_User name:deletion canceledgconf read error, could not deletegnome-keyring access deniedgnome-keyring access denied, could not deletegtk-aboutgtk-addgtk-connectgtk-deletegtk-disconnectgtk-quitgtkvncviewerlabelnothing to deleteProject-Id-Version: PACKAGE VERSION Report-Msgid-Bugs-To: POT-Creation-Date: 2008-02-15 23:53+0100 PO-Revision-Date: 2008-07-24 21:14+0000 Last-Translator: Maximilian Reininghaus Language-Team: German MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit X-Launchpad-Export-Date: 2008-12-30 21:04+0000 X-Generator: Launchpad (build Unknown) Zu einem entfernten Desktop verbinden (VNC)Sind Sie sicher das sie löschen wollenVerbundenVerbindung initialisiertGetrenntScreenshot gespeichert inKleines GTK-Hiflsmittel zum Verbinden mit VNC-Servern.Ihre Verbindung wurde getrennt._Passwort:_Server:Ben_utzername:Löschen abgebrochengconf Lesefehler, konnte nicht löschengnome-keyring Zugriff verweigertgnome-keyring Zugriff verweigert, konnte nicht löschengtk-übergtk-hinzufügengtk-verbindengtk-löschengtk-trennengtk-beendengtkvncviewertextfeldNichts zu löschengtkvncviewer-0.4/locale/pl/0000755000175000017500000000000011126630635014372 5ustar clemclemgtkvncviewer-0.4/locale/pl/LC_MESSAGES/0000755000175000017500000000000011126630635016157 5ustar clemclemgtkvncviewer-0.4/locale/pl/LC_MESSAGES/gtkvncviewer.mo0000644000175000017500000000400211126621654021227 0ustar clemclem%P3Q  ) ) 4@ IU"g-     "(:9& >J cp8 (!J2i      Connect to a remote desktop (VNC)Are you sure you want removeConnectedConnection initializedDisconnectedScreenshot saved inSmall GTK tool to connect to VNC servers.You have been disconnected_Password:_Screenshot_Server:_User name:deletion canceledgconf read error, could not deletegnome-keyring access deniedgnome-keyring access denied, could not deletegtk-aboutgtk-addgtk-connectgtk-deletegtk-disconnectgtk-quitgtkvncviewerlabelnothing to deleteProject-Id-Version: gtkvncviewer Report-Msgid-Bugs-To: FULL NAME POT-Creation-Date: 2008-02-15 23:53+0100 PO-Revision-Date: 2008-11-06 08:24+0000 Last-Translator: Kamil Skrzypiński Language-Team: Polish MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit X-Launchpad-Export-Date: 2008-12-30 21:04+0000 X-Generator: Launchpad (build Unknown) Połącz się ze zdalnym pulpitem (VNC)Czy jesteś pewny, że chcesz usunąćPołączonyUstanowiono połączenieRozłączonyZrzut ekranu zapisany wMałe narzędzie GTK do łączenia się z serwerami VNC.Zostałeś rozłączony_Hasło:_Zrzut ekranu_Serwer:_Nazwa użytkownika:anulowano usuwanieBłąd odczytu gconf, nie można usuwaćBrak dostępu do gnome-keyringBrak dostępu do gnome-keyring, nie można usuwaćO programieDodajPołączUsuńRozłączWyjdźgtkvncvieweretykietabrak elementów do usunięciagtkvncviewer-0.4/locale/ar/0000755000175000017500000000000011126630635014361 5ustar clemclemgtkvncviewer-0.4/locale/ar/LC_MESSAGES/0000755000175000017500000000000011126630635016146 5ustar clemclemgtkvncviewer-0.4/locale/ar/LC_MESSAGES/gtkvncviewer.mo0000644000175000017500000000071211126621654021222 0ustar clemclem$,89Project-Id-Version: PACKAGE VERSION Report-Msgid-Bugs-To: POT-Creation-Date: 2008-02-15 23:53+0100 PO-Revision-Date: 2008-03-01 12:50+0000 Last-Translator: Clem Language-Team: Arabic MIME-Version: 1.0 Content-Type: text/plain; charset=ASCII Content-Transfer-Encoding: 8bit X-Launchpad-Export-Date: 2008-12-30 21:04+0000 X-Generator: Launchpad (build Unknown) gtkvncviewer-0.4/locale/es/0000755000175000017500000000000011126630635014366 5ustar clemclemgtkvncviewer-0.4/locale/es/LC_MESSAGES/0000755000175000017500000000000011126630635016153 5ustar clemclemgtkvncviewer-0.4/locale/es/LC_MESSAGES/gtkvncviewer.mo0000644000175000017500000000376611126621654021243 0ustar clemclem%P3Q  ) ) 4@ IU"g-     "(:5  4A8a   /+-<Y      Connect to a remote desktop (VNC)Are you sure you want removeConnectedConnection initializedDisconnectedScreenshot saved inSmall GTK tool to connect to VNC servers.You have been disconnected_Password:_Screenshot_Server:_User name:deletion canceledgconf read error, could not deletegnome-keyring access deniedgnome-keyring access denied, could not deletegtk-aboutgtk-addgtk-connectgtk-deletegtk-disconnectgtk-quitgtkvncviewerlabelnothing to deleteProject-Id-Version: PACKAGE VERSION Report-Msgid-Bugs-To: POT-Creation-Date: 2008-02-15 23:53+0100 PO-Revision-Date: 2008-07-23 05:32+0000 Last-Translator: AlexZelder Language-Team: Spanish MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit X-Launchpad-Export-Date: 2008-12-30 21:04+0000 X-Generator: Launchpad (build Unknown) Conectar al escritorio remoto (VNC)Esta seguro que desea borrarConectadoConexión inicializadaDesconectadoCaptura de pantalla guardada enPequeña herramienta GTK para conectar a servidores VNC.Ha sido desconectado_Contraseña_Captura de pantalla_Servidor:_Usuario:eliminación canceladaerror de lectura de gconf, no se puede eliminarAcceso denegado al deposito de claves gnomeAcceso denegado al deposito de claves gnome, no sera borradoAcerca de gtkAñadirConectarEliminarDesconectarSalirgtkvncvieweretiquetanada a eliminargtkvncviewer-0.4/locale/en_GB/0000755000175000017500000000000011126630635014731 5ustar clemclemgtkvncviewer-0.4/locale/en_GB/LC_MESSAGES/0000755000175000017500000000000011126630635016516 5ustar clemclemgtkvncviewer-0.4/locale/en_GB/LC_MESSAGES/gtkvncviewer.mo0000644000175000017500000000357111126621654021600 0ustar clemclem%@3Au  )  $0 9"Eh-    3  !)5_ z  "-  % 1<K Tag   Connect to a remote desktop (VNC)Are you sure you want removeConnectedConnection initializedDisconnectedScreenshot saved inSmall GTK tool to connect to VNC servers.You have been disconnected_Password:_Screenshot_Server:_User name:gconf read error, could not deletegnome-keyring access deniedgnome-keyring access denied, could not deletegtk-aboutgtk-addgtk-connectgtk-deletegtk-disconnectgtk-quitgtkvncviewerlabelnothing to deleteProject-Id-Version: PACKAGE VERSION Report-Msgid-Bugs-To: POT-Creation-Date: 2008-02-15 23:53+0100 PO-Revision-Date: 2008-04-13 10:27+0000 Last-Translator: Nicholas Wastell Language-Team: English (British) MIME-Version: 1.0 Content-Type: text/plain; charset=ASCII Content-Transfer-Encoding: 8bit X-Launchpad-Export-Date: 2008-12-30 21:04+0000 X-Generator: Launchpad (build Unknown) Connect to a remote desktop (VNC)Are you sure you want removeConnectedConnection initializedDisconnectedScreenshot saved inSmall GTK tool to connect to VNC servers.You have been disconnected_Password:_Screenshot_Server:_User name:gconf read error, could not deletegnome-keyring access deniedgnome-keyring access denied, could not deletegtk-aboutgtk-addgtk-connectgtk-deletegtk-disconnectgtk-quitgtkvncviewerlabelnothing to deletegtkvncviewer-0.4/locale/fi/0000755000175000017500000000000011126630635014355 5ustar clemclemgtkvncviewer-0.4/locale/fi/LC_MESSAGES/0000755000175000017500000000000011126630635016142 5ustar clemclemgtkvncviewer-0.4/locale/fi/LC_MESSAGES/gtkvncviewer.mo0000644000175000017500000000071311126621654021217 0ustar clemclem$,89Project-Id-Version: PACKAGE VERSION Report-Msgid-Bugs-To: POT-Creation-Date: 2008-02-15 23:53+0100 PO-Revision-Date: 2008-03-01 13:04+0000 Last-Translator: Clem Language-Team: Finnish MIME-Version: 1.0 Content-Type: text/plain; charset=ASCII Content-Transfer-Encoding: 8bit X-Launchpad-Export-Date: 2008-12-30 21:04+0000 X-Generator: Launchpad (build Unknown) gtkvncviewer-0.4/locale/da/0000755000175000017500000000000011126630635014343 5ustar clemclemgtkvncviewer-0.4/locale/da/LC_MESSAGES/0000755000175000017500000000000011126630635016130 5ustar clemclemgtkvncviewer-0.4/locale/da/LC_MESSAGES/gtkvncviewer.mo0000644000175000017500000000370311126621654021207 0ustar clemclem%P3Q  ) ) 4@ IU"g-     "(:6! '<D4Y  # 1+ ] h t      Connect to a remote desktop (VNC)Are you sure you want removeConnectedConnection initializedDisconnectedScreenshot saved inSmall GTK tool to connect to VNC servers.You have been disconnected_Password:_Screenshot_Server:_User name:deletion canceledgconf read error, could not deletegnome-keyring access deniedgnome-keyring access denied, could not deletegtk-aboutgtk-addgtk-connectgtk-deletegtk-disconnectgtk-quitgtkvncviewerlabelnothing to deleteProject-Id-Version: PACKAGE VERSION Report-Msgid-Bugs-To: POT-Creation-Date: 2008-02-15 23:53+0100 PO-Revision-Date: 2008-07-31 14:01+0000 Last-Translator: Jeppe Toustrup Language-Team: Danish MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit X-Launchpad-Export-Date: 2008-12-30 21:04+0000 X-Generator: Launchpad (build Unknown) Tilslut til et fjernskrivebord (VNC)Er du sikker på at du vil sletteTilsluttetForbindelse oprettetAfbrudtSkærmbillede gemt iLille GTK værktøj til at forbinde til VNC servere.Du er blevet afbrudt._Adgangskode:_Skærmbillede_Server:_Brugernavn:sletning afbrudtgconf læse fejl, kunne ikke sletteIngen adgang til gnome-keyringIngen adgang til gnome-keyring, kunne ikke slettegtk-om gtkgtk-tilføjgtk-tilslutgtk-sletgtk-afbrydgtk-afslutgtkvncvieweretiketintet at slettegtkvncviewer-0.4/locale/pt_BR/0000755000175000017500000000000011126630635014765 5ustar clemclemgtkvncviewer-0.4/locale/pt_BR/LC_MESSAGES/0000755000175000017500000000000011126630635016552 5ustar clemclemgtkvncviewer-0.4/locale/pt_BR/LC_MESSAGES/gtkvncviewer.mo0000644000175000017500000000324711126621654021634 0ustar clemclem|3% BL cp)      %0?HN`9$U z 6  %8L R ` mx     Connect to a remote desktop (VNC)Are you sure you want removeConnectedConnection initializedDisconnectedScreenshot saved inSmall GTK tool to connect to VNC servers.You have been disconnected_Password:_Screenshot_Server:_User name:deletion canceledgtk-aboutgtk-addgtk-connectgtk-deletegtk-disconnectgtk-quitlabelnothing to deleteProject-Id-Version: gtkvncviewer Report-Msgid-Bugs-To: FULL NAME POT-Creation-Date: 2008-02-15 23:53+0100 PO-Revision-Date: 2008-03-25 05:29+0000 Last-Translator: Allan Lopes Language-Team: Brazilian Portuguese MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit X-Launchpad-Export-Date: 2008-12-30 21:04+0000 X-Generator: Launchpad (build Unknown) Conectado em um computador remoto (VNC)Você tem certeza que deseja removerConectadoConexão iniciadaDesconectadoSalvar Screenshot emPequena ferramenta GTK para conectar em servidores VNCVocê foi desconectado_Senha:_Screenshot_Servidor:Nome de _usuário:Remoção canceladaSobregtk-adicionargtk-conectargtk-apagargkt-desconectarSairetiquetaNada para apagargtkvncviewer-0.4/locale/fr/0000755000175000017500000000000011126630635014366 5ustar clemclemgtkvncviewer-0.4/locale/fr/LC_MESSAGES/0000755000175000017500000000000011126630635016153 5ustar clemclemgtkvncviewer-0.4/locale/fr/LC_MESSAGES/gtkvncviewer.mo0000644000175000017500000000405511126621654021233 0ustar clemclem%P3Q  ) ) 4@ IU"g-     "(:9"% HR j"w5 20Ev2       Connect to a remote desktop (VNC)Are you sure you want removeConnectedConnection initializedDisconnectedScreenshot saved inSmall GTK tool to connect to VNC servers.You have been disconnected_Password:_Screenshot_Server:_User name:deletion canceledgconf read error, could not deletegnome-keyring access deniedgnome-keyring access denied, could not deletegtk-aboutgtk-addgtk-connectgtk-deletegtk-disconnectgtk-quitgtkvncviewerlabelnothing to deleteProject-Id-Version: PACKAGE VERSION Report-Msgid-Bugs-To: POT-Creation-Date: 2008-02-15 23:53+0100 PO-Revision-Date: 2008-04-10 12:53+0000 Last-Translator: Clément Lorteau Language-Team: French MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit X-Launchpad-Export-Date: 2008-12-30 21:04+0000 X-Generator: Launchpad (build Unknown) Se connecter à un bureau distant (VNC)Êtes-vous sûr de vouloir enleverConnectéConnection initialiséeDéconnectéCapture d'écran enregistrée dansPetit outil GTK pour se connecter à des serveurs VNCVous avez été déconnecté(e)_Mot de passe :_Capture d'écran_Serveur :_Nom d'utilisateur :effacement annuléerreur de lecture dans gconf, n'a pas pu effaceraccés à gnome-keyring refuséaccés à gnome-keyring refuse, n'a pas pu effacergtk-aboutgtk-addgtk-connectgtk-deletegtk-disconnectgtk-quitgtkvncviewerlabelrien à effacergtkvncviewer-0.4/locale/hu/0000755000175000017500000000000011126630635014373 5ustar clemclemgtkvncviewer-0.4/locale/hu/LC_MESSAGES/0000755000175000017500000000000011126630635016160 5ustar clemclemgtkvncviewer-0.4/locale/hu/LC_MESSAGES/gtkvncviewer.mo0000644000175000017500000000071511126621654021237 0ustar clemclem$,89Project-Id-Version: PACKAGE VERSION Report-Msgid-Bugs-To: POT-Creation-Date: 2008-02-15 23:53+0100 PO-Revision-Date: 2008-03-01 13:04+0000 Last-Translator: Clem Language-Team: Hungarian MIME-Version: 1.0 Content-Type: text/plain; charset=ASCII Content-Transfer-Encoding: 8bit X-Launchpad-Export-Date: 2008-12-30 21:04+0000 X-Generator: Launchpad (build Unknown) gtkvncviewer-0.4/locale/it/0000755000175000017500000000000011126630635014373 5ustar clemclemgtkvncviewer-0.4/locale/it/LC_MESSAGES/0000755000175000017500000000000011126630635016160 5ustar clemclemgtkvncviewer-0.4/locale/it/LC_MESSAGES/gtkvncviewer.mo0000644000175000017500000000375611126621654021247 0ustar clemclem%P3Q  ) ) 4@ IU"g-     "(:7$- GS4h   /'2F y        Connect to a remote desktop (VNC)Are you sure you want removeConnectedConnection initializedDisconnectedScreenshot saved inSmall GTK tool to connect to VNC servers.You have been disconnected_Password:_Screenshot_Server:_User name:deletion canceledgconf read error, could not deletegnome-keyring access deniedgnome-keyring access denied, could not deletegtk-aboutgtk-addgtk-connectgtk-deletegtk-disconnectgtk-quitgtkvncviewerlabelnothing to deleteProject-Id-Version: PACKAGE VERSION Report-Msgid-Bugs-To: POT-Creation-Date: 2008-02-15 23:53+0100 PO-Revision-Date: 2008-10-04 09:32+0000 Last-Translator: Matteo Ferrabone Language-Team: Italian MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit X-Launchpad-Export-Date: 2008-12-30 21:04+0000 X-Generator: Launchpad (build Unknown) Connettersi a un desktop remoto (VNC)Sei sicuro di voler rimuovereConnessoConnessione inizializzataDisconnessoSchermata salvata inPiccolo strumento GTK per connettersi ai server VNC.Sei stato disconnesso_Password:_Schermata_Server:Nome _utente:soppressione annullataerrore lettura gconf, non può essere eliminatagnome-keyring accesso negato.gnome-keyring accesso negato,impossibile eliminaregtk-aboutgtk-aggiungigtk-connettigtk-eliminagtk-disconnettigtk-escigtkvncvieweretichettaniente da cancellaregtkvncviewer-0.4/locale/ru/0000755000175000017500000000000011126630635014405 5ustar clemclemgtkvncviewer-0.4/locale/ru/LC_MESSAGES/0000755000175000017500000000000011126630635016172 5ustar clemclemgtkvncviewer-0.4/locale/ru/LC_MESSAGES/gtkvncviewer.mo0000644000175000017500000000454711126621654021260 0ustar clemclem%P3Q  ) ) 4@ IU"g-     "(:d;?{/$b [ |!!C33Wg $ 3 @ K    Connect to a remote desktop (VNC)Are you sure you want removeConnectedConnection initializedDisconnectedScreenshot saved inSmall GTK tool to connect to VNC servers.You have been disconnected_Password:_Screenshot_Server:_User name:deletion canceledgconf read error, could not deletegnome-keyring access deniedgnome-keyring access denied, could not deletegtk-aboutgtk-addgtk-connectgtk-deletegtk-disconnectgtk-quitgtkvncviewerlabelnothing to deleteProject-Id-Version: gtkvncviewer Report-Msgid-Bugs-To: FULL NAME POT-Creation-Date: 2008-02-15 23:53+0100 PO-Revision-Date: 2008-04-01 07:44+0000 Last-Translator: Sergei Zivukov Language-Team: Russian MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit X-Launchpad-Export-Date: 2008-12-30 21:04+0000 X-Generator: Launchpad (build Unknown) Подключиться к удаленному рабочему столу (VNC)Вы действительно хотите удалитьПодключеноИнициализация соединенияОтключеноСкриншот сохранен вНебольшой GTK инструмент для соединения с VNC серверами.Вы были отключеныПароль:_Скриншот_Сервер:_Имя пользователя:удаление отмененоошибка чтения gconf, не удалось удалитьgnome-схеме отказано в доступеgnome-схеме отказано в доступе, не удалось удалитьО gtkgtk-добавитьgtk-соединениеgtk-удалитьgtk-отсоединениеgtk-выходgtkvncviewerярлыкнечего удалятьgtkvncviewer-0.4/locale/bg/0000755000175000017500000000000011126630635014347 5ustar clemclemgtkvncviewer-0.4/locale/bg/LC_MESSAGES/0000755000175000017500000000000011126630635016134 5ustar clemclemgtkvncviewer-0.4/locale/bg/LC_MESSAGES/gtkvncviewer.mo0000644000175000017500000000071511126621654021213 0ustar clemclem$,89Project-Id-Version: PACKAGE VERSION Report-Msgid-Bugs-To: POT-Creation-Date: 2008-02-15 23:53+0100 PO-Revision-Date: 2008-03-01 13:04+0000 Last-Translator: Clem Language-Team: Bulgarian MIME-Version: 1.0 Content-Type: text/plain; charset=ASCII Content-Transfer-Encoding: 8bit X-Launchpad-Export-Date: 2008-12-30 21:04+0000 X-Generator: Launchpad (build Unknown) gtkvncviewer-0.4/locale/nl/0000755000175000017500000000000011126630635014370 5ustar clemclemgtkvncviewer-0.4/locale/nl/LC_MESSAGES/0000755000175000017500000000000011126630635016155 5ustar clemclemgtkvncviewer-0.4/locale/nl/LC_MESSAGES/gtkvncviewer.mo0000644000175000017500000000366111126621654021237 0ustar clemclem%031e  )    "0S-o   qEh# 7H c p|)99 B P ^l   Connect to a remote desktop (VNC)Are you sure you want removeConnectedDisconnectedScreenshot saved inSmall GTK tool to connect to VNC servers.You have been disconnected_Password:_Screenshot_Server:_User name:deletion canceledgconf read error, could not deletegnome-keyring access deniedgnome-keyring access denied, could not deletegtk-aboutgtk-addgtk-connectgtk-deletegtk-disconnectgtk-quitlabelnothing to deleteProject-Id-Version: PACKAGE VERSION Report-Msgid-Bugs-To: POT-Creation-Date: 2008-02-15 23:53+0100 PO-Revision-Date: 2008-07-21 17:51+0000 Last-Translator: ubby Language-Team: Dutch MIME-Version: 1.0 Content-Type: text/plain; charset=ASCII Content-Transfer-Encoding: 8bit X-Launchpad-Export-Date: 2008-12-30 21:04+0000 X-Generator: Launchpad (build Unknown) Maak verbinding met een bureaublad op afstand (VNC)Weet u zeker dat u wilt verwijderenVerbondenVerbinding verbrokenDe Screenshot is opgeslagen inEen kleine GTK tool om te verbinden met de VNC servers.Uw verbinding is verbroken_Wachtwoord:_Screenshot_Server:_Gebruikersnaam:het verwijderen is geannuleerdgconf lees fout, kan het niet verwijderengnome-keyring toegang geweigerdgnome-keyring toegang geweigerd, kan het niet verwijderenover-gtkgtk-toevoegengtk-verbindengtk-verwijdergtk-verbinding verbrekengtk-afsluitenlabelniets om te verwijderengtkvncviewer-0.4/locale/zh_CN/0000755000175000017500000000000011126630635014760 5ustar clemclemgtkvncviewer-0.4/locale/zh_CN/LC_MESSAGES/0000755000175000017500000000000011126630635016545 5ustar clemclemgtkvncviewer-0.4/locale/zh_CN/LC_MESSAGES/gtkvncviewer.mo0000644000175000017500000000362411126621654021626 0ustar clemclem%P3Q  ) ) 4@ IU"g-     "(:3  )*9d }  !) ,6 > JUd mz   Connect to a remote desktop (VNC)Are you sure you want removeConnectedConnection initializedDisconnectedScreenshot saved inSmall GTK tool to connect to VNC servers.You have been disconnected_Password:_Screenshot_Server:_User name:deletion canceledgconf read error, could not deletegnome-keyring access deniedgnome-keyring access denied, could not deletegtk-aboutgtk-addgtk-connectgtk-deletegtk-disconnectgtk-quitgtkvncviewerlabelnothing to deleteProject-Id-Version: PACKAGE VERSION Report-Msgid-Bugs-To: POT-Creation-Date: 2008-02-15 23:53+0100 PO-Revision-Date: 2008-04-27 11:41+0000 Last-Translator: Tao Wei Language-Team: Chinese (simplified) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit X-Launchpad-Export-Date: 2008-12-30 21:04+0000 X-Generator: Launchpad (build Unknown) 连接到一个远程桌面 (VNC)你确定要移除已连接连接初始化已断开截图保存在GTK 小工具来连接到 VNC 服务器。你已经断开了连接密码(_P):截图(_S)服务器(_S):用户名(_U):取消删除gconf 读取错误,不能删除gnome-keyring 拒绝访问gnome-keyring 拒绝访问,不能删除gtk-aboutgtk-addgtk-connectgtk-deletegtk-disconnectgtk-quitgtkvncviewer标签没有可删除的gtkvncviewer-0.4/locale/he/0000755000175000017500000000000011126630635014353 5ustar clemclemgtkvncviewer-0.4/locale/he/LC_MESSAGES/0000755000175000017500000000000011126630635016140 5ustar clemclemgtkvncviewer-0.4/locale/he/LC_MESSAGES/gtkvncviewer.mo0000644000175000017500000000417511126621654021223 0ustar clemclem%P3Q  ) ) 4@ IU"g-     "(:I5% [f ~#2   ';?<{V  ! -8G P]f   Connect to a remote desktop (VNC)Are you sure you want removeConnectedConnection initializedDisconnectedScreenshot saved inSmall GTK tool to connect to VNC servers.You have been disconnected_Password:_Screenshot_Server:_User name:deletion canceledgconf read error, could not deletegnome-keyring access deniedgnome-keyring access denied, could not deletegtk-aboutgtk-addgtk-connectgtk-deletegtk-disconnectgtk-quitgtkvncviewerlabelnothing to deleteProject-Id-Version: gtkvncviewer Report-Msgid-Bugs-To: FULL NAME POT-Creation-Date: 2008-02-15 23:53+0100 PO-Revision-Date: 2008-11-07 00:53+0000 Last-Translator: Yaron Language-Team: Hebrew MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit X-Launchpad-Export-Date: 2008-12-30 21:04+0000 X-Generator: Launchpad (build Unknown) התחברות לשולחן עבודה מרוחק (VNC)האם אתה בטוח שברצונך להסיר אתמחוברהחיבור הופעלמנותקצילום המסך נשמר תחתכלי GTK קטנטן לחיבור לשרתי VNC.נותקתסיס_מה:צילום המסך_שרת:שם _משתמש:המחיקה בוטלהשגיאה בקריאת ה־gconf, לא ניתן למחוקהגישה למחזיק המפתחות של GNOME נדחתההגישה למחזיק המפתחות של GNOME נדחתה, לא ניתן למחוקgtk-aboutgtk-addgtk-connectgtk-deletegtk-disconnectgtk-quitgtkvncviewerתויתאין מה למחוקgtkvncviewer-0.4/locale/lt/0000755000175000017500000000000011126630635014376 5ustar clemclemgtkvncviewer-0.4/locale/lt/LC_MESSAGES/0000755000175000017500000000000011126630635016163 5ustar clemclemgtkvncviewer-0.4/locale/lt/LC_MESSAGES/gtkvncviewer.mo0000644000175000017500000000400411126621654021235 0ustar clemclem%P3Q  ) ) 4@ IU"g-     "(:>  <HZc2 )$E8j       Connect to a remote desktop (VNC)Are you sure you want removeConnectedConnection initializedDisconnectedScreenshot saved inSmall GTK tool to connect to VNC servers.You have been disconnected_Password:_Screenshot_Server:_User name:deletion canceledgconf read error, could not deletegnome-keyring access deniedgnome-keyring access denied, could not deletegtk-aboutgtk-addgtk-connectgtk-deletegtk-disconnectgtk-quitgtkvncviewerlabelnothing to deleteProject-Id-Version: gtkvncviewer Report-Msgid-Bugs-To: FULL NAME POT-Creation-Date: 2008-02-15 23:53+0100 PO-Revision-Date: 2008-08-02 10:46+0000 Last-Translator: zolookas Language-Team: Lithuanian MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit X-Launchpad-Export-Date: 2008-12-30 21:04+0000 X-Generator: Launchpad (build Unknown) Prisijungti prie nutolusio darbastalio (VNC)Ar tikrai norite pašalintiPrisijungtaRyšys užmegstasAtjungtaEkrano nuotrauka išsaugotaMažas GTK įrankis prisijungti prie VNC serveriųJūs buvote atjungtas_Slaptažodis:_Ekrano nuotrauka_Serveris:_Naudotojo vardas:trinimas atšauktasgconf skaitymo klaida, negalima ištrintignome-keyring priėjimas uždraustasgnome-keyring priėjimas uždraustas, negalima ištrintiApiePridėtiPrisijungtiIštrintiAtsijungtiIšeitigtkvncvieweretiketėnėra ką ištrintigtkvncviewer-0.4/gtkvncviewer.10000644000175000017500000000137211126450141015313 0ustar clemclem.TH "GTK VNC Viewer" 1 .SH NAME gtkvncviewer \- Simple GTK+ tool to connect to VNC servers .SH OPTIONS .TP \fB\-h\fR, \fB\-\-help\fR show this help message and exit .TP \fB\-s\fR server, \fB\-\-server\fR=\fIserver\fR if server is known by gtkvncviewer, immediately connect to it .SH DESCRIPTION GTK VNC Viewer is a script that provides a GUI for connecting to VNC servers. It remembers the credentials of known servers, so connecting to a VNC server is just one double-click away. Servers are shown in an icon view. .SH AUTHOR Clement Lorteau .SH WEBSITE http://launchpad.net/gtkvncviewer .SH REPORTING BUGS http://bugs.launchpad.net/gtkvncviewer/trunk/ .SH SEE ALSO vncserver, xvncviewer, tightvncserver, xtightvncviewer gtkvncviewer-0.4/LICENSE0000644000175000017500000004313611126450141013524 0ustar clemclem GNU GENERAL PUBLIC LICENSE Version 2, June 1991 Copyright (C) 1989, 1991 Free Software Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA Everyone is permitted to copy and distribute verbatim copies of this license document, but changing it is not allowed. Preamble The licenses for most software are designed to take away your freedom to share and change it. By contrast, the GNU General Public License is intended to guarantee your freedom to share and change free software--to make sure the software is free for all its users. This General Public License applies to most of the Free Software Foundation's software and to any other program whose authors commit to using it. (Some other Free Software Foundation software is covered by the GNU Lesser General Public License instead.) You can apply it to your programs, too. When we speak of free software, we are referring to freedom, not price. Our General Public Licenses are designed to make sure that you have the freedom to distribute copies of free software (and charge for this service if you wish), that you receive source code or can get it if you want it, that you can change the software or use pieces of it in new free programs; and that you know you can do these things. To protect your rights, we need to make restrictions that forbid anyone to deny you these rights or to ask you to surrender the rights. These restrictions translate to certain responsibilities for you if you distribute copies of the software, or if you modify it. For example, if you distribute copies of such a program, whether gratis or for a fee, you must give the recipients all the rights that you have. You must make sure that they, too, receive or can get the source code. And you must show them these terms so they know their rights. We protect your rights with two steps: (1) copyright the software, and (2) offer you this license which gives you legal permission to copy, distribute and/or modify the software. Also, for each author's protection and ours, we want to make certain that everyone understands that there is no warranty for this free software. If the software is modified by someone else and passed on, we want its recipients to know that what they have is not the original, so that any problems introduced by others will not reflect on the original authors' reputations. Finally, any free program is threatened constantly by software patents. We wish to avoid the danger that redistributors of a free program will individually obtain patent licenses, in effect making the program proprietary. To prevent this, we have made it clear that any patent must be licensed for everyone's free use or not licensed at all. The precise terms and conditions for copying, distribution and modification follow. GNU GENERAL PUBLIC LICENSE TERMS AND CONDITIONS FOR COPYING, DISTRIBUTION AND MODIFICATION 0. This License applies to any program or other work which contains a notice placed by the copyright holder saying it may be distributed under the terms of this General Public License. The "Program", below, refers to any such program or work, and a "work based on the Program" means either the Program or any derivative work under copyright law: that is to say, a work containing the Program or a portion of it, either verbatim or with modifications and/or translated into another language. (Hereinafter, translation is included without limitation in the term "modification".) Each licensee is addressed as "you". Activities other than copying, distribution and modification are not covered by this License; they are outside its scope. The act of running the Program is not restricted, and the output from the Program is covered only if its contents constitute a work based on the Program (independent of having been made by running the Program). Whether that is true depends on what the Program does. 1. You may copy and distribute verbatim copies of the Program's source code as you receive it, in any medium, provided that you conspicuously and appropriately publish on each copy an appropriate copyright notice and disclaimer of warranty; keep intact all the notices that refer to this License and to the absence of any warranty; and give any other recipients of the Program a copy of this License along with the Program. You may charge a fee for the physical act of transferring a copy, and you may at your option offer warranty protection in exchange for a fee. 2. You may modify your copy or copies of the Program or any portion of it, thus forming a work based on the Program, and copy and distribute such modifications or work under the terms of Section 1 above, provided that you also meet all of these conditions: a) You must cause the modified files to carry prominent notices stating that you changed the files and the date of any change. b) You must cause any work that you distribute or publish, that in whole or in part contains or is derived from the Program or any part thereof, to be licensed as a whole at no charge to all third parties under the terms of this License. c) If the modified program normally reads commands interactively when run, you must cause it, when started running for such interactive use in the most ordinary way, to print or display an announcement including an appropriate copyright notice and a notice that there is no warranty (or else, saying that you provide a warranty) and that users may redistribute the program under these conditions, and telling the user how to view a copy of this License. (Exception: if the Program itself is interactive but does not normally print such an announcement, your work based on the Program is not required to print an announcement.) These requirements apply to the modified work as a whole. If identifiable sections of that work are not derived from the Program, and can be reasonably considered independent and separate works in themselves, then this License, and its terms, do not apply to those sections when you distribute them as separate works. But when you distribute the same sections as part of a whole which is a work based on the Program, the distribution of the whole must be on the terms of this License, whose permissions for other licensees extend to the entire whole, and thus to each and every part regardless of who wrote it. Thus, it is not the intent of this section to claim rights or contest your rights to work written entirely by you; rather, the intent is to exercise the right to control the distribution of derivative or collective works based on the Program. In addition, mere aggregation of another work not based on the Program with the Program (or with a work based on the Program) on a volume of a storage or distribution medium does not bring the other work under the scope of this License. 3. You may copy and distribute the Program (or a work based on it, under Section 2) in object code or executable form under the terms of Sections 1 and 2 above provided that you also do one of the following: a) Accompany it with the complete corresponding machine-readable source code, which must be distributed under the terms of Sections 1 and 2 above on a medium customarily used for software interchange; or, b) Accompany it with a written offer, valid for at least three years, to give any third party, for a charge no more than your cost of physically performing source distribution, a complete machine-readable copy of the corresponding source code, to be distributed under the terms of Sections 1 and 2 above on a medium customarily used for software interchange; or, c) Accompany it with the information you received as to the offer to distribute corresponding source code. (This alternative is allowed only for noncommercial distribution and only if you received the program in object code or executable form with such an offer, in accord with Subsection b above.) The source code for a work means the preferred form of the work for making modifications to it. For an executable work, complete source code means all the source code for all modules it contains, plus any associated interface definition files, plus the scripts used to control compilation and installation of the executable. However, as a special exception, the source code distributed need not include anything that is normally distributed (in either source or binary form) with the major components (compiler, kernel, and so on) of the operating system on which the executable runs, unless that component itself accompanies the executable. If distribution of executable or object code is made by offering access to copy from a designated place, then offering equivalent access to copy the source code from the same place counts as distribution of the source code, even though third parties are not compelled to copy the source along with the object code. 4. You may not copy, modify, sublicense, or distribute the Program except as expressly provided under this License. Any attempt otherwise to copy, modify, sublicense or distribute the Program is void, and will automatically terminate your rights under this License. However, parties who have received copies, or rights, from you under this License will not have their licenses terminated so long as such parties remain in full compliance. 5. You are not required to accept this License, since you have not signed it. However, nothing else grants you permission to modify or distribute the Program or its derivative works. These actions are prohibited by law if you do not accept this License. Therefore, by modifying or distributing the Program (or any work based on the Program), you indicate your acceptance of this License to do so, and all its terms and conditions for copying, distributing or modifying the Program or works based on it. 6. Each time you redistribute the Program (or any work based on the Program), the recipient automatically receives a license from the original licensor to copy, distribute or modify the Program subject to these terms and conditions. You may not impose any further restrictions on the recipients' exercise of the rights granted herein. You are not responsible for enforcing compliance by third parties to this License. 7. If, as a consequence of a court judgment or allegation of patent infringement or for any other reason (not limited to patent issues), conditions are imposed on you (whether by court order, agreement or otherwise) that contradict the conditions of this License, they do not excuse you from the conditions of this License. If you cannot distribute so as to satisfy simultaneously your obligations under this License and any other pertinent obligations, then as a consequence you may not distribute the Program at all. For example, if a patent license would not permit royalty-free redistribution of the Program by all those who receive copies directly or indirectly through you, then the only way you could satisfy both it and this License would be to refrain entirely from distribution of the Program. If any portion of this section is held invalid or unenforceable under any particular circumstance, the balance of the section is intended to apply and the section as a whole is intended to apply in other circumstances. It is not the purpose of this section to induce you to infringe any patents or other property right claims or to contest validity of any such claims; this section has the sole purpose of protecting the integrity of the free software distribution system, which is implemented by public license practices. Many people have made generous contributions to the wide range of software distributed through that system in reliance on consistent application of that system; it is up to the author/donor to decide if he or she is willing to distribute software through any other system and a licensee cannot impose that choice. This section is intended to make thoroughly clear what is believed to be a consequence of the rest of this License. 8. If the distribution and/or use of the Program is restricted in certain countries either by patents or by copyrighted interfaces, the original copyright holder who places the Program under this License may add an explicit geographical distribution limitation excluding those countries, so that distribution is permitted only in or among countries not thus excluded. In such case, this License incorporates the limitation as if written in the body of this License. 9. The Free Software Foundation may publish revised and/or new versions of the General Public License from time to time. Such new versions will be similar in spirit to the present version, but may differ in detail to address new problems or concerns. Each version is given a distinguishing version number. If the Program specifies a version number of this License which applies to it and "any later version", you have the option of following the terms and conditions either of that version or of any later version published by the Free Software Foundation. If the Program does not specify a version number of this License, you may choose any version ever published by the Free Software Foundation. 10. If you wish to incorporate parts of the Program into other free programs whose distribution conditions are different, write to the author to ask for permission. For software which is copyrighted by the Free Software Foundation, write to the Free Software Foundation; we sometimes make exceptions for this. Our decision will be guided by the two goals of preserving the free status of all derivatives of our free software and of promoting the sharing and reuse of software generally. NO WARRANTY 11. BECAUSE THE PROGRAM IS LICENSED FREE OF CHARGE, THERE IS NO WARRANTY FOR THE PROGRAM, TO THE EXTENT PERMITTED BY APPLICABLE LAW. EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT HOLDERS AND/OR OTHER PARTIES PROVIDE THE PROGRAM "AS IS" WITHOUT WARRANTY OF ANY KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE PROGRAM IS WITH YOU. SHOULD THE PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF ALL NECESSARY SERVICING, REPAIR OR CORRECTION. 12. IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MAY MODIFY AND/OR REDISTRIBUTE THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES, INCLUDING ANY GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING OUT OF THE USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED TO LOSS OF DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER PROGRAMS), EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF SUCH DAMAGES. END OF TERMS AND CONDITIONS How to Apply These Terms to Your New Programs If you develop a new program, and you want it to be of the greatest possible use to the public, the best way to achieve this is to make it free software which everyone can redistribute and change under these terms. To do so, attach the following notices to the program. It is safest to attach them to the start of each source file to most effectively convey the exclusion of warranty; and each file should have at least the "copyright" line and a pointer to where the full notice is found. Copyright (C) This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation; either version 2 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program; if not, write to the Free Software Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA. Also add information on how to contact you by electronic and paper mail. If the program is interactive, make it output a short notice like this when it starts in an interactive mode: Gnomovision version 69, Copyright (C) year name of author Gnomovision comes with ABSOLUTELY NO WARRANTY; for details type `show w'. This is free software, and you are welcome to redistribute it under certain conditions; type `show c' for details. The hypothetical commands `show w' and `show c' should show the appropriate parts of the General Public License. Of course, the commands you use may be called something other than `show w' and `show c'; they could even be mouse-clicks or menu items--whatever suits your program. You should also get your employer (if you work as a programmer) or your school, if any, to sign a "copyright disclaimer" for the program, if necessary. Here is a sample; alter the names: Yoyodyne, Inc., hereby disclaims all copyright interest in the program `Gnomovision' (which makes passes at compilers) written by James Hacker. , 1 April 1989 Ty Coon, President of Vice This General Public License does not permit incorporating your program into proprietary programs. If your program is a subroutine library, you may consider it more useful to permit linking proprietary applications with the library. If this is what you want to do, use the GNU Lesser General Public License instead of this License. gtkvncviewer-0.4/TODO0000644000175000017500000000020211126450141013172 0ustar clemclemgtkvncviewer - http://launchpad.net/gtkvncviewer TODO LIST * Integrate new translations gtkvncviewer-0.4/AUTHORS0000644000175000017500000000007011126450141013555 0ustar clemclemClement Lorteau gtkvncviewer-0.4/CHANGELOG0000644000175000017500000000143211126622037013727 0ustar clemclem20081231 * Integrated Launchpad translations * Given credit to Launchpad translators 20081116 * Added possibility to specify alternate port (Fixes: #264631) 20080522 * Give focus back to the vnc widget after sent keys (Fixes: #232147) 20080513 * Added send keys feature 20080512 * $gtkvncviewer automatically connects to server * Removed deprecated Encoding key in .desktop file * Auto hide/show toolbar when in fullscreen * Added feature to create desktop icons pointing to a server 20080506 * Added License file 20080412 * Added fullscreen capability 20080411 * Packaged mo files 20080408 * Added internationalization support 20080407 * Added launchpad integration, cleaned up connect dialog layout 20080322 * Fixed bug #205257 ?????????? * First release. gtkvncviewer-0.4/gtkvncviewer0000644000175000017500000000007511126450141015153 0ustar clemclem#!/bin/sh cd /usr/share/gtkvncviewer ./gtkvncviewer.py "$@" gtkvncviewer-0.4/data/0000755000175000017500000000000011126630635013431 5ustar clemclemgtkvncviewer-0.4/data/gtkvncviewer_14.png0000644000175000017500000000115511126450141017153 0ustar clemclemPNG  IHDRH-sRGBbKGD pHYs  tIME :''T IDAT(ύ1hSqҗT+H .*3BԂ (tf6n ٺ RT4`Ri_65;C~p8J85~ѧ/ߩQs@PxMM=Tgs&@c3M |O&tM@~mڈ;~sO>]YzZ ﰵݡ l įeGF,377w/ޱ)D`?谲Ձ b r5Aba "B,ce#t.8Bj0q...' CoLr4czac8=Ѝ\.5T0pfh]W,ql6K:&L!ҵ`@DqC<g~~~i訛dVjVXSUT*auv<1xxx~RY=*DhhVv[gffVItIENDB`gtkvncviewer-0.4/data/gtkvncviewer_192.png0000644000175000017500000007354711126450141017260 0ustar clemclemPNG  IHDRRlsRGBbKGD pHYs  tIME -n4 IDATx[dU6EDFn 42#<3 1H~0nɗ6exllq-xFm6Bo 0 3b 3nmwWW#2#k9'Ή<Uϐ23"+2.o}kmL/wh4x;yʕ+?yK)FD#!Ŀ !"ϗG>駟Od߂03[}J)kc{9;1kqq_ɲ쪵Rʟ<<ϻJRwR/K~?50g~' +_9\[p} "|#իWO]xַnnn^ۿ=zW=ϻRjc1&L&!3_BJyB-"֭[3ό@QLpпot:?{~韎nܸqDt0kEfBDW}߿5# Chqppmb4Z !RRBJi/_/}>Qdկ~=ww]GCkM_=xWqw8KY]3)|!/N7nܸ/~qR>u/w:)e_)~oeeX__Dž 5}tB)Eeܤׯc2h4x~yoo3@J#5;F~ in޼ O}S8__5" 3_^pUԕ^~cuum9{^z=H)͛DDz~ܼy1^x|ey4feizEv:]*XSF*үpf좄X3CkLx$SJC^{ E <ڟ;}nB?y A@/At~~G?jW;ΪrYJz,.hgYv0 vW:RE^!&.\uz=CD px]7 [ lCeA-2mi ]`i !)()ۈuQiu9z:O?۷oK- p|V/_跾ǥAEъ/\YZZ fssX]]EpөlZ<ϡE"[Zm) 3GQqhNrRqj0J4|% B0A\΍MЇ l;']~g~{ƍk]pZ[Ak"t.//>B+4@Ƙ 54l3°( ,&8Әd`2L3V; Sz]{^4%1P+H#Ezѝ;wz{{{`QcZAt:ע(Z((!MG=_pXZZRJ;CKN!s<ϠL! ؂قȴA3Q15~8{ L^ЉA#9zdi1x~ZHC~'~'WW+Q/DQ& !{^u쾶%Et:$GyX5l-lAMEns '9qQgvH `@RB* O ()IP A Wi ƜCp~Rbss|, =yϵ .ѕTAW(ӬZpu=MҰ,ֺZ:ZW'}D(qj: $R HPȄBF DXc 9B0$ -ngap'}6@l祝d2Y-q_NHEQQ0 *y\=\tUshV nqf$$Nr3s2L2L8(D`0 9IX%B$`D&R(Abl$[sړ,rCt~7o3 _wWB7<ϻ/w:2ױ{i1=ҸS7肗7" &`co`T8Q#tE_N2X[d`!$|_AKH"#   +0!d>AqAnύ MSܼylL}7~j%db rzҔMY.--MyA?8j X \D3%9㼂7IIy @I_+UX)d]t?!C 3 d$95D9z"~'},0Ƭc4]Ze78~:ΣazYBzx"666 4nY乆ѥƱ4 5&Aj$AiGQQ ;G)Tg|CRx S{ʃEz!`0e0`KN0`\$ QojCk_z[ny1c?%6(ZR.a,WVV*-F߻ݮt:}AG֛Ol t pLEQ~8d=JsE83d ր W|0(+=X Ypm42uϕ(b- ` '*@P`z973(KO_R^t:UZBZҕ2604a"Qq(qPI$p00g/ ׽Q8Gj,Ht}D Ewy ߇@gGn;?{1oǵk*d1BV=e'+V]51Hs81N5"Sl ll&3$쌍K

l5$؜QO! Ƙ-c-te6tWwQQEix׻ޕ@ufivpiLpabkW5q0J1N5&(58J5ƙEjKI(zxQEeJBl5+u@`1P-#@F #\gX|973tB+~:G,3liJ:'Qa8N90,"(pEk;G)R mI.:2^}Q/ |S`fe-2Fי(Af1‡ I0lѾ@-xlX _X "ILiXk!"y^9W26"c$Ik4$g9Ɖc^JH3JrR98 AaA0r WFHO|t"QAAa`+>M-òu -+L0)d@By /K@ !RTu )yH#!{N{90\Ѕ\ &M?s$IR w$(ޡ1w v vS ƙq‰ƨ4L$G' ["F;=H V8j2`(mEy2y'Pd?P29S2!U`i W`o"'ޣ#5B%B =Ÿưύ oM|C|;GGG)"nLJ*]҉~#Q7B >Te0=3v ma3y`2@pr drK1h/B}xKUo C:&~Zu$\a $BR2P:pY7>Qq$O0o>J[914KNn/DoRa/Bq 9MT40[ka-Hu< P`k G M&`J" ;--" (%`$p4`(LTI8ZG! zKd|dCISPR)B6A`Nuw%aRh׎r"H%E,uCV.w"*|]=G_B:= cچ(oH )ir0$ l ދbd~y@'yGpE" CdI}nc$&A2G2RHXb""~oG*|> RH~(RP"42X[#tBKp%oȲ YyR5Nn'r?\߆p} pxx{{{ݻwv_~RʆaXVRJ7<\3ݺu _¹埅,#[d~9XKEԦpؾ}K } ܏*$ Y 0C U3`f!4E2<Ak#dYXTo:9Lbww[w=1,Ý;w/0 nK.a<CkUlmm!s!@|գY͛enݺDT^˳pi^T)$,nm\Sie;k0fD"d7y݌.3c8W^Aexb9SarsgJDTWR}76 n#v8F=?88qkd2Ae  /:,vZ_xUw˿|eyexꩧy<j_,]Y#g x/"|܄Gwc8&5j OuffL&չEe/( )P~-ٝnn1L׮]6 . boo*|GT[gY?oy-7w}Nܼyjs8];`4&O`6r f+tAÌa Sc chƠŋ+( ' $GPPf)dg0 q%\th4MEe&YI^BOE GQѼۂqM&".D.~?>|O,kSmwX--mdSba85 )5lnY`Rpe]B֨_>>s1& Kg]loo`08~1溵3FpZ2++߷0MӽoۍO?BnGeޖ:)T,f|#At1(s2 k-R`ki 4d2BO*Iuk+iDJ( 퐩tFT p F#P K4IB׈z[O<ī;;oE[ߏ0 $ʳ,VEjjP0:Ws03eN ZZ+9( Y[IX J<%IW,Rr ɑeӏ̠n|x^r^^-.hm!mmm|phMI$I !^R`ss[n( Ý kkkIW7oެܺu bhcYd |2._l$dH숻wzѨڟ1ƌ4=;Ƙט%"뿾/Fw XR}{x ?gLQsha-ͱ+zk3W}XD3 pۆ52\ @RaGȂַ"@:r$F<ֈlSφ; KB@*,E~ HE,i*hKȔI7.OT9W8F') CaHkkk o{(`0 `0X FH !^Bpy'2kY77o|,__s2#Dc3p*|q[CPf:+|n𧚽-Ck'V`=@zPT1Y2"a ~i1AWl AЗXX_ :,`sE6a;,)tUDEfP >yeZSR|s…ىXȻwbww;;;q|-Ikd$9ZoxQJbE/Aw (}~۔u13L{9'?Iܽ{ oM<5|Af^KϵV(!N/kL=b63v?#Y|*|[[SZ~VP$!!" R^G#By4N'4G5rc0Jq@"P1@ac``})JG7Px礄 Ay tĴ&"BG}^v Ip<h8m]9 V'ɪ1qc3L&-kf>3=yKwO:SP[\ jlsz)%j+t0wm̍'pOG>W#I h,piˡr.nn[MCo᱅o s6B/\ x:C@I %Bݭ&g !Q5]]\,I>(4b0m^J1'h0ܱ־{DDQWA]bF3)~L7^ 9, dHkR$C'H&a &0F# q!AIV6Cl,PdBrEw'PU@\3ҤpB)~y5&~~ՔKӔáڢRô`d$h48ä́DO|{璿˿۷i2C=hT iĕKi ܶX[sDG@l=Ϣ6w FsZ WJMhި@Rc Hmi00i $0Il#$8r[QO"rҌ#_acBubo !,3,Gň˕/($H0ۊEYdI ȳ&`:Nf؍30 =v};>V>V{;>V{Eo#+Y& ! Dј+J9PEVWW,K/?fZh^GN:]{^HO5a>bkby:/)=e/U}Le`*&pSTW)DHD0]mgY:8A>' xl Is r$0JF 'xF_+q 1"3ߗL,0(jOwo[$u},n@LhR6|IEM'",J-bSLT.1k\zf"Z=Zc76k:XT)J|B0F.;$2屻)i,hl5+G-:\{|5o5k" ijѿ4j ] ݈@scT+H!|nеSӲ: @5hĵ]e 4fQP\i*V !IB2rmt"ŮfO`&1t"Os``<gxB rgh>Ԍ_Ќ" baLq>9ws|;i.g4PӛJ/]wy c=mgU#8O9 +ũکh8Th,\ri|@cA ϐivT ?4⡈k@PD:$͵ƺ SOUn27h hN^AP}wZ.nӨ^F77{MÞOSL{SF߳bvD^J@~L!ȑ5J xr*F)E T6CF \>jqx;OsNWK)4lKWfLStp ЄFu'pUSuY-lf2% 4fSp'-uBfpt((͙З LY .,PXvi5'=9gw4,L>Fssݚ_JY?^\1=ְɆ֧{f:*֤#;6Im0 oڅ-+VN<:潨xYo䖑َI'^4ukԺOzTܩjEӊ[YO1?k,fo Q37)jl8V=j|ld-1UtFSY8[sf5;?+6ڤ: >ML1D 10ﯜ &+ (иhpt)YWF`7SB"y\"M?Ni.sM\0͜k%e3SGy~ q`}Qߩ5 SV̓gAq0$QZ\q.(8KTT8})2E;P-3(RS^hv@jZd#F_5Jӈe^[ThG]R InğQЊite$iyXEjjMHDbI^3,|JVWuMOAsx-ߐ ު/Q8f 0RdE73jJtּsx?auDg]PJNXM+B&E mUn'Xd tn3lKpOs2Ǣ9/4 ;*{JԞf,9%,3b[Fbeei[m)y[;;Is,l/<*NuCC ; 7QbⲸ 3rhOmzTsFk/3>놿-qk kB _s;4"(fK-#,tZjؖfQS#=29cbDJeJE. @EظI5@E)2%"5:)zsߴyF+dqvܐ+PMesX;'u&Q,1gl?7R~ly&n-zR6&JA96%8_$qXfCչ o~Q1/'g WÚ=4}ȹYcq{擘h˦)T[Rn0 O??i} оaQ[?Nq5Y_lls^I N!Y-Kmm7L@,Z3&qʋ Cδ90!PcrhQ8Ahc؟ᓀb6~#E~*+!g6jʛE[`xF(wC3X&]D'8UYD\bψN~I"KyaS/D(j؅c{cf yINI5RT3X32InE֨_CSM:3 ZNukםcE!W/lШ5~3oT6ޏbgLPccKDjѿz*O ƺv}ÝO$`+Of:{SAy`9/P t`YO h6zg\:aFO#{L'jq:[FS13 6:ӡ|(co Qgwpovۣ>ϼ c"Qfg3b=2dѶ[t,k_jTEb#uohj^)(aiCO8i i.SG/=<ʡsM_fHڌ$rkO(vL:{t TQ91A%Ѡs^eӍPή'd=5=}ijTgbܡm=i;ӽ9:}L-mU,3g/)ΖzZ * Ð(&Ĩnr );kѦL6[D OtɃ/4=b:)?Ц=F, iN2#fY瓋Ezj T?/^j}/53 Ци(L%pSb{5\j('l}RjsB+= "Ke4sA((;3cm¨?8 lXԠZюꆺͣmh"*Q%K8y.$C GI (A¸jb1-\.EQJw M;TPR*bOB@"S2xYTY1uکiz*OWɚ-3?U4E;Js^4S)9M95,p\P MHC@m:^ˈ|G#bs5%u6=@Q2j\>h/[*qS6^ꍜJS"ԏ56Ĵ`&g6FEnD@x0hhђ2}f} :`mdN}ӥO |@j 2Ϛb.ˮ԰g `9lFDZreŵ ^_A6ᗃ<=Ƨ7n,~ 7{gOW i~5XnwrX䖛cimch&Y3avȨn:,q|lP!k IDAT13'A) ܘP5jm鋙1rgY%lkf밥i<(:́8(Г 4r,ר? nuImA]\>ny=4_NZ^VӂTO -P pM&F#$IL 49j,akণl%k:qL/!Y,TZԺA\B>h56ga)EǿoVAymi,uw0 J)x)sBJ )%rkAn+!Ýڠ%f6E,U}V}y!hw0]#F#\.OІ|L?5#{>gQWֱ{~V#< wka0<σy}t<J)ǝN"Z^fii:[>]>,k8ϙ" 43(Ԡ#bdnyȍ@q%hۈ"ϓ3q"=E'^bF3E&Ѓe!(17JC HTp\y0D~}U^ S\^߿Lj$wY n_ ]߷jg"9F'F f{'=3y8NumFD J+3N=23]usL[Q:'Wȑ#9: [7cVD_??÷,'X\|RJDdO=BKJiG4."z_3EPhߣ5ՊMx$s[4<6"!!g oLaX d~5Sa Zѣ&=J%_ɟ(njo07B`/{SBPaC]y0_D(bP" Di4ω8,}2 ([JiǎKuI>ϡh<,ЦPh48rrƐ 0d+_ DseéCnx4,Q8 {"BYv] ':^Zaa]M'fmJZ"lu+”qQQVS}/O:UڔXxD,J a$ϓEz~?%rgK~JA%2[R wwwwAlXbN-EcP)ַ4D$F!k` =0ԹQ.?H*AJBȌMP4WxU$®f ?rb!Ж>HFNhw@uheW6ȶ "-K`4呬P[xnwy'>}{_o#tYrޓ/V(Z F0WH6 pH'(#;Ndڞuͺskhy<#3 O< |hKzmbi]4Eb֘@p|V陴rT* ]w݅~}lhXbJ|#lY?HcfB=*X!:²tG[ ֕LJ2=!n4$?+/?+Z]w"C=4l`KAL?ݳیRb8h>'C RbA[~=D*}7 |򓟄`@%*vQ 3QD',Q@.z, )%<* *,2aԺ$0Rdt?CWCX I ~X)+!T G MoX0 -QU!DY#^F d"՝23WB7$y>ˡP(X,ZBJUZ-Z-5$*A)?Z¯ aBmt-ZBhJ%WcرcЖ{ -a`&1f2RjB)5>NDcRB$$Bݍ>c-ܺ<abl\.V%^|EaY:t)iȅf%MGkuu(ahiXO&7y4P_3n y!D'I -w҂hWm+'& !$Aĝa[ iDҊb83zBx1DA6,t&>(`|,"B$E4oH]uPJdmY\\FXMklT׊!n4s9SJ)(E! Cbfض0 GoAܫsJ͵@ezc;QJ-CMY"GV AB{b޽( "ضbRR"۶/uRkVPKpS @HQ zbJg/5Zw]+Сk ~dm۪ZСC۶Z Ȱ$WHWk{ݱh栚uIKn~A? ~F() 4}ɼFVƜb%L8Ln,JKG: a~-fDȱBC 2z@UE#W\񥔗[֮gyR)aqRx%a G _RUVd,C'zrF$+OӠ 0!@aQr^ =3CC0w{A (e((!M;/#Ac۶yΟ?+ôw^8L_+AiJ1l݇iMkoBazNVa0b<  i,n-sVR{DC ab!^ph! GVm9)y.;P`PIB#ʛ@4>_},;sJ^GV2LMMB@DD` V4g1I Blk, B=ʨ:N25Pڐql-lvܵ܈ kIS,M4f;h($aR'da-l%؄ϽQTRbjjJ\|Y|'>J ZZZzSO=Ur N>m ,DZ@!{z?$-BAv]ѳ9<rrax2Ǩ8;Ե5{;gu) rMP#* Ţl kkJKT6&9XTw@2T>Ϲz㎯_Z>qnZ^^ك;wb~~SSS14I˲_a&),q{,K2d Tryٝ~kHmYiXt%RhKݵVXzTSD(PẸqJuxÐyӲة%,: ~B TӱWY%2C#%" .\Xؘ(t}xǿ8py!ijaoiiP}…,:ܹSSS<11* "y2Y iXܴZFL+$Yx^+m-Q)zǑRHclTSBf|>/cll rrjCT;`9+T / wᲲM(۲ P]aC0+l'VxeQg2&''m6T*;=B)*c۶m8)mL>W(tVJU (9BBxXZ{@q:R-3@*FY'B]T:fn۠9oޓF+9V߅7r?7/Yu_sEڻw/U*Ξ=?я|C)̼t*J킔2ODnN)<3Fq4RmRRD4!|\5 O׍PaQ*])'7rf 0fwVhAh4X^^FՊ¡;Z =Z)Ǻ ahe_7,j?+sVǬl]fIcyyNt ~Gj3q a+W+Wbit7eYR;z~V!Ⱥ{mK)xR[diiaN,UflƢ)YŬ XD׳< CϦYW q8zN+++n" C6CWrQJ 2wR.\.ܢMʢ(\tw7l:_nF: ,IY#KզƻPuy؂GאODѱOD!yB|fvaA>_6~ff֣^ 0SSS9>ϛO\.)euK3ORE5A$H&АCZ`0df&A@&vO#k M,!66kQ@;1t㶙.3 (x@ؾqP3xU,--o:l xRLX&401 #zS1{ |YN2,OD;ykGȚ;g8<"r-J??* x0FFAV )uqyeYMMMmT.fYG|g0C )yGI7Ť68k:6~y y@G-Y薶j+ގFKJNPa<;r9WW[w}Ж3 0ė7`9˲ƙ… *bϨ q}eKk:*h*-idiGipBGGXGͺ'`u^Dt.=h23#bfmf9Eghֲov066ٟYx5~~8N#`ȑ#}/ԛ Ѝ; 5ih6q.3y4dJB-IxCJ92 uYdG-u|Pmp]Ϝ9CW\R OMM= 8 BX,:IDAToz~;BdCZY_0Moȑ##G> vWJ̜K -fe3ceD1|* C*J)sB!nIieK&"M9ZXYYQ'O'Ns.8@TO=1EoYn3PRg6m,Bm;{wbvv&f,!^p,,FhRlq#""A~iiiO9XVgv܉`۶mBRgA$Ib}lL+@`#(ZVu>cffFDVe ͌* C Qȶn, Gǎ[?oD !XQB2*h:zWE۶[gϞwܹ;}?`6&''q_:0j5ͥe:<Ӊ!yY.0 ijj-JrXaJ[%Y)QZw}7_W6}S20 qq>z(;vN{GB,Q0 -"rbRA8z'ĉ'Bx,..ޑ066 rn;(a4bY_5}($l{GX,$'B+;VWW'N?|U'o8~xl9BJ)?~z} _C#ط.gOQh5phfa?Y^ 8%tdF/?7;v ?>Б#GW)B#YJE 1۶4eYs&+YF\{ `f,?B__>//o*aKԒ4ѝei _җkkAPB:+Lu*z0N٬.i裏C}Q % ZɄ(Jݧ?뵶aajrSo:|0wsssp]/)רJ| KO?VLRwyLD??56o&ٶ-t^ ꍟK)ٶm8uw`ǎ`f<oͶ""ksH¡a,.,133Jvj}ܤz^p|%E;gϞ.n𖷼&z=lQF} jG8xDR={h2rs7 !/"Z!%"Zl^-"jh)VJ50l߼xbܹsVܯ{l?OP(!o*n#=ikLKX ҵ::LmD>=Ҳ,ڱc*.^FaA0n@ "Z%:Ո!YU+m۶moYհ,#tѭ򢮭 z, ַ }Jd=73}_}Mߕ|i!:t۶rw=wa|aZ%Eڠ,z46~Ÿ^Av>jl6h4jjnDyM{Q'=J37ID "j+D7B&Mfnat:'x"vԧ( Cި_@ oVFy:!>g(9AضmK""'-Ϣg5iJQ(PThvv=SNZu:8qֵTFϓ)o6qlܵk~i\ ðAՅ2jV-zHhx>M\M*jf9HZs+>;J)RRPBJC ȧu]ẮЊy^M)e+ƣ)ǬR+,",RmfnDp!hQ eYm/p +9s{エʧO/~W(kfyi >m@9!ܴ@lsDd0;B V {$-);*`Ċ !fh}_D-븁U<ϓJy^Rjƀ>3J)' CW)A ,˺$jTzBطo߫ N鉒[ cr'C9eBQiE ALi#`˲Hs #(&Gƚ gfv;RVFJQ!Rd2^hQZS?!mlu+Nf@)uSlr>Bׂ1DGl27sPgEs9N9ܓaC "q:9~/S|BqkL2Y3'2*@'@=8pn… 8{,~w#3=04ƙ F]VKr|/~ <:x X,RP9V<* iErZ L%," zN=N:v3ghkOa&3SA8aya>ǣ\#Rb30)$RzޚJ<=fXj>I)c,ALÞz>|#aS& t3gi˗/ɓ'q ?A8e}|<jRJq=L5rjv>QBEMV+D˗maVǙ; zmT(Hֳ͙fѥ zOodôq ',k\8y:s g?gϞBGӧO?q̙6{jjJ0_V`{3d)EѺt9˲ fZV~eeKKKV ¶혚=J8 YcLOQLE3!gOŋ}e)7+<̏cccVD2CQ4dr45*~K0-]y~ݻwO߿|>m|K.Vî]0??~_Sd'LT,yT_oRP:N:^x/.\Z0 ma>z'.rqPC'4]`3W1lf4x_W*~E)a"gLR4ك뮻gggնmۨRPP tS=ABOA!~uYpH :syj|:wo={Z J~__NG17>>n337 ͛/ SAe+f}xB\.':Y/YV+Z1{|ZbbbӸo>l߾J%$aLi39.)  eRV$*Fu]jXXX/saqq+++hZ ~iI)… O=cW{[Z,EDF6j@Qb:r[ouoZ}mocIJX,bffsssؾ};cLOOX,v)ź.Hd*ʠCB`aaKKKX\\ĥKqD$3?^衇b_T|>OqTQ 67݌ҌK|>/lۖJ)nہb;v80_,J)!<$kY\>/Eر{Ν;4Q\B@E)˲4PhXrMaRJM=vͭVK8#j._/ҥK}G?Q;쬝籼Z^4blTI~ RRVav%ֵKR[o+8pXJT*YcccоΝ;k.l߾j5N"J%Ju=#'g'+9j^cyy/_vOu5ymrsa~gϝ8qbE'h \ZM =z1 DZ] FU","˲N,nBf! DVff20==`zz;v,LJl}һYtnnt7ĥ 뺔!^`}qii}{"h $ijT XA%4+^Q{k3Ţm[azG yo{u\WW&˲X]J9Q(011Cy5>>GP4%'0%S{vF#7^: ðA#0 axJ)RY)qj'N𖖖|+vmyuCXA0wOu} R(Qh4YXvDtRVۄ|\.cllg '2Z\cTMp] 2J\p^Jyֶ)e#21T*QTe8J UA:th:_ODfcf[èH}tiMEyz2Rh3Z"hض+TV |_N:۷ )%:Z~7#o*hi?xH!QX\.GL/_#BP홱Y)eEb]HDJa*Qh!* C? -A:j5gj՚em۶ŢWNfkG*~7CaD_D ڶmT*>^|0*Н-v111A\ND> cqhVen=+o*+pOy rX(jJbi ;X|m, DĚ$|>˲qujteM-M?MqaIENDB`gtkvncviewer-0.4/data/gtkvncviewer_64.png0000644000175000017500000001316611126450141017165 0ustar clemclemPNG  IHDR@@iqsRGBbKGD pHYs  tIME 9-쬧IDATx՛{\W?sgW3mL&AIɀ6@#fGH 4<B]&$+ 3^d'Ǧv{9G[]UnwatTVU׽4߾}'vU޻w?-7yn vI__w߱c Nr H$N ݻw6sN:;;y[gx<]k󁡡!6mĖ-[(9s|_v:::U*}ٛE{#~d޽ x`q*7npww}_yΟ?i$200$ STnB{aacjkkƍc6mbr-AB!بe̔q61\r7'-ݻwsJ[nG%ɏE,YbVBc*+/0YdwEܽ kh{whb˖-,_#B^&/+W g& q![=H2Y 1O Ƙ["iGw {cÆ 6oʕ+ `J!+UO)Nn~g &:.kMQPіEGI~v7Ɯ^t鲭[yf,U*eE o\sY^?wYlA9zmj?%=ް}EW| B`-[k)Ux2{z?[oqq/ç044 ]]]}lc{!UUm-hEf\zm-|JLLL.TKsZv>'Nرc?婧BDݳcǎÓ%b7MZY2,NNWQA͓+Dj6."|nkE.M\d2ŭٵk:###=22 T)˗߿a冚U x:Ͼotli%1Rg R[ڛb/ q\D27ndH;vёG?N{{刐C=^.V4X| 5PONUUQIJudnNLO.1v,]IKpvt z*L~zlbÚW_}uvvr "/:tgc`u&t~Xk9 jvbA)!o&:ыJ.si.+Ù Lft]6ɺn_Ү|-D"ɦM뮻,`W_}񑑑3 lTH ?я~,O<7-(US aZ8QT:Ou6x\DpED eнd Oij_^t<\.ob`qU_ŝd2֭[>`3333pرd2I.{=Juo;CkKf=˕HBeߨRh ?3 khFu^wjd×.ߜZ,sxnXn_I8^I$}l۶&nW1ͮ޽{exx. S)mju3HA)7 c1VB"BB4XcZG%:T E'.$~v wg]/wesC+018+V;_zdi270U50IkS&b XLkŸ;`cZFwR3=:^gTᾍƟ;s%`,a2WACsέ"gZXUڵg#`E Ujp 5P̕<[Qޢ@ЮR VtMM4@Zp j`SkZjdX  ch/hҥw-cs, 0֒/f!5Mfۚ `ì4ΕEl-LW5e+JD)WsO %-;+D6P3Fa6(mW)hU8vcnXbZY ĜREc9adyHdWDQD*t_s`,3U5!pՐCJjϢd4hEZ ' v:ZX5&@$ oO"x)ѳ4ɩD^77 phWXޞb#NW-*D8P5 T[Z1ݵxxst> 8GfmzDQοX@EXhq C"@U 6PP x[)&J 66&k% І 2 )uR1Wközpf~4F-oZXPD= cLaJZaЦ+]:@UT URDlx',G<5w6_ERT8z(}}}e2S[U_,Zk萜R~fd?vʖ7vaZg=LFBo atD1B,{f<NꢣL&C[[dd2Iww7$zs4\U=Gi!6< !9e سgX,SO|%>kmֺojjojjZgXk1D"a2W{%R BK4k&@jt޵pÃ\ҖJK/O={vxj qϡl,pR!w#OI8ٻw/J) C+Wȵ:BBhQN!9@ҤUQ[+M a;DUpa>s'XPv~ɟ =v5"YYCTR z|@FD"%s=cmŋ1(굽 'f ^oHj-#|R L-Lkk~ crc2cr`Y&Nz{{Yd /bsw92\64>K pWvgDuwwCww7Lq؎m!FT矟yajs`|\[5 yO HS.宻2lVժtzEkDu]kܰQQ#CwAMQn10?"Qw P ~Vӣ֯_OPT*QV !HqU oeWM᫱l|"Z$KC 58+DDCv}-׾-[߹s'V}u"j :WS4"gMWuq EW̡=&d? $!(QkXbc]3m lEl6k/^x@b׮];~k ܖN{zzHRxRX,f1Ҩ}.\hS(!1" 'kQB(pI5 q),-Sk׮u~g;7->,}ӳuk6.L!e`_aFtBB4|SN!"U-zKGo~󛢵ӧOys&~_Gy$W.2 1\<J%<333dYfffru\i)J&2(%"GõAJC[sExVjGl_LEYc3ϴq>9RT*dxWwx6Rdh|*^z HWW׿BcHXEٿc̍9lw/~Eu$c1q8oXkOkϜ9sI@XpֹjPYׯ_?44t3V\#͒fGc̴RꂈWJ]p缈-"o>|S388?['4čUdk6yX,o>r_ L&rHFn@ 0N{]իW=lݺj%hxG.ȑ#Wbttc?Od2^.Ӎ#3J`纮d2J%LL?ȇ>!֭[׼ZOTbffIΟ?˗9y$J}ccc/~1ޞ,&be +w c-nݺg``?JA2@IDEsJ^y>/^OO6SSSq!5G( Ɉ*]p6n:庮=uꔮVkei=i; IENDB`gtkvncviewer-0.4/data/gtkvncviewer.glade0000644000175000017500000015155311126454125017155 0ustar clemclem GDK_POINTER_MOTION_MASK | GDK_POINTER_MOTION_HINT_MASK | GDK_BUTTON_PRESS_MASK | GDK_BUTTON_RELEASE_MASK gtkvncviewer gtkvncviewer_64.png GDK_WINDOW_TYPE_HINT_DIALOG True GDK_POINTER_MOTION_MASK | GDK_POINTER_MOTION_HINT_MASK | GDK_BUTTON_PRESS_MASK | GDK_BUTTON_RELEASE_MASK 7 13 True GDK_POINTER_MOTION_MASK | GDK_POINTER_MOTION_HINT_MASK | GDK_BUTTON_PRESS_MASK | GDK_BUTTON_RELEASE_MASK 20 True GDK_POINTER_MOTION_MASK | GDK_POINTER_MOTION_HINT_MASK | GDK_BUTTON_PRESS_MASK | GDK_BUTTON_RELEASE_MASK <big><b>Connect to a remote desktop (VNC)</b></big> True True True GDK_POINTER_MOTION_MASK | GDK_POINTER_MOTION_HINT_MASK | GDK_BUTTON_PRESS_MASK | GDK_BUTTON_RELEASE_MASK 0.94999998807907104 gtkvncviewer_64.png 6 False 5 1 False False True GDK_POINTER_MOTION_MASK | GDK_POINTER_MOTION_HINT_MASK | GDK_BUTTON_PRESS_MASK | GDK_BUTTON_RELEASE_MASK True GDK_POINTER_MOTION_MASK | GDK_POINTER_MOTION_HINT_MASK | GDK_BUTTON_PRESS_MASK | GDK_BUTTON_RELEASE_MASK 3 True GDK_POINTER_MOTION_MASK | GDK_POINTER_MOTION_HINT_MASK | GDK_BUTTON_PRESS_MASK | GDK_BUTTON_RELEASE_MASK _Server (:port): True serverEntry True GDK_POINTER_MOTION_MASK | GDK_POINTER_MOTION_HINT_MASK | GDK_BUTTON_PRESS_MASK | GDK_BUTTON_RELEASE_MASK _User name: True usernameEntry 1 True GDK_POINTER_MOTION_MASK | GDK_POINTER_MOTION_HINT_MASK | GDK_BUTTON_PRESS_MASK | GDK_BUTTON_RELEASE_MASK _Password: True pwdEntry 2 True GDK_POINTER_MOTION_MASK | GDK_POINTER_MOTION_HINT_MASK | GDK_BUTTON_PRESS_MASK | GDK_BUTTON_RELEASE_MASK 3 True True GDK_POINTER_MOTION_MASK | GDK_POINTER_MOTION_HINT_MASK | GDK_BUTTON_PRESS_MASK | GDK_BUTTON_RELEASE_MASK True True GDK_POINTER_MOTION_MASK | GDK_POINTER_MOTION_HINT_MASK | GDK_BUTTON_PRESS_MASK | GDK_BUTTON_RELEASE_MASK 10 1 True True GDK_POINTER_MOTION_MASK | GDK_POINTER_MOTION_HINT_MASK | GDK_BUTTON_PRESS_MASK | GDK_BUTTON_RELEASE_MASK False 10 2 1 False False 1 True GDK_POINTER_MOTION_MASK | GDK_POINTER_MOTION_HINT_MASK | GDK_BUTTON_PRESS_MASK | GDK_BUTTON_RELEASE_MASK 0 GTK_SHADOW_NONE True GDK_POINTER_MOTION_MASK | GDK_POINTER_MOTION_HINT_MASK | GDK_BUTTON_PRESS_MASK | GDK_BUTTON_RELEASE_MASK True True True GDK_POINTER_MOTION_MASK | GDK_POINTER_MOTION_HINT_MASK | GDK_BUTTON_PRESS_MASK | GDK_BUTTON_RELEASE_MASK True True True GDK_POINTER_MOTION_MASK | GDK_POINTER_MOTION_HINT_MASK | GDK_BUTTON_PRESS_MASK | GDK_BUTTON_RELEASE_MASK gtk-add GTK_RELIEF_NONE True 0 False True True True GDK_POINTER_MOTION_MASK | GDK_POINTER_MOTION_HINT_MASK | GDK_BUTTON_PRESS_MASK | GDK_BUTTON_RELEASE_MASK gtk-delete GTK_RELIEF_NONE True 0 False 1 False False True True GDK_POINTER_MOTION_MASK | GDK_POINTER_MOTION_HINT_MASK | GDK_BUTTON_PRESS_MASK | GDK_BUTTON_RELEASE_MASK gtk-connect True 0 1 True True GDK_POINTER_MOTION_MASK | GDK_POINTER_MOTION_HINT_MASK | GDK_BUTTON_PRESS_MASK | GDK_BUTTON_RELEASE_MASK GTK_POLICY_AUTOMATIC GTK_POLICY_AUTOMATIC True GDK_POINTER_MOTION_MASK | GDK_POINTER_MOTION_HINT_MASK | GDK_BUTTON_PRESS_MASK | GDK_BUTTON_RELEASE_MASK GTK_RESIZE_QUEUE True True GDK_POINTER_MOTION_MASK | GDK_POINTER_MOTION_HINT_MASK | GDK_BUTTON_PRESS_MASK | GDK_BUTTON_RELEASE_MASK GTK_ORIENTATION_HORIZONTAL 120 1 label_item False False 2 True GDK_POINTER_MOTION_MASK | GDK_POINTER_MOTION_HINT_MASK | GDK_BUTTON_PRESS_MASK | GDK_BUTTON_RELEASE_MASK False 4 True GDK_POINTER_MOTION_MASK | GDK_POINTER_MOTION_HINT_MASK | GDK_BUTTON_PRESS_MASK | GDK_BUTTON_RELEASE_MASK 12 GTK_BUTTONBOX_SPREAD True True True gtk-help True 0 True True True True GDK_POINTER_MOTION_MASK | GDK_POINTER_MOTION_HINT_MASK | GDK_BUTTON_PRESS_MASK | GDK_BUTTON_RELEASE_MASK gtk-quit True 0 1 True True True True GDK_POINTER_MOTION_MASK | GDK_POINTER_MOTION_HINT_MASK | GDK_BUTTON_PRESS_MASK | GDK_BUTTON_RELEASE_MASK gtk-about True 0 2 False False 5 GDK_POINTER_MOTION_MASK | GDK_POINTER_MOTION_HINT_MASK | GDK_BUTTON_PRESS_MASK | GDK_BUTTON_RELEASE_MASK 5 False True GTK_WIN_POS_CENTER_ON_PARENT True gtkvncviewer_64.png GDK_WINDOW_TYPE_HINT_DIALOG False Gtk VNC Viewer 0.2.3 (c) 2008 Clément Lorteau Small GTK tool to connect to VNC servers. http://launchpad.net/gtkvncviewer Visit website GNU GENERAL PUBLIC LICENSE Version 2, June 1991 Copyright (C) 1989, 1991 Free Software Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA Everyone is permitted to copy and distribute verbatim copies of this license document, but changing it is not allowed. Preamble The licenses for most software are designed to take away your freedom to share and change it. By contrast, the GNU General Public License is intended to guarantee your freedom to share and change free software--to make sure the software is free for all its users. This General Public License applies to most of the Free Software Foundation's software and to any other program whose authors commit to using it. (Some other Free Software Foundation software is covered by the GNU Lesser General Public License instead.) You can apply it to your programs, too. When we speak of free software, we are referring to freedom, not price. Our General Public Licenses are designed to make sure that you have the freedom to distribute copies of free software (and charge for this service if you wish), that you receive source code or can get it if you want it, that you can change the software or use pieces of it in new free programs; and that you know you can do these things. To protect your rights, we need to make restrictions that forbid anyone to deny you these rights or to ask you to surrender the rights. These restrictions translate to certain responsibilities for you if you distribute copies of the software, or if you modify it. For example, if you distribute copies of such a program, whether gratis or for a fee, you must give the recipients all the rights that you have. You must make sure that they, too, receive or can get the source code. And you must show them these terms so they know their rights. We protect your rights with two steps: (1) copyright the software, and (2) offer you this license which gives you legal permission to copy, distribute and/or modify the software. Also, for each author's protection and ours, we want to make certain that everyone understands that there is no warranty for this free software. If the software is modified by someone else and passed on, we want its recipients to know that what they have is not the original, so that any problems introduced by others will not reflect on the original authors' reputations. Finally, any free program is threatened constantly by software patents. We wish to avoid the danger that redistributors of a free program will individually obtain patent licenses, in effect making the program proprietary. To prevent this, we have made it clear that any patent must be licensed for everyone's free use or not licensed at all. The precise terms and conditions for copying, distribution and modification follow. GNU GENERAL PUBLIC LICENSE TERMS AND CONDITIONS FOR COPYING, DISTRIBUTION AND MODIFICATION 0. This License applies to any program or other work which contains a notice placed by the copyright holder saying it may be distributed under the terms of this General Public License. The "Program", below, refers to any such program or work, and a "work based on the Program" means either the Program or any derivative work under copyright law: that is to say, a work containing the Program or a portion of it, either verbatim or with modifications and/or translated into another language. (Hereinafter, translation is included without limitation in the term "modification".) Each licensee is addressed as "you". Activities other than copying, distribution and modification are not covered by this License; they are outside its scope. The act of running the Program is not restricted, and the output from the Program is covered only if its contents constitute a work based on the Program (independent of having been made by running the Program). Whether that is true depends on what the Program does. 1. You may copy and distribute verbatim copies of the Program's source code as you receive it, in any medium, provided that you conspicuously and appropriately publish on each copy an appropriate copyright notice and disclaimer of warranty; keep intact all the notices that refer to this License and to the absence of any warranty; and give any other recipients of the Program a copy of this License along with the Program. You may charge a fee for the physical act of transferring a copy, and you may at your option offer warranty protection in exchange for a fee. 2. You may modify your copy or copies of the Program or any portion of it, thus forming a work based on the Program, and copy and distribute such modifications or work under the terms of Section 1 above, provided that you also meet all of these conditions: a) You must cause the modified files to carry prominent notices stating that you changed the files and the date of any change. b) You must cause any work that you distribute or publish, that in whole or in part contains or is derived from the Program or any part thereof, to be licensed as a whole at no charge to all third parties under the terms of this License. c) If the modified program normally reads commands interactively when run, you must cause it, when started running for such interactive use in the most ordinary way, to print or display an announcement including an appropriate copyright notice and a notice that there is no warranty (or else, saying that you provide a warranty) and that users may redistribute the program under these conditions, and telling the user how to view a copy of this License. (Exception: if the Program itself is interactive but does not normally print such an announcement, your work based on the Program is not required to print an announcement.) These requirements apply to the modified work as a whole. If identifiable sections of that work are not derived from the Program, and can be reasonably considered independent and separate works in themselves, then this License, and its terms, do not apply to those sections when you distribute them as separate works. But when you distribute the same sections as part of a whole which is a work based on the Program, the distribution of the whole must be on the terms of this License, whose permissions for other licensees extend to the entire whole, and thus to each and every part regardless of who wrote it. Thus, it is not the intent of this section to claim rights or contest your rights to work written entirely by you; rather, the intent is to exercise the right to control the distribution of derivative or collective works based on the Program. In addition, mere aggregation of another work not based on the Program with the Program (or with a work based on the Program) on a volume of a storage or distribution medium does not bring the other work under the scope of this License. 3. You may copy and distribute the Program (or a work based on it, under Section 2) in object code or executable form under the terms of Sections 1 and 2 above provided that you also do one of the following: a) Accompany it with the complete corresponding machine-readable source code, which must be distributed under the terms of Sections 1 and 2 above on a medium customarily used for software interchange; or, b) Accompany it with a written offer, valid for at least three years, to give any third party, for a charge no more than your cost of physically performing source distribution, a complete machine-readable copy of the corresponding source code, to be distributed under the terms of Sections 1 and 2 above on a medium customarily used for software interchange; or, c) Accompany it with the information you received as to the offer to distribute corresponding source code. (This alternative is allowed only for noncommercial distribution and only if you received the program in object code or executable form with such an offer, in accord with Subsection b above.) The source code for a work means the preferred form of the work for making modifications to it. For an executable work, complete source code means all the source code for all modules it contains, plus any associated interface definition files, plus the scripts used to control compilation and installation of the executable. However, as a special exception, the source code distributed need not include anything that is normally distributed (in either source or binary form) with the major components (compiler, kernel, and so on) of the operating system on which the executable runs, unless that component itself accompanies the executable. If distribution of executable or object code is made by offering access to copy from a designated place, then offering equivalent access to copy the source code from the same place counts as distribution of the source code, even though third parties are not compelled to copy the source along with the object code. 4. You may not copy, modify, sublicense, or distribute the Program except as expressly provided under this License. Any attempt otherwise to copy, modify, sublicense or distribute the Program is void, and will automatically terminate your rights under this License. However, parties who have received copies, or rights, from you under this License will not have their licenses terminated so long as such parties remain in full compliance. 5. You are not required to accept this License, since you have not signed it. However, nothing else grants you permission to modify or distribute the Program or its derivative works. These actions are prohibited by law if you do not accept this License. Therefore, by modifying or distributing the Program (or any work based on the Program), you indicate your acceptance of this License to do so, and all its terms and conditions for copying, distributing or modifying the Program or works based on it. 6. Each time you redistribute the Program (or any work based on the Program), the recipient automatically receives a license from the original licensor to copy, distribute or modify the Program subject to these terms and conditions. You may not impose any further restrictions on the recipients' exercise of the rights granted herein. You are not responsible for enforcing compliance by third parties to this License. 7. If, as a consequence of a court judgment or allegation of patent infringement or for any other reason (not limited to patent issues), conditions are imposed on you (whether by court order, agreement or otherwise) that contradict the conditions of this License, they do not excuse you from the conditions of this License. If you cannot distribute so as to satisfy simultaneously your obligations under this License and any other pertinent obligations, then as a consequence you may not distribute the Program at all. For example, if a patent license would not permit royalty-free redistribution of the Program by all those who receive copies directly or indirectly through you, then the only way you could satisfy both it and this License would be to refrain entirely from distribution of the Program. If any portion of this section is held invalid or unenforceable under any particular circumstance, the balance of the section is intended to apply and the section as a whole is intended to apply in other circumstances. It is not the purpose of this section to induce you to infringe any patents or other property right claims or to contest validity of any such claims; this section has the sole purpose of protecting the integrity of the free software distribution system, which is implemented by public license practices. Many people have made generous contributions to the wide range of software distributed through that system in reliance on consistent application of that system; it is up to the author/donor to decide if he or she is willing to distribute software through any other system and a licensee cannot impose that choice. This section is intended to make thoroughly clear what is believed to be a consequence of the rest of this License. 8. If the distribution and/or use of the Program is restricted in certain countries either by patents or by copyrighted interfaces, the original copyright holder who places the Program under this License may add an explicit geographical distribution limitation excluding those countries, so that distribution is permitted only in or among countries not thus excluded. In such case, this License incorporates the limitation as if written in the body of this License. 9. The Free Software Foundation may publish revised and/or new versions of the General Public License from time to time. Such new versions will be similar in spirit to the present version, but may differ in detail to address new problems or concerns. Each version is given a distinguishing version number. If the Program specifies a version number of this License which applies to it and "any later version", you have the option of following the terms and conditions either of that version or of any later version published by the Free Software Foundation. If the Program does not specify a version number of this License, you may choose any version ever published by the Free Software Foundation. 10. If you wish to incorporate parts of the Program into other free programs whose distribution conditions are different, write to the author to ask for permission. For software which is copyrighted by the Free Software Foundation, write to the Free Software Foundation; we sometimes make exceptions for this. Our decision will be guided by the two goals of preserving the free status of all derivatives of our free software and of promoting the sharing and reuse of software generally. NO WARRANTY 11. BECAUSE THE PROGRAM IS LICENSED FREE OF CHARGE, THERE IS NO WARRANTY FOR THE PROGRAM, TO THE EXTENT PERMITTED BY APPLICABLE LAW. EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT HOLDERS AND/OR OTHER PARTIES PROVIDE THE PROGRAM "AS IS" WITHOUT WARRANTY OF ANY KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE PROGRAM IS WITH YOU. SHOULD THE PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF ALL NECESSARY SERVICING, REPAIR OR CORRECTION. 12. IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MAY MODIFY AND/OR REDISTRIBUTE THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES, INCLUDING ANY GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING OUT OF THE USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED TO LOSS OF DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER PROGRAMS), EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF SUCH DAMAGES. END OF TERMS AND CONDITIONS How to Apply These Terms to Your New Programs If you develop a new program, and you want it to be of the greatest possible use to the public, the best way to achieve this is to make it free software which everyone can redistribute and change under these terms. To do so, attach the following notices to the program. It is safest to attach them to the start of each source file to most effectively convey the exclusion of warranty; and each file should have at least the "copyright" line and a pointer to where the full notice is found. <one line to give the program's name and a brief idea of what it does.> Copyright (C) <year> <name of author> This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation; either version 2 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program; if not, write to the Free Software Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA. Also add information on how to contact you by electronic and paper mail. If the program is interactive, make it output a short notice like this when it starts in an interactive mode: Gnomovision version 69, Copyright (C) year name of author Gnomovision comes with ABSOLUTELY NO WARRANTY; for details type `show w'. This is free software, and you are welcome to redistribute it under certain conditions; type `show c' for details. The hypothetical commands `show w' and `show c' should show the appropriate parts of the General Public License. Of course, the commands you use may be called something other than `show w' and `show c'; they could even be mouse-clicks or menu items--whatever suits your program. You should also get your employer (if you work as a programmer) or your school, if any, to sign a "copyright disclaimer" for the program, if necessary. Here is a sample; alter the names: Yoyodyne, Inc., hereby disclaims all copyright interest in the program `Gnomovision' (which makes passes at compilers) written by James Hacker. <signature of Ty Coon>, 1 April 1989 Ty Coon, President of Vice This General Public License does not permit incorporating your program into proprietary programs. If your program is a subroutine library, you may consider it more useful to permit linking proprietary applications with the library. If this is what you want to do, use the GNU Lesser General Public License instead of this License. Brazilian Portuguese: Allan Lopes Danish: Jeppe Toustrup Dutch: ubby English (United Kingdom): Nicholas Wastell French: Clément Lorteau German: Maximilian Reininghaus Hebrew: Yaron Italian: Matteo Ferrabone Lithuanian: zolookas Polish: Kamil Skrzypiński Russian: Sergei Zivukov Simplified Chinese: Tao Wei Spanish: AlexZelder gtkvncviewer_128.png True GDK_POINTER_MOTION_MASK | GDK_POINTER_MOTION_HINT_MASK | GDK_BUTTON_PRESS_MASK | GDK_BUTTON_RELEASE_MASK 2 True GDK_POINTER_MOTION_MASK | GDK_POINTER_MOTION_HINT_MASK | GDK_BUTTON_PRESS_MASK | GDK_BUTTON_RELEASE_MASK GTK_BUTTONBOX_END False GTK_PACK_END GDK_POINTER_MOTION_MASK | GDK_POINTER_MOTION_HINT_MASK | GDK_BUTTON_PRESS_MASK | GDK_BUTTON_RELEASE_MASK gtkvncviewer_64.png True GDK_POINTER_MOTION_MASK | GDK_POINTER_MOTION_HINT_MASK | GDK_BUTTON_PRESS_MASK | GDK_BUTTON_RELEASE_MASK True GDK_POINTER_MOTION_MASK | GDK_POINTER_MOTION_HINT_MASK | GDK_BUTTON_PRESS_MASK | GDK_BUTTON_RELEASE_MASK 5 True True True GDK_POINTER_MOTION_MASK | GDK_POINTER_MOTION_HINT_MASK | GDK_BUTTON_PRESS_MASK | GDK_BUTTON_RELEASE_MASK gtk-disconnect GTK_RELIEF_NONE True 0 False True True True GTK_RELIEF_NONE 0 True True gtk-edit False False True _Send keys True 1 False False 1 True True True gtk-fullscreen GTK_RELIEF_NONE True 0 False 2 True True True GDK_POINTER_MOTION_MASK | GDK_POINTER_MOTION_HINT_MASK | GDK_BUTTON_PRESS_MASK | GDK_BUTTON_RELEASE_MASK GTK_RELIEF_NONE 0 True GDK_POINTER_MOTION_MASK | GDK_POINTER_MOTION_HINT_MASK | GDK_BUTTON_PRESS_MASK | GDK_BUTTON_RELEASE_MASK 1 True GDK_POINTER_MOTION_MASK | GDK_POINTER_MOTION_HINT_MASK | GDK_BUTTON_PRESS_MASK | GDK_BUTTON_RELEASE_MASK gtk-save False True GDK_POINTER_MOTION_MASK | GDK_POINTER_MOTION_HINT_MASK | GDK_BUTTON_PRESS_MASK | GDK_BUTTON_RELEASE_MASK _Screenshot True False 1 False 3 True True True GTK_RELIEF_NONE 0 True True gtk-save-as False False True _Make icon on desktop True 1 False False 4 True GDK_POINTER_MOTION_MASK | GDK_POINTER_MOTION_HINT_MASK | GDK_BUTTON_PRESS_MASK | GDK_BUTTON_RELEASE_MASK 0.94999998807907104 label True 5 False True GDK_ENTER_NOTIFY_MASK | GDK_STRUCTURE_MASK GDK_EXTENSION_EVENTS_CURSOR True prout True Toolbar False False True 0.0099999997764825821 GTK_ARROW_UP False 1 False False 1 True True GDK_POINTER_MOTION_MASK | GDK_POINTER_MOTION_HINT_MASK | GDK_BUTTON_PRESS_MASK | GDK_BUTTON_RELEASE_MASK GTK_POLICY_AUTOMATIC GTK_POLICY_AUTOMATIC GTK_SHADOW_ETCHED_IN True GDK_POINTER_MOTION_MASK | GDK_POINTER_MOTION_HINT_MASK | GDK_BUTTON_PRESS_MASK | GDK_BUTTON_RELEASE_MASK GTK_RESIZE_QUEUE GTK_SHADOW_ETCHED_IN 2 True True True Ctrl+_Escape True True gtk-execute True Ctrl+Alt+_Backspace True True gtk-disconnect True Ctrl+Alt+_Delete True True gtk-dialog-authentication gtkvncviewer-0.4/data/gtkvncviewer.desktop0000644000175000017500000000032711126450141017534 0ustar clemclem[Desktop Entry] Name=Gtk VNC Viewer Comment=Connect to your VNC servers Exec=gtkvncviewer Icon=/usr/share/gtkvncviewer/data/gtkvncviewer_64.png StartupNotify=true Terminal=false Type=Application Categories=Network; gtkvncviewer-0.4/data/gtkvncviewer_128.png0000644000175000017500000002616411126450141017250 0ustar clemclemPNG  IHDR>asRGBbKGD pHYs  tIME :W IDATx}{l\י;ΓÙC$,J%EcRq;:[wkqn- v@[I Zā6z)REr8=;3 )zX;wÙ}C3>l3~ADoE o}[wgy&>h?&g淉{zn=V(> @x<1˗qiD:n,=wp~:8̏ X ۷oǎ;0667Vi\x:.]`'_y啟Ivtt|ʒGcDQbΝ/#HRVrs4"z@0FGG ߴi6RJJ%EE 2 JP`bnkhy Bt230mۆ1ر7on RJR:3 N:۷c``nfг>[~dfA8oٲy~RFv73cccغu+t]o z\xc>_t]qhc X [Xf5 }^W1p9UĥTө,  Ž84鿣Va<쳛h?3Rـo޼|ttP)n j(L01W"+P$ !"qGWQJigb6<!#6JD"v؁;v`ttMw{` U|x% 3y\L+" TY@5AYǼ1FA_ۿ"xg4M{)7nt1b1ϩpT3>GW87\ !Lɮ("HPC(˜Ҭ`@IP̀ h  $<3`0]@RBfkMwKpŌ\JëY|x9l)ULD QP"< ϱ7 A4 h_|1PT=:Nێ;L&}ӫJX,.+TLgPJX꼢&hю(1 E^ a px `+4S ;QZ"۷oǃ>1>T*5Οg85K JU PU2* @Ɏ0 hE=iPJA)ͥ|f͓APK!z]]]7!DWU_e&prr''Rr @2@ e+,늅썣 $PT,@"Uɐ ^߮$h?:_WD|e( E&!Gߍ$BN$ (fR&`(

EiW }E{Ҿ-RNc|8OHq92A\$.股Fw|ґ+U0$z= PВp2NHf #Lbǎطo;̙38}40;Dec`R\ JtZK!- d`x]~P#-T|u7߃jmk_6oތ<x077SN8}4haYZ-p0XrGcM>}^ t?k8גh1QSۯ1-wg;w>Cx衇l N<3g̙3,`za84M6oތВ5zն!גx/_fnT*aaaxha`zzHpHg}}}ؿ?`jj N™3gpYLLL`bboL&4%Ke6Αn{#Tu^@(Ws=D"`fl6l6 "HM裏111ᘋϟx0220}, 'UQ[K#\1h6jjZC p!axx>Ο??{?GG_~S+ P|w[:~6 R*Xڵ d`vT FFFO0 ;w1}QaHD (%7_zsO,m PʥVV4j6Hj!'@* * B܄uu88W+!.2DtT)櫯:u[5[-2H7TZ(1W^ /J_b bcW]l #DJD C@ ;w:I\vӧOcbbbB`||}oxSJÇܲkVnޕV^M3udV@v"Xa],#E$|ݠb&B$A(r gٳ98{,N:Qf'{޴[Z%3}n:juicp$e4)ap]'"rEJ(*87_d, a'MQܵ.Έ^T*!Mh{/^pf;gΜ+WsϽ+xJ)ÇL@D ԛTK+v ?LIw!~ 4:Zb%,KHeȗ*̗p)U?~4]A FqW_ w zv݄pwvvb޽ػw/`aaR9sF5MM_:ttsh0r9~ (IM76 A4kX FZBGg=\*ʕPVN1P?~4-}N'NGR BBn""L֤ggg qƒo3BG>w9`׹W\qH6=@DϟύeEGw<3p…?sf>o+b8 !-ܘ+ي^+f9z?tHC ]%*BTt32Bb&w/@58F7tbl mYgik" PJabb ;Ϟ=U.a||*/WVvxeɸf}DZ B9w^jkI HF]1#Y. ?F>BI\;w/CE-}1$v & mY͛7cxǜɓ'q~fO=^y啓4+ pڱkikEm_ -5Pl:0[nQKL`3I("edBRR(FsR:.` aPv %kShiڝ$"h[bddx}Y֬xTUPczRK?r4В@y:'uwqb17\0;3jŀ$`R'20ہ]CI|bS> =!ߴdm۶yX}udNZ. 0JFi 4~JnD 7:kdXb0|h+,❈':ѹeR:rWpuf\#9~g Dd;=܅]C]I[i C}"f"*I(ɍ5@3uu]2kK l`ur>Ya!@NtmBU2 ,rGY̗.@6ݮ]s!lnP\_xHw[!]$..D2x2u%( (̣p-4G> -N5{;B^ mKH ߉=% :LdF5m I .@p}E&s,5 "@nވ陫07ht̂O$ٛ>@a BͪK}QCcZ?5\&MB\P:%PU7hdPQ{>>vCU,[&}5#|-Dkň&pi71x=Hh& ̯j&ќ-~ܶ0 4MXMk[yd@U1QV68[Z,Th@C2|^:X` X Pe34!Z, [#{c&/ hVuBI5VZm:nfBP((`+?Nd IP@)D BHD϶5vM A &H”~reXBk ЊP0m&4K71[/9(`,5 h n5h~*Va.k&@̋U ̕64ۻ¿d2(T !Ь% 6hCyU+I$-Ns;Q b(   @5@K ib[7#G"ki Fl zk`̗fKҴ&ב;j9\R@MBc[嬮YKmDZ Đ.ϟEVj>IRr_db\)H%7~6 : r 2kHVRm?@{lw?&bS •tKk˛Z@k.ֿ%lZkMhД0g('l,G7beWz,1[4L[yfNoc1 fvGR9^?֏:@eH%抆f,i%Gj%dfEd>W al^ ɜ+hl5ey{n6j@Z!^`'P&T/|M& Hċ5Kd*.UpC|/mUH )x^ !eg5EPkW0;}zK|O5Tֹ>M$x7" r4AH $7π``0AaZ97L_E2f mH~P*.PAeڈ' .g Zkz@£<4![p5E$<"I0F PT9LdD\J[v FsE 4\c|M$+A<@1VG"TCP(,^IS)7槮Azi͙R$2l?=Ml[ x:}ޭtDəlZ2/x%;1I^w`E`|BU-9 Zy #>-rzkJ%|}݇X,ttt ֬ }aUŠ$f~~7- ,*vAR1 e5]/pOhFt_n:gn+[D3;eR)g?kX DDxX bFFaK) f-j|U-?3޹hDbJ)GvXCo|n$[T٤H&i]BLsEĸe/(x}j&>$kU 0CK.T^=CD눨{=zZi:3U4Z@Xdf*{9 ogg֔S7h-Ptz5z4MUJ zZu:Bm_l%5^tz͚+ k^ hw|[ߪb=O?t0 GRׇ$AH`^+-Ўܝ#LOd]yGj_WsKP5r*|N[ڛU$GPX횇7XD&`UoHhvLcBHHoX1F+ mέT34u'YA K-黥 %A*|v%#*9^}xK@)7~?6 (r{jo}y~L)[| _ =_woծ_`/k(4dVWesMLIBb:xMA9{ @`H)5C )vV*Q]׵k]/3^52gB(g CgnL"SO3s?RD4̃B\3;+m.]Zrv\\zǷY3, 17x5]׷ѰRjf&y lb\ qtvv6W^uհLn&o ]@m$NK؍B+>N23"SD4E,sٕ-[[U [-!YdM%8}-k & H}/Vdmh{A8F2D"@WW$4Mٵf˨7+yO #X5VKf*k4j5-iGTBPh[4@;g1ek)ehdw:aU5yOw}wP۵իݵ jدs2CK/0CBU6X: !^{ GT/NZE\FRiWW n"=$ߜ "aBB KХ 4Iª h }>;;uw޹bb{9! " XW՚~B 5>RRDk: 1С:!1\7ai !,&sR)(͝ ,͕WY> 5;hjxvݏ__Oڶm6l؀p8ĩM-`{cKݐ )$AA*aNyd RXPҼ%Vo$sU" d տuA4}"T~''0>C?Ɏ/e2o{7]mۆ7DhS#ih%ʀ2$a RJS#)R +k}>sgJN xjr x?LNN399DӃd2xWo#_YzW#w=@`iw"ڒ7 IoQv4{[zPHRjE G Aرccǎ-|]:]N"se%V? lf@3mnڵk_ #H{Ώ9gPC|+heV~5u0[.Q(P,Q(dN)-dB  0v}\;Ji?2 r42 "J< ND 7!shl 7ovj# 0Lns"dV0ó٬#b|~V,9o|~V uY`4 ép@ssjpPh(0h,`g)fZ }饗+twBE[sn퐯X,6Lnj6;Vr6ps15"#Y)90}MݨDM=~_Fa Z:`fl6)؀)fh_p&nyܹjt:l|=~v kzH x 7⵷~7=:ta||f~av(Xֶ$Obݎׯ?hOb}F%LC~ _|ŀrc&y}'?yFFF׊e퐠NViX\l#&"@ooo jx7xG¹\nB VhDC7wQADbEgf$I;xܤ#+T/ݶ؋+E! #7!ZjvH`M6} !~?OSwzڹi:"BGGG[qjx_K6x#"(g.2$MX @`ordoGJ}|83i'n[5 i%!@WW@N!:Yl6l6+zhO9R~:KD|?B|i|;$0!+ "~f g7mod]]]ef r9dYr}rRʝv_җa}0Mi{?4s!^ QR! S6^KP({f3XXX,N8|>[LSk՜@PЉfuײ Q%haaa2#J ւH@0D4/~ ?3'&@,`jUMдӸJvo! fffBMV# "8s*B$Q۶`1E[bޫ,-T? BA+i/'x;w\P[ֶmH$RoKEbʹƌf.!|f\@&ɼ=888,qi`4qGy]meulI_p^pFHN^~G7h=a8pVL}S\hT>Z?9NlѣGqܹJov< *شiSl׮]/-貉CaӦMm`9݆dRɓr$Hꫯ|ICCC={|- " xO|Wmk*{=9lPgA>lj'pNRDDJJʹs˛o9ۮH,;ƾF_ a;y{E,k @<_rx";'O @aJToYR5=vtt|3b5MGDuv޽{q]w9v:H (JHӸz*Ν;'N J5 {SSS9rdȥn^]^{N&/?AD}݇O}Sظqcu{{)Jӽ󘙙KP(Jw?_XX~-^*!VdXt{7u #m; kr 6ڣRbg?~xGb9f'ݗ/~|^ӴǙ95S" Eh3++yRLr~L{jq[˽X3Зy]pLWf.)Zb/ p+i  ./IENDB`