suckless/dmenu

dmenu.c in master
Repositories | Summary | Log | Files | README | LICENSE

dmenu.c (22708B) download


  1/* See LICENSE file for copyright and license details. */
  2#include <ctype.h>
  3#include <locale.h>
  4#include <stdio.h>
  5#include <stdlib.h>
  6#include <string.h>
  7#include <strings.h>
  8#include <time.h>
  9#include <unistd.h>
 10
 11#include <X11/Xlib.h>
 12#include <X11/Xatom.h>
 13#include <X11/Xutil.h>
 14#ifdef XINERAMA
 15#include <X11/extensions/Xinerama.h>
 16#endif
 17#include <X11/Xft/Xft.h>
 18
 19#include "drw.h"
 20#include "util.h"
 21
 22/* macros */
 23#define INTERSECT(x,y,w,h,r)  (MAX(0, MIN((x)+(w),(r).x_org+(r).width)  - MAX((x),(r).x_org)) \
 24                             * MAX(0, MIN((y)+(h),(r).y_org+(r).height) - MAX((y),(r).y_org)))
 25#define TEXTW(X)              (drw_fontset_getwidth(drw, (X)) + lrpad)
 26#define NUMBERSMAXDIGITS      100
 27#define NUMBERSBUFSIZE        (NUMBERSMAXDIGITS * 2) + 1
 28
 29/* enums */
 30enum { SchemeNorm, SchemeSel, SchemeOut, SchemeNormHighlight, SchemeSelHighlight, SchemeLast }; /* color schemes */
 31
 32struct item {
 33	char *text;
 34	struct item *left, *right;
 35	int out;
 36};
 37
 38static char numbers[NUMBERSBUFSIZE] = "";
 39static char text[BUFSIZ] = "";
 40static char *embed;
 41static int bh, mw, mh;
 42static int inputw = 0, promptw;
 43static int lrpad; /* sum of left and right padding */
 44static size_t cursor;
 45static struct item *items = NULL;
 46static struct item *matches, *matchend;
 47static struct item *prev, *curr, *next, *sel;
 48static int mon = -1, screen;
 49static unsigned int max_lines = 0;
 50
 51static Atom clip, utf8;
 52static Display *dpy;
 53static Window root, parentwin, win;
 54static XIC xic;
 55
 56static Drw *drw;
 57static Clr *scheme[SchemeLast];
 58
 59#include "config.h"
 60
 61static char * cistrstr(const char *s, const char *sub);
 62static int (*fstrncmp)(const char *, const char *, size_t) = strncasecmp;
 63static char *(*fstrstr)(const char *, const char *) = cistrstr;
 64
 65static unsigned int
 66textw_clamp(const char *str, unsigned int n)
 67{
 68	unsigned int w = drw_fontset_getwidth_clamp(drw, str, n) + lrpad;
 69	return MIN(w, n);
 70}
 71
 72static void
 73appenditem(struct item *item, struct item **list, struct item **last)
 74{
 75	if (*last)
 76		(*last)->right = item;
 77	else
 78		*list = item;
 79
 80	item->left = *last;
 81	item->right = NULL;
 82	*last = item;
 83}
 84
 85static void
 86calcoffsets(void)
 87{
 88	int i, n;
 89
 90	if (lines > 0)
 91		n = lines * bh;
 92	else
 93		n = mw - (promptw + inputw + TEXTW("<") + TEXTW(">") + TEXTW(numbers));
 94	/* calculate which items will begin the next page and previous page */
 95	for (i = 0, next = curr; next; next = next->right)
 96		if ((i += (lines > 0) ? bh : textw_clamp(next->text, n)) > n)
 97			break;
 98	for (i = 0, prev = curr; prev && prev->left; prev = prev->left)
 99		if ((i += (lines > 0) ? bh : textw_clamp(prev->left->text, n)) > n)
100			break;
101}
102
103static void
104cleanup(void)
105{
106	size_t i;
107
108	XUngrabKey(dpy, AnyKey, AnyModifier, root);
109	for (i = 0; i < SchemeLast; i++)
110		free(scheme[i]);
111	for (i = 0; items && items[i].text; ++i)
112		free(items[i].text);
113	free(items);
114	drw_free(drw);
115	XSync(dpy, False);
116	XCloseDisplay(dpy);
117}
118
119static char *
120cistrstr(const char *h, const char *n)
121{
122	size_t i;
123
124	if (!n[0])
125		return (char *)h;
126
127	for (; *h; ++h) {
128		for (i = 0; n[i] && tolower((unsigned char)n[i]) ==
129		            tolower((unsigned char)h[i]); ++i)
130			;
131		if (n[i] == '\0')
132			return (char *)h;
133	}
134	return NULL;
135}
136
137static void
138drawhighlights(struct item *item, int x, int y, int maxw)
139{
140	char restorechar, tokens[sizeof text], *highlight,  *token;
141	int indentx, highlightlen;
142
143	drw_setscheme(drw, scheme[item == sel ? SchemeSelHighlight : SchemeNormHighlight]);
144	strcpy(tokens, text);
145	for (token = strtok(tokens, " "); token; token = strtok(NULL, " ")) {
146		highlight = fstrstr(item->text, token);
147		while (highlight) {
148			// Move item str end, calc width for highlight indent, & restore
149			highlightlen = highlight - item->text;
150			restorechar = *highlight;
151			item->text[highlightlen] = '\0';
152			indentx = TEXTW(item->text);
153			item->text[highlightlen] = restorechar;
154
155			// Move highlight str end, draw highlight, & restore
156			restorechar = highlight[strlen(token)];
157			highlight[strlen(token)] = '\0';
158			if (indentx - (lrpad / 2) - 1 < maxw)
159				drw_text(
160					drw,
161					x + indentx - (lrpad / 2) - 1,
162					y,
163					MIN(maxw - indentx, TEXTW(highlight) - lrpad),
164					bh, 0, highlight, 0
165				);
166			highlight[strlen(token)] = restorechar;
167
168			if (strlen(highlight) - strlen(token) < strlen(token)) break;
169			highlight = fstrstr(highlight + strlen(token), token);
170		}
171	}
172}
173
174static int
175drawitem(struct item *item, int x, int y, int w)
176{
177	if (item == sel)
178		drw_setscheme(drw, scheme[SchemeSel]);
179	else if (item->out)
180		drw_setscheme(drw, scheme[SchemeOut]);
181	else
182		drw_setscheme(drw, scheme[SchemeNorm]);
183
184	int r = drw_text(drw, x, y, w, bh, lrpad / 2, item->text, 0);
185	drawhighlights(item, x, y, w);
186	return r;
187}
188
189static void
190recalculatenumbers()
191{
192	unsigned int numer = 0, denom = 0;
193	struct item *item;
194	if (matchend) {
195		numer++;
196		for (item = matchend; item && item->left; item = item->left)
197			numer++;
198	}
199	for (item = items; item && item->text; item++)
200		denom++;
201	snprintf(numbers, NUMBERSBUFSIZE, "%d/%d", numer, denom);
202}
203
204static void
205drawmenu(void)
206{
207	unsigned int curpos;
208	struct item *item;
209	int x = 0, y = 0, w;
210
211	drw_setscheme(drw, scheme[SchemeNorm]);
212	drw_rect(drw, 0, 0, mw, mh, 1, 1);
213
214	if (prompt && *prompt) {
215		drw_setscheme(drw, scheme[SchemeSel]);
216		x = drw_text(drw, x, 0, promptw, bh, lrpad / 2, prompt, 0);
217	}
218	/* draw input field */
219	w = (lines > 0 || !matches) ? mw - x : inputw;
220	drw_setscheme(drw, scheme[SchemeNorm]);
221	drw_text(drw, x, 0, w, bh, lrpad / 2, text, 0);
222
223	curpos = TEXTW(text) - TEXTW(&text[cursor]);
224	if ((curpos += lrpad / 2 - 1) < w) {
225		drw_setscheme(drw, scheme[SchemeNorm]);
226		drw_rect(drw, x + curpos, 2, 2, bh - 4, 1, 0);
227	}
228
229	recalculatenumbers();
230	if (lines > 0) {
231		/* draw vertical list */
232		for (item = curr; item != next; item = item->right)
233			drawitem(item, x, y += bh, mw - x);
234	} else if (matches) {
235		/* draw horizontal list */
236		x += inputw;
237		w = TEXTW("<");
238		if (curr->left) {
239			drw_setscheme(drw, scheme[SchemeNorm]);
240			drw_text(drw, x, 0, w, bh, lrpad / 2, "<", 0);
241		}
242		x += w;
243		for (item = curr; item != next; item = item->right)
244			x = drawitem(item, x, 0, textw_clamp(item->text, mw - x - TEXTW(">") - TEXTW(numbers)));
245		if (next) {
246			w = TEXTW(">");
247			drw_setscheme(drw, scheme[SchemeNorm]);
248			drw_text(drw, mw - w - TEXTW(numbers), 0, w, bh, lrpad / 2, ">", 0);
249		}
250	}
251	drw_setscheme(drw, scheme[SchemeNorm]);
252	drw_text(drw, mw - TEXTW(numbers), 0, TEXTW(numbers), bh, lrpad / 2, numbers, 0);
253	drw_map(drw, win, 0, 0, mw, mh);
254}
255
256static void
257grabfocus(void)
258{
259	struct timespec ts = { .tv_sec = 0, .tv_nsec = 10000000  };
260	Window focuswin;
261	int i, revertwin;
262
263	for (i = 0; i < 100; ++i) {
264		XGetInputFocus(dpy, &focuswin, &revertwin);
265		if (focuswin == win)
266			return;
267		XSetInputFocus(dpy, win, RevertToParent, CurrentTime);
268		nanosleep(&ts, NULL);
269	}
270	die("cannot grab focus");
271}
272
273static void
274grabkeyboard(void)
275{
276	struct timespec ts = { .tv_sec = 0, .tv_nsec = 1000000  };
277	int i;
278
279	if (embed)
280		return;
281	/* try to grab keyboard, we may have to wait for another process to ungrab */
282	for (i = 0; i < 1000; i++) {
283		if (XGrabKeyboard(dpy, DefaultRootWindow(dpy), True, GrabModeAsync,
284		                  GrabModeAsync, CurrentTime) == GrabSuccess)
285			return;
286		nanosleep(&ts, NULL);
287	}
288	die("cannot grab keyboard");
289}
290
291static void readstdin(FILE* stream);
292
293static void
294refreshoptions()
295{
296	int dynlen = strlen(dynamic);
297	int cmdlen = dynlen + 4;
298	char *cmd;
299	char *c;
300	char *t = text;
301	while (*t)
302		cmdlen += *t++ == '\'' ? 4 : 1;
303	cmd = malloc(cmdlen);
304	if (cmd == NULL)
305		die("cannot malloc %u bytes:", cmdlen);
306	strcpy(cmd, dynamic);
307	t = text;
308	c = cmd + dynlen;
309	*(c++) = ' ';
310	*(c++) = '\'';
311	while (*t) {
312		// prefix ' with '\'
313		if (*t == '\'') {
314			*(c++) = '\'';
315			*(c++) = '\\';
316			*(c++) = '\'';
317		}
318		*(c++) = *(t++);
319	}
320	*(c++) = '\'';
321	*(c++) = 0;
322	FILE *stream = popen(cmd, "r");
323	if (!stream)
324		die("could not popen dynamic command (%s):", cmd);
325	readstdin(stream);
326	int r = pclose(stream);
327	if (r == -1)
328		die("could not pclose dynamic command");
329	free(cmd);
330}
331
332static void
333match(void)
334{
335	static char **tokv = NULL;
336	static int tokn = 0;
337
338	char buf[sizeof text], *s;
339	int i, tokc = 0;
340	size_t len, textsize;
341	struct item *item, *lprefix, *lsubstr, *prefixend, *substrend;
342
343	if (dynamic) {
344		refreshoptions();
345		matches = matchend = NULL;
346		for (item = items; item && item->text; item++)
347			appenditem(item, &matches, &matchend);
348		curr = sel = matches;
349		calcoffsets();
350		return;
351	}
352
353	strcpy(buf, text);
354	/* separate input text into tokens to be matched individually */
355	for (s = strtok(buf, " "); s; tokv[tokc - 1] = s, s = strtok(NULL, " "))
356		if (++tokc > tokn && !(tokv = realloc(tokv, ++tokn * sizeof *tokv)))
357			die("cannot realloc %zu bytes:", tokn * sizeof *tokv);
358	len = tokc ? strlen(tokv[0]) : 0;
359
360	matches = lprefix = lsubstr = matchend = prefixend = substrend = NULL;
361	textsize = strlen(text) + 1;
362	for (item = items; item && item->text; item++) {
363		for (i = 0; i < tokc; i++)
364			if (!fstrstr(item->text, tokv[i]))
365				break;
366		if (i != tokc) /* not all tokens match */
367			continue;
368		/* exact matches go first, then prefixes, then substrings */
369		if (!tokc || !fstrncmp(text, item->text, textsize))
370			appenditem(item, &matches, &matchend);
371		else if (!fstrncmp(tokv[0], item->text, len))
372			appenditem(item, &lprefix, &prefixend);
373		else
374			appenditem(item, &lsubstr, &substrend);
375	}
376	if (lprefix) {
377		if (matches) {
378			matchend->right = lprefix;
379			lprefix->left = matchend;
380		} else
381			matches = lprefix;
382		matchend = prefixend;
383	}
384	if (lsubstr) {
385		if (matches) {
386			matchend->right = lsubstr;
387			lsubstr->left = matchend;
388		} else
389			matches = lsubstr;
390		matchend = substrend;
391	}
392	curr = sel = matches;
393	calcoffsets();
394}
395
396static void
397insert(const char *str, ssize_t n)
398{
399	if (strlen(text) + n > sizeof text - 1)
400		return;
401	/* move existing text out of the way, insert new text, and update cursor */
402	memmove(&text[cursor + n], &text[cursor], sizeof text - cursor - MAX(n, 0));
403	if (n > 0)
404		memcpy(&text[cursor], str, n);
405	cursor += n;
406	match();
407}
408
409static size_t
410nextrune(int inc)
411{
412	ssize_t n;
413
414	/* return location of next utf8 rune in the given direction (+1 or -1) */
415	for (n = cursor + inc; n + inc >= 0 && (text[n] & 0xc0) == 0x80; n += inc)
416		;
417	return n;
418}
419
420static void
421movewordedge(int dir)
422{
423	if (dir < 0) { /* move cursor to the start of the word*/
424		while (cursor > 0 && strchr(worddelimiters, text[nextrune(-1)]))
425			cursor = nextrune(-1);
426		while (cursor > 0 && !strchr(worddelimiters, text[nextrune(-1)]))
427			cursor = nextrune(-1);
428	} else { /* move cursor to the end of the word */
429		while (text[cursor] && strchr(worddelimiters, text[cursor]))
430			cursor = nextrune(+1);
431		while (text[cursor] && !strchr(worddelimiters, text[cursor]))
432			cursor = nextrune(+1);
433	}
434}
435
436static void
437keypress(XKeyEvent *ev)
438{
439	char buf[64];
440	int len;
441	KeySym ksym = NoSymbol;
442	Status status;
443
444	len = XmbLookupString(xic, ev, buf, sizeof buf, &ksym, &status);
445	switch (status) {
446	default: /* XLookupNone, XBufferOverflow */
447		return;
448	case XLookupChars: /* composed string from input method */
449		goto insert;
450	case XLookupKeySym:
451	case XLookupBoth: /* a KeySym and a string are returned: use keysym */
452		break;
453	}
454
455	if (ev->state & ControlMask) {
456		switch(ksym) {
457		case XK_a: ksym = XK_Home;      break;
458		case XK_b: ksym = XK_Left;      break;
459		case XK_c: ksym = XK_Escape;    break;
460		case XK_d: ksym = XK_Delete;    break;
461		case XK_e: ksym = XK_End;       break;
462		case XK_f: ksym = XK_Right;     break;
463		case XK_g: ksym = XK_Escape;    break;
464		case XK_h: ksym = XK_BackSpace; break;
465		case XK_i: ksym = XK_Tab;       break;
466		case XK_j: /* fallthrough */
467		case XK_J: /* fallthrough */
468		case XK_m: /* fallthrough */
469		case XK_M: ksym = XK_Return; ev->state &= ~ControlMask; break;
470		case XK_n: ksym = XK_Down;      break;
471		case XK_p: ksym = XK_Up;        break;
472
473		case XK_k: /* delete right */
474			text[cursor] = '\0';
475			match();
476			break;
477		case XK_u: /* delete left */
478			insert(NULL, 0 - cursor);
479			break;
480		case XK_w: /* delete word */
481			while (cursor > 0 && strchr(worddelimiters, text[nextrune(-1)]))
482				insert(NULL, nextrune(-1) - cursor);
483			while (cursor > 0 && !strchr(worddelimiters, text[nextrune(-1)]))
484				insert(NULL, nextrune(-1) - cursor);
485			break;
486		case XK_y: /* paste selection */
487		case XK_Y:
488			XConvertSelection(dpy, (ev->state & ShiftMask) ? clip : XA_PRIMARY,
489			                  utf8, utf8, win, CurrentTime);
490			return;
491		case XK_Left:
492		case XK_KP_Left:
493			movewordedge(-1);
494			goto draw;
495		case XK_Right:
496		case XK_KP_Right:
497			movewordedge(+1);
498			goto draw;
499		case XK_Return:
500		case XK_KP_Enter:
501			break;
502		case XK_bracketleft:
503			cleanup();
504			exit(1);
505		default:
506			return;
507		}
508	} else if (ev->state & Mod1Mask) {
509		switch(ksym) {
510		case XK_b:
511			movewordedge(-1);
512			goto draw;
513		case XK_f:
514			movewordedge(+1);
515			goto draw;
516		case XK_g: ksym = XK_Home;  break;
517		case XK_G: ksym = XK_End;   break;
518		case XK_h: ksym = XK_Up;    break;
519		case XK_j: ksym = XK_Next;  break;
520		case XK_k: ksym = XK_Prior; break;
521		case XK_l: ksym = XK_Down;  break;
522		default:
523			return;
524		}
525	}
526
527	switch(ksym) {
528	default:
529insert:
530		if (!iscntrl((unsigned char)*buf))
531			insert(buf, len);
532		break;
533	case XK_Delete:
534	case XK_KP_Delete:
535		if (text[cursor] == '\0')
536			return;
537		cursor = nextrune(+1);
538		/* fallthrough */
539	case XK_BackSpace:
540		if (cursor == 0)
541			return;
542		insert(NULL, nextrune(-1) - cursor);
543		break;
544	case XK_End:
545	case XK_KP_End:
546		if (text[cursor] != '\0') {
547			cursor = strlen(text);
548			break;
549		}
550		if (next) {
551			/* jump to end of list and position items in reverse */
552			curr = matchend;
553			calcoffsets();
554			curr = prev;
555			calcoffsets();
556			while (next && (curr = curr->right))
557				calcoffsets();
558		}
559		sel = matchend;
560		break;
561	case XK_Escape:
562		cleanup();
563		exit(1);
564	case XK_Home:
565	case XK_KP_Home:
566		if (sel == matches) {
567			cursor = 0;
568			break;
569		}
570		sel = curr = matches;
571		calcoffsets();
572		break;
573	case XK_Left:
574	case XK_KP_Left:
575		if (cursor > 0 && (!sel || !sel->left || lines > 0)) {
576			cursor = nextrune(-1);
577			break;
578		}
579		if (lines > 0)
580			return;
581		/* fallthrough */
582	case XK_Up:
583	case XK_KP_Up:
584		if (sel && sel->left && (sel = sel->left)->right == curr) {
585			curr = prev;
586			calcoffsets();
587		}
588		break;
589	case XK_Next:
590	case XK_KP_Next:
591		if (!next)
592			return;
593		sel = curr = next;
594		calcoffsets();
595		break;
596	case XK_Prior:
597	case XK_KP_Prior:
598		if (!prev)
599			return;
600		sel = curr = prev;
601		calcoffsets();
602		break;
603	case XK_Return:
604	case XK_KP_Enter:
605		puts((sel && !(ev->state & ShiftMask)) ? sel->text : text);
606		if (!(ev->state & ControlMask)) {
607			cleanup();
608			exit(0);
609		}
610		if (sel)
611			sel->out = 1;
612		break;
613	case XK_Right:
614	case XK_KP_Right:
615		if (text[cursor] != '\0') {
616			cursor = nextrune(+1);
617			break;
618		}
619		if (lines > 0)
620			return;
621		/* fallthrough */
622	case XK_Down:
623	case XK_KP_Down:
624		if (sel && sel->right && (sel = sel->right) == next) {
625			curr = next;
626			calcoffsets();
627		}
628		break;
629	case XK_Tab:
630		if (!sel)
631			return;
632		cursor = strnlen(sel->text, sizeof text - 1);
633		memcpy(text, sel->text, cursor);
634		text[cursor] = '\0';
635		match();
636		break;
637	}
638
639draw:
640	drawmenu();
641}
642
643static void
644paste(void)
645{
646	char *p, *q;
647	int di;
648	unsigned long dl;
649	Atom da;
650
651	/* we have been given the current selection, now insert it into input */
652	if (XGetWindowProperty(dpy, win, utf8, 0, (sizeof text / 4) + 1, False,
653	                   utf8, &da, &di, &dl, &dl, (unsigned char **)&p)
654	    == Success && p) {
655		insert(p, (q = strchr(p, '\n')) ? q - p : (ssize_t)strlen(p));
656		XFree(p);
657	}
658	drawmenu();
659}
660
661static void
662readstdin(FILE* stream)
663{
664	char *line = NULL;
665	size_t i, itemsiz = 0, linesiz = 0;
666	ssize_t len;
667
668	/* read each line from stdin and add it to the item list */
669	for (i = 0; (len = getline(&line, &linesiz, stream)) != -1; i++) {
670		if (i + 1 >= itemsiz) {
671			itemsiz += 256;
672			if (!(items = realloc(items, itemsiz * sizeof(*items))))
673				die("cannot realloc %zu bytes:", itemsiz * sizeof(*items));
674		}
675		if (line[len - 1] == '\n')
676			line[len - 1] = '\0';
677		if (!(items[i].text = strdup(line)))
678			die("strdup:");
679
680		items[i].out = 0;
681	}
682	free(line);
683	if (items)
684		items[i].text = NULL;
685	lines = MIN(max_lines, i);
686}
687
688static void
689run(void)
690{
691	XEvent ev;
692
693	while (!XNextEvent(dpy, &ev)) {
694		if (XFilterEvent(&ev, win))
695			continue;
696		switch(ev.type) {
697		case DestroyNotify:
698			if (ev.xdestroywindow.window != win)
699				break;
700			cleanup();
701			exit(1);
702		case Expose:
703			if (ev.xexpose.count == 0)
704				drw_map(drw, win, 0, 0, mw, mh);
705			break;
706		case FocusIn:
707			/* regrab focus from parent window */
708			if (ev.xfocus.window != win)
709				grabfocus();
710			break;
711		case KeyPress:
712			keypress(&ev.xkey);
713			break;
714		case SelectionNotify:
715			if (ev.xselection.property == utf8)
716				paste();
717			break;
718		case VisibilityNotify:
719			if (ev.xvisibility.state != VisibilityUnobscured)
720				XRaiseWindow(dpy, win);
721			break;
722		}
723	}
724}
725
726static void
727setup(void)
728{
729	int x, y, i, j;
730	unsigned int du;
731	XSetWindowAttributes swa;
732	XIM xim;
733	Window w, dw, *dws;
734	XWindowAttributes wa;
735	XClassHint ch = {"dmenu", "dmenu"};
736#ifdef XINERAMA
737	XineramaScreenInfo *info;
738	Window pw;
739	int a, di, n, area = 0;
740#endif
741	/* init appearance */
742	for (j = 0; j < SchemeLast; j++)
743		scheme[j] = drw_scm_create(drw, colors[j], 2);
744
745	clip = XInternAtom(dpy, "CLIPBOARD",   False);
746	utf8 = XInternAtom(dpy, "UTF8_STRING", False);
747
748	/* calculate menu geometry */
749	bh = drw->fonts->h;
750	bh = user_bh ? bh + user_bh : bh + 2;
751	lines = MAX(lines, 0);
752	mh = (lines + 1) * bh;
753#ifdef XINERAMA
754	i = 0;
755	if (parentwin == root && (info = XineramaQueryScreens(dpy, &n))) {
756		XGetInputFocus(dpy, &w, &di);
757		if (mon >= 0 && mon < n)
758			i = mon;
759		else if (w != root && w != PointerRoot && w != None) {
760			/* find top-level window containing current input focus */
761			do {
762				if (XQueryTree(dpy, (pw = w), &dw, &w, &dws, &du) && dws)
763					XFree(dws);
764			} while (w != root && w != pw);
765			/* find xinerama screen with which the window intersects most */
766			if (XGetWindowAttributes(dpy, pw, &wa))
767				for (j = 0; j < n; j++)
768					if ((a = INTERSECT(wa.x, wa.y, wa.width, wa.height, info[j])) > area) {
769						area = a;
770						i = j;
771					}
772		}
773		/* no focused window is on screen, so use pointer location instead */
774		if (mon < 0 && !area && XQueryPointer(dpy, root, &dw, &dw, &x, &y, &di, &di, &du))
775			for (i = 0; i < n; i++)
776				if (INTERSECT(x, y, 1, 1, info[i]) != 0)
777					break;
778
779		x = info[i].x_org;
780		y = info[i].y_org + (topbar ? 0 : info[i].height - mh);
781		mw = info[i].width;
782		XFree(info);
783	} else
784#endif
785	{
786		if (!XGetWindowAttributes(dpy, parentwin, &wa))
787			die("could not get embedding window attributes: 0x%lx",
788			    parentwin);
789		x = 0;
790		y = topbar ? 0 : wa.height - mh;
791		mw = wa.width;
792	}
793	promptw = (prompt && *prompt) ? TEXTW(prompt) - lrpad / 4 : 0;
794	inputw = mw / 3; /* input width: ~33% of monitor width */
795	match();
796
797	/* create menu window */
798	swa.override_redirect = True;
799	swa.background_pixel = scheme[SchemeNorm][ColBg].pixel;
800	swa.event_mask = ExposureMask | KeyPressMask | VisibilityChangeMask;
801	win = XCreateWindow(dpy, root, x, y, mw, mh, 0,
802	                    CopyFromParent, CopyFromParent, CopyFromParent,
803	                    CWOverrideRedirect | CWBackPixel | CWEventMask, &swa);
804	XSetClassHint(dpy, win, &ch);
805
806	/* input methods */
807	if ((xim = XOpenIM(dpy, NULL, NULL, NULL)) == NULL)
808		die("XOpenIM failed: could not open input device");
809
810	xic = XCreateIC(xim, XNInputStyle, XIMPreeditNothing | XIMStatusNothing,
811	                XNClientWindow, win, XNFocusWindow, win, NULL);
812
813	XMapRaised(dpy, win);
814	if (embed) {
815		XReparentWindow(dpy, win, parentwin, x, y);
816		XSelectInput(dpy, parentwin, FocusChangeMask | SubstructureNotifyMask);
817		if (XQueryTree(dpy, parentwin, &dw, &w, &dws, &du) && dws) {
818			for (i = 0; i < du && dws[i] != win; ++i)
819				XSelectInput(dpy, dws[i], FocusChangeMask);
820			XFree(dws);
821		}
822		grabfocus();
823	}
824	drw_resize(drw, mw, mh);
825	drawmenu();
826}
827
828static void
829usage(void)
830{
831	die("usage: dmenu [-bfiv] [-l lines] [-p prompt] [-fn font] [-m monitor]\n"
832	    "             [-nb color] [-nf color] [-sb color] [-sf color] [-w windowid]\n"
833		"             [-dy command]\n");
834}
835
836int
837main(int argc, char *argv[])
838{
839	XWindowAttributes wa;
840	int i, fast = 0;
841
842	for (i = 1; i < argc; i++)
843		/* these options take no arguments */
844		if (!strcmp(argv[i], "-v")) {      /* prints version information */
845			puts("dmenu-"VERSION);
846			exit(0);
847		} else if (!strcmp(argv[i], "-b")) /* appears at the bottom of the screen */
848			topbar = 0;
849		else if (!strcmp(argv[i], "-f"))   /* grabs keyboard before reading stdin */
850			fast = 1;
851		else if (!strcmp(argv[i], "-s")) { /* case-sensitive item matching */
852			fstrncmp = strncmp;
853			fstrstr = strstr;
854		} else if (i + 1 == argc)
855			usage();
856		/* these options take one argument */
857		else if (!strcmp(argv[i], "-l"))   /* number of lines in vertical list */
858			lines = atoi(argv[++i]);
859		else if (!strcmp(argv[i], "-m"))
860			mon = atoi(argv[++i]);
861		else if (!strcmp(argv[i], "-p"))   /* adds prompt to left of input field */
862			prompt = argv[++i];
863		else if (!strcmp(argv[i], "-fn"))  /* font or font set */
864			fonts[0] = argv[++i];
865		else if (!strcmp(argv[i], "-nb"))  /* normal background color */
866			colors[SchemeNorm][ColBg] = argv[++i];
867		else if (!strcmp(argv[i], "-nf"))  /* normal foreground color */
868			colors[SchemeNorm][ColFg] = argv[++i];
869		else if (!strcmp(argv[i], "-sb"))  /* selected background color */
870			colors[SchemeSel][ColBg] = argv[++i];
871		else if (!strcmp(argv[i], "-sf"))  /* selected foreground color */
872			colors[SchemeSel][ColFg] = argv[++i];
873		else if (!strcmp(argv[i], "-w"))   /* embedding window id */
874			embed = argv[++i];
875		else if (!strcmp(argv[i], "-dy"))  /* dynamic command to run */
876			dynamic = argv[++i] && *argv[i] ? argv[i] : NULL;
877		else
878			usage();
879
880	if (!setlocale(LC_CTYPE, "") || !XSupportsLocale())
881		fputs("warning: no locale support\n", stderr);
882	if (!(dpy = XOpenDisplay(NULL)))
883		die("cannot open display");
884	screen = DefaultScreen(dpy);
885	root = RootWindow(dpy, screen);
886	if (!embed || !(parentwin = strtol(embed, NULL, 0)))
887		parentwin = root;
888	if (!XGetWindowAttributes(dpy, parentwin, &wa))
889		die("could not get embedding window attributes: 0x%lx",
890		    parentwin);
891	drw = drw_create(dpy, screen, root, wa.width, wa.height);
892	if (!drw_fontset_create(drw, fonts, LENGTH(fonts)))
893		die("no fonts could be loaded.");
894	lrpad = drw->fonts->h;
895
896#ifdef __OpenBSD__
897	if (pledge("stdio rpath", NULL) == -1)
898		die("pledge");
899#endif
900
901	max_lines = lines;
902	if (fast && !isatty(0)) {
903		grabkeyboard();
904		if (!dynamic)
905			readstdin(stdin);
906	} else {
907		if (!dynamic)
908			readstdin(stdin);
909		grabkeyboard();
910	}
911	setup();
912	run();
913
914	return 1; /* unreachable */
915}