source: skype/skyped.py @ bd85ec5

Last change on this file since bd85ec5 was bd85ec5, checked in by Miklos Vajna <vmiklos@…>, at 2008-05-16T11:09:24Z

skyped: close the socket on read/write error

  • it turns out that once we have a read/write error we can never use the socket again so just close it then bitlbee will reconnect properly
  • Property mode set to 100644
File size: 7.9 KB
Line 
1#!/usr/bin/env python
2#
3#   skyped.py
4
5#   Copyright (c) 2007, 2008 by Miklos Vajna <vmiklos@frugalware.org>
6#
7#   This program is free software; you can redistribute it and/or modify
8#   it under the terms of the GNU General Public License as published by
9#   the Free Software Foundation; either version 2 of the License, or
10#   (at your option) any later version.
11#
12#   This program is distributed in the hope that it will be useful,
13#   but WITHOUT ANY WARRANTY; without even the implied warranty of
14#   MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
15#   GNU General Public License for more details.
16
17#   You should have received a copy of the GNU General Public License
18#   along with this program; if not, write to the Free Software
19#   Foundation, Inc., 59 Temple Place - Suite 330, Boston, MA 02111-1307,
20#   USA.
21#
22
23import sys
24import os
25import signal
26import locale
27import time
28import gobject
29import socket
30import getopt
31import Skype4Py
32import sha
33from ConfigParser import ConfigParser
34from traceback import print_exception
35
36__version__ = "0.1.1"
37
38SKYPE_SERVICE = 'com.Skype.API'
39CLIENT_NAME = 'SkypeApiPythonShell'
40
41def eh(type, value, tb):
42        if type != KeyboardInterrupt:
43                print_exception(type, value, tb)
44        gobject.MainLoop().quit()
45        skype.skype.Client.Shutdown()
46        sys.exit("Exiting.")
47
48sys.excepthook = eh
49
50def input_handler(fd, io_condition):
51        global options
52        if options.buf:
53                for i in options.buf:
54                        skype.send(i.strip())
55                options.buf = None
56        else:
57                try:
58                        input = fd.recv(1024)
59                except Exception, s:
60                        dprint("Warning, receiving 1024 bytes failed (%s)." % s)
61                        fd.close()
62                        return False
63                for i in input.split("\n"):
64                        skype.send(i.strip())
65                return True
66
67def idle_handler(skype):
68        try:
69                c = skype.skype.Command("PING", Block=True)
70                skype.skype.SendCommand(c)
71        except Skype4Py.SkypeAPIError, s:
72                dprint("Warning, pinging Skype failed (%s)." % (s))
73        return True
74
75def server(host, port):
76        global options
77        try:
78                if "SKYPED_NO_GNUTLS" in os.environ.keys():
79                        dprint("Warning, using OpenSSL instead of gnutls as requested (not recommended).")
80                        raise ImportError
81                from gnutls import crypto, connection
82                cert = crypto.X509Certificate(open(options.config.sslcert).read())
83                key = crypto.X509PrivateKey(open(options.config.sslkey).read())
84                cred = connection.X509Credentials(cert, key)
85                sock = connection.ServerSessionFactory(socket.socket(), cred)
86        except ImportError:
87                from OpenSSL import SSL
88                ctx = SSL.Context(SSL.TLSv1_METHOD)
89                ctx.use_privatekey_file(options.config.sslkey)
90                ctx.use_certificate_file(options.config.sslcert)
91                sock = SSL.Connection(ctx, socket.socket())
92        sock.setsockopt(socket.SOL_SOCKET, socket.SO_REUSEADDR, 1)
93        sock.bind((host, port))
94        sock.listen(1)
95        gobject.io_add_watch(sock, gobject.IO_IN, listener)
96
97def listener(sock, *args):
98        global options
99        options.conn, addr = sock.accept()
100        if hasattr(options.conn, 'handshake'):
101                options.conn.handshake()
102        ret = 0
103        line = options.conn.recv(1024)
104        if line.startswith("USERNAME") and line.split(' ')[1].strip() == options.config.username:
105                ret += 1
106        line = options.conn.recv(1024)
107        if line.startswith("PASSWORD") and sha.sha(line.split(' ')[1].strip()).hexdigest() == options.config.password:
108                ret += 1
109        if ret == 2:
110                dprint("Username and password OK.")
111                options.conn.send("PASSWORD OK\n")
112                gobject.io_add_watch(options.conn, gobject.IO_IN, input_handler)
113                return True
114        else:
115                dprint("Username and/or password WRONG.")
116                options.conn.send("PASSWORD KO\n")
117                return False
118
119def dprint(msg):
120        global options
121
122        if options.debug:
123                print msg
124
125class SkypeApi:
126        def __init__(self):
127                self.skype = Skype4Py.Skype()
128                self.skype.OnNotify = self.recv
129                self.skype.Client.Start()
130
131        def recv(self, msg_text):
132                global options
133                if msg_text == "PONG":
134                        return
135                if "\n" in msg_text:
136                        # crappy skype prefixes only the first line for
137                        # multiline messages so we need to do so for the other
138                        # lines, too. this is something like:
139                        # 'CHATMESSAGE id BODY first line\nsecond line' ->
140                        # 'CHATMESSAGE id BODY first line\nCHATMESSAGE id BODY second line'
141                        prefix = " ".join(msg_text.split(" ")[:3])
142                        msg_text = ["%s %s" % (prefix, i) for i in " ".join(msg_text.split(" ")[3:]).split("\n")]
143                else:
144                        msg_text = [msg_text]
145                for i in msg_text:
146                        # use utf-8 here to solve the following problem:
147                        # people use env vars like LC_ALL=en_US (latin1) then
148                        # they complain about why can't they receive latin2
149                        # messages.. so here it is: always use utf-8 then
150                        # everybody will be happy
151                        e = i.encode('UTF-8')
152                        dprint('<< ' + e)
153                        if options.conn:
154                                try:
155                                        options.conn.send(e + "\n")
156                                except Exception, s:
157                                        dprint("Warning, sending '%s' failed (%s)." % (e, s))
158                                        options.conn.close()
159
160        def send(self, msg_text):
161                if not len(msg_text):
162                        return
163                e = msg_text.decode(locale.getdefaultlocale()[1])
164                dprint('>> ' + e)
165                try:
166                        c = self.skype.Command(e, Block=True)
167                        self.skype.SendCommand(c)
168                        self.recv(c.Reply)
169                except Skype4Py.SkypeError:
170                        pass
171                except Skype4Py.SkypeAPIError, s:
172                        dprint("Warning, sending '%s' failed (%s)." % (e, s))
173
174class Options:
175        def __init__(self):
176                self.cfgpath = "/usr/local/etc/skyped/skyped.conf"
177                self.daemon = True
178                self.debug = False
179                self.help = False
180                self.host = "0.0.0.0"
181                self.port = 2727
182                self.version = False
183                # well, this is a bit hackish. we store the socket of the last connected client
184                # here and notify it. maybe later notify all connected clients?
185                self.conn = None
186                # this will be read first by the input handler
187                self.buf = None
188
189
190        def usage(self, ret):
191                print """Usage: skyped [OPTION]...
192
193skyped is a daemon that acts as a tcp server on top of a Skype instance.
194
195Options:
196        -c      --config        path to configuration file (default: %s)
197        -d      --debug         enable debug messages
198        -h      --help          this help
199        -H      --host          set the tcp host (default: %s)
200        -n      --nofork        don't run as daemon in the background
201        -p      --port          set the tcp port (default: %d)
202        -v      --version       display version information""" % (self.cfgpath, self.host, self.port)
203                sys.exit(ret)
204
205if __name__=='__main__':
206        options = Options()
207        try:
208                opts, args = getopt.getopt(sys.argv[1:], "c:dhH:np:v", ["config=", "daemon", "help", "host=", "nofork", "port=", "version"])
209        except getopt.GetoptError:
210                options.usage(1)
211        for opt, arg in opts:
212                if opt in ("-c", "--config"):
213                        options.cfgpath = arg
214                elif opt in ("-d", "--debug"):
215                        options.debug = True
216                elif opt in ("-h", "--help"):
217                        options.help = True
218                elif opt in ("-H", "--host"):
219                        options.host = arg
220                elif opt in ("-n", "--nofork"):
221                        options.daemon = False
222                elif opt in ("-p", "--port"):
223                        options.port = arg
224                elif opt in ("-v", "--version"):
225                        options.version = True
226        if options.help:
227                options.usage(0)
228        elif options.version:
229                print "skyped %s" % __version__
230                sys.exit(0)
231        # parse our config
232        if not os.path.exists(options.cfgpath):
233                print "Can't find configuration file at '%s'." % options.cfgpath
234                print "Use the -c option to specify an alternate one."
235                sys.exit(1)
236        options.config = ConfigParser()
237        options.config.read(options.cfgpath)
238        options.config.username = options.config.get('skyped', 'username').split('#')[0]
239        options.config.password = options.config.get('skyped', 'password').split('#')[0]
240        options.config.sslkey = options.config.get('skyped', 'key').split('#')[0]
241        options.config.sslcert = options.config.get('skyped', 'cert').split('#')[0]
242        dprint("Parsing config file '%s' done, username is '%s'." % (options.cfgpath, options.config.username))
243        if options.daemon:
244                pid = os.fork()
245                if pid == 0:
246                        nullin = file('/dev/null', 'r')
247                        nullout = file('/dev/null', 'w')
248                        os.dup2(nullin.fileno(), sys.stdin.fileno())
249                        os.dup2(nullout.fileno(), sys.stdout.fileno())
250                        os.dup2(nullout.fileno(), sys.stderr.fileno())
251                else:
252                        print 'skyped is started on port %s, pid: %d' % (options.port, pid)
253                        sys.exit(0)
254        server(options.host, options.port)
255        try:
256                skype = SkypeApi()
257        except Skype4Py.SkypeAPIError, s:
258                sys.exit("%s. Are you sure you have started Skype?" % s)
259        gobject.timeout_add(2000, idle_handler, skype)
260        gobject.MainLoop().run()
Note: See TracBrowser for help on using the repository browser.