source: util.c @ d4927a7

release-1.10release-1.8release-1.9
Last change on this file since d4927a7 was d4927a7, checked in by Anders Kaseorg <andersk@mit.edu>, 13 years ago
Replace owl_strdup with g_strdup. Signed-off-by: Anders Kaseorg <andersk@mit.edu> Reviewed-by: Karl Ramm <kcr@mit.edu>
  • Property mode set to 100644
File size: 20.0 KB
Line 
1#include "owl.h"
2#include <stdlib.h>
3#include <string.h>
4#include <unistd.h>
5#include <ctype.h>
6#include <pwd.h>
7#include <sys/stat.h>
8#include <sys/types.h>
9#include <assert.h>
10#include <stdarg.h>
11#include <glib.h>
12#include <glib/gstdio.h>
13#include <glib-object.h>
14
15const char *skiptokens(const char *buff, int n) {
16  /* skips n tokens and returns where that would be. */
17  char quote = 0;
18  while (*buff && n>0) {
19      while (*buff == ' ') buff++;
20      while (*buff && (quote || *buff != ' ')) {
21        if(quote) {
22          if(*buff == quote) quote = 0;
23        } else if(*buff == '"' || *buff == '\'') {
24          quote = *buff;
25        }
26        buff++;
27      }
28      while (*buff == ' ') buff++;
29      n--;
30  }
31  return buff;
32}
33
34/* Return a "nice" version of the path.  Tilde expansion is done, and
35 * duplicate slashes are removed.  Caller must free the return.
36 */
37char *owl_util_makepath(const char *in)
38{
39  int i, j, x;
40  char *out, user[MAXPATHLEN];
41  struct passwd *pw;
42
43  out=g_new(char, MAXPATHLEN+1);
44  out[0]='\0';
45  j=strlen(in);
46  x=0;
47  for (i=0; i<j; i++) {
48    if (in[i]=='~') {
49      if ( (i==(j-1)) ||          /* last character */
50           (in[i+1]=='/') ) {     /* ~/ */
51        /* use my homedir */
52        pw=getpwuid(getuid());
53        if (!pw) {
54          out[x]=in[i];
55        } else {
56          out[x]='\0';
57          strcat(out, pw->pw_dir);
58          x+=strlen(pw->pw_dir);
59        }
60      } else {
61        /* another user homedir */
62        int a, b;
63        b=0;
64        for (a=i+1; i<j; a++) {
65          if (in[a]==' ' || in[a]=='/') {
66            break;
67          } else {
68            user[b]=in[a];
69            i++;
70            b++;
71          }
72        }
73        user[b]='\0';
74        pw=getpwnam(user);
75        if (!pw) {
76          out[x]=in[i];
77        } else {
78          out[x]='\0';
79          strcat(out, pw->pw_dir);
80          x+=strlen(pw->pw_dir);
81        }
82      }
83    } else if (in[i]=='/') {
84      /* check for a double / */
85      if (i<(j-1) && (in[i+1]=='/')) {
86        /* do nothing */
87      } else {
88        out[x]=in[i];
89        x++;
90      }
91    } else {
92      out[x]=in[i];
93      x++;
94    }
95  }
96  out[x]='\0';
97  return(out);
98}
99
100void owl_parse_delete(char **argv, int argc)
101{
102  g_strfreev(argv);
103}
104
105char **owl_parseline(const char *line, int *argc)
106{
107  /* break a command line up into argv, argc.  The caller must free
108     the returned values.  If there is an error argc will be set to
109     -1, argv will be NULL and the caller does not need to free
110     anything. The returned vector is NULL-terminated. */
111
112  GPtrArray *argv;
113  int i, len, between=1;
114  GString *curarg;
115  char quote;
116
117  argv = g_ptr_array_new();
118  len=strlen(line);
119  curarg = g_string_new("");
120  quote='\0';
121  *argc=0;
122  for (i=0; i<len+1; i++) {
123    /* find the first real character */
124    if (between) {
125      if (line[i]==' ' || line[i]=='\t' || line[i]=='\0') {
126        continue;
127      } else {
128        between=0;
129        i--;
130        continue;
131      }
132    }
133
134    /* deal with a quote character */
135    if (line[i]=='"' || line[i]=="'"[0]) {
136      /* if this type of quote is open, close it */
137      if (quote==line[i]) {
138        quote='\0';
139        continue;
140      }
141
142      /* if no quoting is open then open with this */
143      if (quote=='\0') {
144        quote=line[i];
145        continue;
146      }
147
148      /* if another type of quote is open then treat this as a literal */
149      g_string_append_c(curarg, line[i]);
150      continue;
151    }
152
153    /* if it's not a space or end of command, then use it */
154    if (line[i]!=' ' && line[i]!='\t' && line[i]!='\n' && line[i]!='\0') {
155      g_string_append_c(curarg, line[i]);
156      continue;
157    }
158
159    /* otherwise, if we're not in quotes, add the whole argument */
160    if (quote=='\0') {
161      /* add the argument */
162      g_ptr_array_add(argv, g_string_free(curarg, false));
163      curarg = g_string_new("");
164      between=1;
165      continue;
166    }
167
168    /* if it is a space and we're in quotes, then use it */
169    g_string_append_c(curarg, line[i]);
170  }
171
172  *argc = argv->len;
173  g_ptr_array_add(argv, NULL);
174  g_string_free(curarg, true);
175
176  /* check for unbalanced quotes */
177  if (quote!='\0') {
178    /* TODO: when we move to requiring glib 2.22+, use
179     * g_ptr_array_new_with_free_func. */
180    g_ptr_array_foreach(argv, (GFunc)g_free, NULL);
181    g_ptr_array_free(argv, true);
182    *argc = -1;
183    return(NULL);
184  }
185
186  return (char**)g_ptr_array_free(argv, false);
187}
188
189/* Appends a quoted version of arg suitable for placing in a
190 * command-line to a GString. Does not append a space. */
191void owl_string_append_quoted_arg(GString *buf, const char *arg)
192{
193  const char *argp;
194  if (arg[0] == '\0') {
195    /* Quote the empty string. */
196    g_string_append(buf, "''");
197  } else if (arg[strcspn(arg, "'\" \n\t")] == '\0') {
198    /* If there are no nasty characters, return as-is. */
199    g_string_append(buf, arg);
200  } else if (!strchr(arg, '\'')) {
201    /* Single-quote if possible. */
202    g_string_append_c(buf, '\'');
203    g_string_append(buf, arg);
204    g_string_append_c(buf, '\'');
205  } else {
206    /* Nasty case: double-quote, but change all internal "s to "'"'"
207     * so that they are single-quoted because we're too cool for
208     * backslashes.
209     */
210    g_string_append_c(buf, '"');
211    for (argp = arg; *argp; argp++) {
212      if (*argp == '"')
213        g_string_append(buf, "\"'\"'\"");
214      else
215        g_string_append_c(buf, *argp);
216    }
217    g_string_append_c(buf, '"');
218  }
219}
220
221/*
222 * Appends 'tmpl' to 'buf', replacing any instances of '%q' with arguments from
223 * the varargs provided, quoting them to be safe for placing in a barnowl
224 * command line.
225 */
226void owl_string_appendf_quoted(GString *buf, const char *tmpl, ...)
227{
228  va_list ap;
229  va_start(ap, tmpl);
230  owl_string_vappendf_quoted(buf, tmpl, ap);
231  va_end(ap);
232}
233
234void owl_string_vappendf_quoted(GString *buf, const char *tmpl, va_list ap)
235{
236  const char *p = tmpl, *last = tmpl;
237  while (true) {
238    p = strchr(p, '%');
239    if (p == NULL) break;
240    if (*(p+1) != 'q') {
241      p++;
242      if (*p) p++;
243      continue;
244    }
245    g_string_append_len(buf, last, p - last);
246    owl_string_append_quoted_arg(buf, va_arg(ap, char *));
247    p += 2; last = p;
248  }
249
250  g_string_append(buf, last);
251}
252
253char *owl_string_build_quoted(const char *tmpl, ...)
254{
255  GString *buf = g_string_new("");
256  va_list ap;
257  va_start(ap, tmpl);
258  owl_string_vappendf_quoted(buf, tmpl, ap);
259  va_end(ap);
260  return g_string_free(buf, false); 
261}
262
263/* Returns a quoted version of arg suitable for placing in a
264 * command-line. Result should be freed with g_free. */
265char *owl_arg_quote(const char *arg)
266{
267  GString *buf = g_string_new("");;
268  owl_string_append_quoted_arg(buf, arg);
269  return g_string_free(buf, false);
270}
271
272/* caller must free the return */
273char *owl_util_minutes_to_timestr(int in)
274{
275  int days, hours;
276  long run;
277  char *out;
278
279  run=in;
280
281  days=run/1440;
282  run-=days*1440;
283  hours=run/60;
284  run-=hours*60;
285
286  if (days>0) {
287    out=owl_sprintf("%i d %2.2i:%2.2li", days, hours, run);
288  } else {
289    out=owl_sprintf("    %2.2i:%2.2li", hours, run);
290  }
291  return(out);
292}
293
294/* allocates memory and returns the string or null.
295 * caller must free the string.
296 */
297char *owl_sprintf(const char *fmt, ...)
298{
299  va_list ap;
300  char *ret = NULL;
301  va_start(ap, fmt);
302  ret = g_strdup_vprintf(fmt, ap);
303  va_end(ap);
304  return ret;
305}
306
307/* These are in order of their value in owl.h */
308static const struct {
309  int number;
310  const char *name;
311} color_map[] = {
312  {OWL_COLOR_INVALID, "invalid"},
313  {OWL_COLOR_DEFAULT, "default"},
314  {OWL_COLOR_BLACK, "black"},
315  {OWL_COLOR_RED, "red"},
316  {OWL_COLOR_GREEN, "green"},
317  {OWL_COLOR_YELLOW,"yellow"},
318  {OWL_COLOR_BLUE, "blue"},
319  {OWL_COLOR_MAGENTA, "magenta"},
320  {OWL_COLOR_CYAN, "cyan"},
321  {OWL_COLOR_WHITE, "white"},
322};
323
324/* Return the owl color associated with the named color.  Return -1
325 * if the named color is not available
326 */
327int owl_util_string_to_color(const char *color)
328{
329  int c, i;
330  char *p;
331
332  for (i = 0; i < (sizeof(color_map)/sizeof(color_map[0])); i++)
333    if (strcasecmp(color, color_map[i].name) == 0)
334      return color_map[i].number;
335
336  c = strtol(color, &p, 10);
337  if (p != color && c >= -1 && c < COLORS) {
338    return(c);
339  }
340  return(OWL_COLOR_INVALID);
341}
342
343/* Return a string name of the given owl color */
344const char *owl_util_color_to_string(int color)
345{
346  if (color >= OWL_COLOR_INVALID && color <= OWL_COLOR_WHITE)
347    return color_map[color - OWL_COLOR_INVALID].name;
348  return("Unknown color");
349}
350
351/* Get the default tty name.  Caller must free the return */
352char *owl_util_get_default_tty(void)
353{
354  const char *tmp;
355  char *out;
356
357  if (getenv("DISPLAY")) {
358    out=g_strdup(getenv("DISPLAY"));
359  } else if ((tmp=ttyname(fileno(stdout)))!=NULL) {
360    out=g_strdup(tmp);
361    if (!strncmp(out, "/dev/", 5)) {
362      g_free(out);
363      out=g_strdup(tmp+5);
364    }
365  } else {
366    out=g_strdup("unknown");
367  }
368  return(out);
369}
370
371/* strip leading and trailing new lines.  Caller must free the
372 * return.
373 */
374char *owl_util_stripnewlines(const char *in)
375{
376 
377  char  *tmp, *ptr1, *ptr2, *out;
378
379  ptr1=tmp=g_strdup(in);
380  while (ptr1[0]=='\n') {
381    ptr1++;
382  }
383  ptr2=ptr1+strlen(ptr1)-1;
384  while (ptr2>ptr1 && ptr2[0]=='\n') {
385    ptr2[0]='\0';
386    ptr2--;
387  }
388
389  out=g_strdup(ptr1);
390  g_free(tmp);
391  return(out);
392}
393
394
395/* If filename is a link, recursively resolve symlinks.  Otherwise, return the filename
396 * unchanged.  On error, call owl_function_error and return NULL.
397 *
398 * This function assumes that filename eventually resolves to an acutal file.
399 * If you want to check this, you should stat() the file first.
400 *
401 * The caller of this function is responsible for freeing the return value.
402 *
403 * Error conditions are the same as g_file_read_link.
404 */
405gchar *owl_util_recursive_resolve_link(const char *filename)
406{
407  gchar *last_path = g_strdup(filename);
408  GError *err = NULL;
409
410  while (g_file_test(last_path, G_FILE_TEST_IS_SYMLINK)) {
411    gchar *link_path = g_file_read_link(last_path, &err);
412    if (link_path == NULL) {
413      owl_function_error("Cannot resolve symlink %s: %s",
414                         last_path, err->message);
415      g_error_free(err);
416      g_free(last_path);
417      return NULL;
418    }
419
420    /* Deal with obnoxious relative paths. If we really care, all this
421     * is racy. Whatever. */
422    if (!g_path_is_absolute(link_path)) {
423      char *last_dir = g_path_get_dirname(last_path);
424      char *tmp = g_build_path(G_DIR_SEPARATOR_S,
425                               last_dir,
426                               link_path,
427                               NULL);
428      g_free(last_dir);
429      g_free(link_path);
430      link_path = tmp;
431    }
432
433    g_free(last_path);
434    last_path = link_path;
435  }
436  return last_path;
437}
438
439/* Delete all lines matching "line" from the named file.  If no such
440 * line is found the file is left intact.  If backup==1 then leave a
441 * backup file containing the original contents.  The match is
442 * case-insensitive.
443 *
444 * Returns the number of lines removed on success.  Returns -1 on failure.
445 */
446int owl_util_file_deleteline(const char *filename, const char *line, int backup)
447{
448  char *backupfile, *newfile, *buf = NULL;
449  gchar *actual_filename; /* gchar; we need to g_free it */
450  FILE *old, *new;
451  struct stat st;
452  int numremoved = 0;
453
454  if ((old = fopen(filename, "r")) == NULL) {
455    owl_function_error("Cannot open %s (for reading): %s",
456                       filename, strerror(errno));
457    return -1;
458  }
459
460  if (fstat(fileno(old), &st) != 0) {
461    owl_function_error("Cannot stat %s: %s", filename, strerror(errno));
462    return -1;
463  }
464
465  /* resolve symlinks, because link() fails on symlinks, at least on AFS */
466  actual_filename = owl_util_recursive_resolve_link(filename);
467  if (actual_filename == NULL)
468    return -1; /* resolving the symlink failed, but we already logged this error */
469
470  newfile = owl_sprintf("%s.new", actual_filename);
471  if ((new = fopen(newfile, "w")) == NULL) {
472    owl_function_error("Cannot open %s (for writing): %s",
473                       actual_filename, strerror(errno));
474    g_free(newfile);
475    fclose(old);
476    free(actual_filename);
477    return -1;
478  }
479
480  if (fchmod(fileno(new), st.st_mode & 0777) != 0) {
481    owl_function_error("Cannot set permissions on %s: %s",
482                       actual_filename, strerror(errno));
483    unlink(newfile);
484    fclose(new);
485    g_free(newfile);
486    fclose(old);
487    free(actual_filename);
488    return -1;
489  }
490
491  while (owl_getline_chomp(&buf, old))
492    if (strcasecmp(buf, line) != 0)
493      fprintf(new, "%s\n", buf);
494    else
495      numremoved++;
496  g_free(buf);
497
498  fclose(new);
499  fclose(old);
500
501  if (backup) {
502    backupfile = owl_sprintf("%s.backup", actual_filename);
503    unlink(backupfile);
504    if (link(actual_filename, backupfile) != 0) {
505      owl_function_error("Cannot link %s: %s", backupfile, strerror(errno));
506      g_free(backupfile);
507      unlink(newfile);
508      g_free(newfile);
509      return -1;
510    }
511    g_free(backupfile);
512  }
513
514  if (rename(newfile, actual_filename) != 0) {
515    owl_function_error("Cannot move %s to %s: %s",
516                       newfile, actual_filename, strerror(errno));
517    numremoved = -1;
518  }
519
520  unlink(newfile);
521  g_free(newfile);
522
523  g_free(actual_filename);
524
525  return numremoved;
526}
527
528/* Return the base class or instance from a zephyr class, by removing
529   leading `un' or trailing `.d'.
530   The caller is responsible for freeing the allocated string.
531*/
532char * owl_util_baseclass(const char * class)
533{
534  char *start, *end;
535
536  while(!strncmp(class, "un", 2)) {
537    class += 2;
538  }
539
540  start = g_strdup(class);
541  end = start + strlen(start) - 1;
542  while(end > start && *end == 'd' && *(end-1) == '.') {
543    end -= 2;
544  }
545  *(end + 1) = 0;
546
547  return start;
548}
549
550const char * owl_get_datadir(void)
551{
552  const char * datadir = getenv("BARNOWL_DATA_DIR");
553  if(datadir != NULL)
554    return datadir;
555  return DATADIR;
556}
557
558const char * owl_get_bindir(void)
559{
560  const char * bindir = getenv("BARNOWL_BIN_DIR");
561  if(bindir != NULL)
562    return bindir;
563  return BINDIR;
564}
565
566/* Strips format characters from a valid utf-8 string. Returns the
567   empty string if 'in' does not validate. */
568char * owl_strip_format_chars(const char *in)
569{
570  char *r;
571  if (g_utf8_validate(in, -1, NULL)) {
572    const char *s, *p;
573    r = g_new(char, strlen(in)+1);
574    r[0] = '\0';
575    s = in;
576    p = strchr(s, OWL_FMTEXT_UC_STARTBYTE_UTF8);
577    while(p) {
578      /* If it's a format character, copy up to it, and skip all
579         immediately following format characters. */
580      if (owl_fmtext_is_format_char(g_utf8_get_char(p))) {
581        strncat(r, s, p-s);
582        p = g_utf8_next_char(p);
583        while (owl_fmtext_is_format_char(g_utf8_get_char(p))) {
584          p = g_utf8_next_char(p);
585        }
586        s = p;
587        p = strchr(s, OWL_FMTEXT_UC_STARTBYTE_UTF8);
588      }
589      else {
590        p = strchr(p+1, OWL_FMTEXT_UC_STARTBYTE_UTF8);
591      }
592    }
593    if (s) strcat(r,s);
594  }
595  else {
596    r = g_strdup("");
597  }
598  return r;
599}
600
601/* If in is not UTF-8, convert from ISO-8859-1. We may want to allow
602 * the caller to specify an alternative in the future. We also strip
603 * out characters in Unicode Plane 16, as we use that plane internally
604 * for formatting.
605 */
606char * owl_validate_or_convert(const char *in)
607{
608  if (g_utf8_validate(in, -1, NULL)) {
609    return owl_strip_format_chars(in);
610  }
611  else {
612    return g_convert(in, -1,
613                     "UTF-8", "ISO-8859-1",
614                     NULL, NULL, NULL);
615  }
616}
617/*
618 * Validate 'in' as UTF-8, and either return a copy of it, or an empty
619 * string if it is invalid utf-8.
620 */
621char * owl_validate_utf8(const char *in)
622{
623  char *out;
624  if (g_utf8_validate(in, -1, NULL)) {
625    out = g_strdup(in);
626  } else {
627    out = g_strdup("");
628  }
629  return out;
630}
631
632/* This is based on _extract() and _isCJ() from perl's Text::WrapI18N */
633int owl_util_can_break_after(gunichar c)
634{
635 
636  if (c == ' ') return 1;
637  if (c >= 0x3000 && c <= 0x312f) {
638    /* CJK punctuations, Hiragana, Katakana, Bopomofo */
639    if (c == 0x300a || c == 0x300c || c == 0x300e ||
640        c == 0x3010 || c == 0x3014 || c == 0x3016 ||
641        c == 0x3018 || c == 0x301a)
642      return 0;
643    return 1;
644  }
645  if (c >= 0x31a0 && c <= 0x31bf) {return 1;}  /* Bopomofo */
646  if (c >= 0x31f0 && c <= 0x31ff) {return 1;}  /* Katakana extension */
647  if (c >= 0x3400 && c <= 0x9fff) {return 1;}  /* Han Ideogram */
648  if (c >= 0xf900 && c <= 0xfaff) {return 1;}  /* Han Ideogram */
649  if (c >= 0x20000 && c <= 0x2ffff) {return 1;}  /* Han Ideogram */
650  return 0;
651}
652
653char *owl_escape_highbit(const char *str)
654{
655  GString *out = g_string_new("");
656  unsigned char c;
657  while((c = (*str++))) {
658    if(c == '\\') {
659      g_string_append(out, "\\\\");
660    } else if(c & 0x80) {
661      g_string_append_printf(out, "\\x%02x", (int)c);
662    } else {
663      g_string_append_c(out, c);
664    }
665  }
666  return g_string_free(out, 0);
667}
668
669/* innards of owl_getline{,_chomp} below */
670static int owl_getline_internal(char **s, FILE *fp, int newline)
671{
672  int size = 0;
673  int target = 0;
674  int count = 0;
675  int c;
676
677  while (1) {
678    c = getc(fp);
679    if ((target + 1) > size) {
680      size += BUFSIZ;
681      *s = g_renew(char, *s, size);
682    }
683    if (c == EOF)
684      break;
685    count++;
686    if (c != '\n' || newline)
687        (*s)[target++] = c;
688    if (c == '\n')
689      break;
690  }
691  (*s)[target] = 0;
692
693  return count;
694}
695
696/* Read a line from fp, allocating memory to hold it, returning the number of
697 * byte read.  *s should either be NULL or a pointer to memory allocated with
698 * g_malloc; it will be g_renew'd as appropriate.  The caller must
699 * eventually free it.  (This is roughly the interface of getline in the gnu
700 * libc).
701 *
702 * The final newline will be included if it's there.
703 */
704int owl_getline(char **s, FILE *fp)
705{
706  return owl_getline_internal(s, fp, 1);
707}
708
709/* As above, but omitting the final newline */
710int owl_getline_chomp(char **s, FILE *fp)
711{
712  return owl_getline_internal(s, fp, 0);
713}
714
715/* Read the rest of the input available in fp into a string. */
716char *owl_slurp(FILE *fp)
717{
718  char *buf = NULL;
719  char *p;
720  int size = 0;
721  int count;
722
723  while (1) {
724    buf = g_renew(char, buf, size + BUFSIZ);
725    p = &buf[size];
726    size += BUFSIZ;
727
728    if ((count = fread(p, 1, BUFSIZ, fp)) < BUFSIZ)
729      break;
730  }
731  p[count] = 0;
732
733  return buf;
734}
735
736gulong owl_dirty_window_on_signal(owl_window *w, gpointer sender, const gchar *detailed_signal)
737{
738  return owl_signal_connect_object(sender, detailed_signal, G_CALLBACK(owl_window_dirty), w, G_CONNECT_SWAPPED);
739}
740
741typedef struct { /*noproto*/
742  GObject  *sender;
743  gulong    signal_id;
744} SignalData;
745
746static void _closure_invalidated(gpointer data, GClosure *closure);
747
748/*
749 * GObject's g_signal_connect_object has a documented bug. This function is
750 * identical except it does not leak the signal handler.
751 */
752gulong owl_signal_connect_object(gpointer sender, const gchar *detailed_signal, GCallback c_handler, gpointer receiver, GConnectFlags connect_flags)
753{
754  g_return_val_if_fail (G_TYPE_CHECK_INSTANCE (sender), 0);
755  g_return_val_if_fail (detailed_signal != NULL, 0);
756  g_return_val_if_fail (c_handler != NULL, 0);
757
758  if (receiver) {
759    SignalData *sdata;
760    GClosure *closure;
761    gulong signal_id;
762
763    g_return_val_if_fail (G_IS_OBJECT (receiver), 0);
764
765    closure = ((connect_flags & G_CONNECT_SWAPPED) ? g_cclosure_new_object_swap : g_cclosure_new_object) (c_handler, receiver);
766    signal_id = g_signal_connect_closure (sender, detailed_signal, closure, connect_flags & G_CONNECT_AFTER);
767
768    /* Register the missing hooks */
769    sdata = g_slice_new0(SignalData);
770    sdata->sender = sender;
771    sdata->signal_id = signal_id;
772
773    g_closure_add_invalidate_notifier(closure, sdata, _closure_invalidated);
774
775    return signal_id;
776  } else {
777    return g_signal_connect_data(sender, detailed_signal, c_handler, NULL, NULL, connect_flags);
778  }
779}
780
781/*
782 * There are three ways the signal could come to an end:
783 *
784 * 1. The user explicitly disconnects it with the returned signal_id.
785 *    - In that case, the disconnection unref's the closure, causing it
786 *      to first be invalidated. The handler's already disconnected, so
787 *      we have no work to do.
788 * 2. The sender gets destroyed.
789 *    - GObject will disconnect each signal which then goes into the above
790 *      case. Our handler does no work.
791 * 3. The receiver gets destroyed.
792 *    - The GClosure was created by g_cclosure_new_object_{,swap} which gets
793 *      invalidated when the receiver is destroyed. We then follow through case 1
794 *      again, but *this* time, the handler has not been disconnected. We then
795 *      clean up ourselves.
796 *
797 * We can't actually hook into this process earlier with weakrefs as GObject
798 * will, on object dispose, first disconnect signals, then invalidate closures,
799 * and notify weakrefs last.
800 */
801static void _closure_invalidated(gpointer data, GClosure *closure)
802{
803  SignalData *sdata = data;
804  if (g_signal_handler_is_connected(sdata->sender, sdata->signal_id)) {
805    g_signal_handler_disconnect(sdata->sender, sdata->signal_id);
806  }
807  g_slice_free(SignalData, sdata);
808}
809
Note: See TracBrowser for help on using the repository browser.