1/*****************************************************************************/
2
3/*
4 *      devio.c  --  User space communication with USB devices.
5 *
6 *      Copyright (C) 1999-2000  Thomas Sailer (sailer@ife.ee.ethz.ch)
7 *
8 *      This program is free software; you can redistribute it and/or modify
9 *      it under the terms of the GNU General Public License as published by
10 *      the Free Software Foundation; either version 2 of the License, or
11 *      (at your option) any later version.
12 *
13 *      This program is distributed in the hope that it will be useful,
14 *      but WITHOUT ANY WARRANTY; without even the implied warranty of
15 *      MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
16 *      GNU General Public License for more details.
17 *
18 *      You should have received a copy of the GNU General Public License
19 *      along with this program; if not, write to the Free Software
20 *      Foundation, Inc., 675 Mass Ave, Cambridge, MA 02139, USA.
21 *
22 *  This file implements the usbfs/x/y files, where
23 *  x is the bus number and y the device number.
24 *
25 *  It allows user space programs/"drivers" to communicate directly
26 *  with USB devices without intervening kernel driver.
27 *
28 *  Revision history
29 *    22.12.1999   0.1   Initial release (split from proc_usb.c)
30 *    04.01.2000   0.2   Turned into its own filesystem
31 *    30.09.2005   0.3   Fix user-triggerable oops in async URB delivery
32 *    			 (CAN-2005-3055)
33 */
34
35/*****************************************************************************/
36
37#include <linux/fs.h>
38#include <linux/mm.h>
39#include <linux/slab.h>
40#include <linux/signal.h>
41#include <linux/poll.h>
42#include <linux/module.h>
43#include <linux/usb.h>
44#include <linux/usbdevice_fs.h>
45#include <linux/usb/hcd.h>	/* for usbcore internals */
46#include <linux/cdev.h>
47#include <linux/notifier.h>
48#include <linux/security.h>
49#include <linux/user_namespace.h>
50#include <asm/uaccess.h>
51#include <asm/byteorder.h>
52#include <linux/moduleparam.h>
53
54#include "usb.h"
55
56#define USB_MAXBUS			64
57#define USB_DEVICE_MAX			USB_MAXBUS * 128
58
59/* Mutual exclusion for removal, open, and release */
60DEFINE_MUTEX(usbfs_mutex);
61
62struct dev_state {
63	struct list_head list;      /* state list */
64	struct usb_device *dev;
65	struct file *file;
66	spinlock_t lock;            /* protects the async urb lists */
67	struct list_head async_pending;
68	struct list_head async_completed;
69	wait_queue_head_t wait;     /* wake up if a request completed */
70	unsigned int discsignr;
71	struct pid *disc_pid;
72	const struct cred *cred;
73	void __user *disccontext;
74	unsigned long ifclaimed;
75	u32 secid;
76	u32 disabled_bulk_eps;
77};
78
79struct async {
80	struct list_head asynclist;
81	struct dev_state *ps;
82	struct pid *pid;
83	const struct cred *cred;
84	unsigned int signr;
85	unsigned int ifnum;
86	void __user *userbuffer;
87	void __user *userurb;
88	struct urb *urb;
89	unsigned int mem_usage;
90	int status;
91	u32 secid;
92	u8 bulk_addr;
93	u8 bulk_status;
94};
95
96static bool usbfs_snoop;
97module_param(usbfs_snoop, bool, S_IRUGO | S_IWUSR);
98MODULE_PARM_DESC(usbfs_snoop, "true to log all usbfs traffic");
99
100#define snoop(dev, format, arg...)				\
101	do {							\
102		if (usbfs_snoop)				\
103			dev_info(dev , format , ## arg);	\
104	} while (0)
105
106enum snoop_when {
107	SUBMIT, COMPLETE
108};
109
110#define USB_DEVICE_DEV		MKDEV(USB_DEVICE_MAJOR, 0)
111
112/* Limit on the total amount of memory we can allocate for transfers */
113static unsigned usbfs_memory_mb = 16;
114module_param(usbfs_memory_mb, uint, 0644);
115MODULE_PARM_DESC(usbfs_memory_mb,
116		"maximum MB allowed for usbfs buffers (0 = no limit)");
117
118/* Hard limit, necessary to avoid aithmetic overflow */
119#define USBFS_XFER_MAX		(UINT_MAX / 2 - 1000000)
120
121static atomic_t usbfs_memory_usage;	/* Total memory currently allocated */
122
123/* Check whether it's okay to allocate more memory for a transfer */
124static int usbfs_increase_memory_usage(unsigned amount)
125{
126	unsigned lim;
127
128	/*
129	 * Convert usbfs_memory_mb to bytes, avoiding overflows.
130	 * 0 means use the hard limit (effectively unlimited).
131	 */
132	lim = ACCESS_ONCE(usbfs_memory_mb);
133	if (lim == 0 || lim > (USBFS_XFER_MAX >> 20))
134		lim = USBFS_XFER_MAX;
135	else
136		lim <<= 20;
137
138	atomic_add(amount, &usbfs_memory_usage);
139	if (atomic_read(&usbfs_memory_usage) <= lim)
140		return 0;
141	atomic_sub(amount, &usbfs_memory_usage);
142	return -ENOMEM;
143}
144
145/* Memory for a transfer is being deallocated */
146static void usbfs_decrease_memory_usage(unsigned amount)
147{
148	atomic_sub(amount, &usbfs_memory_usage);
149}
150
151static int connected(struct dev_state *ps)
152{
153	return (!list_empty(&ps->list) &&
154			ps->dev->state != USB_STATE_NOTATTACHED);
155}
156
157static loff_t usbdev_lseek(struct file *file, loff_t offset, int orig)
158{
159	loff_t ret;
160
161	mutex_lock(&file->f_dentry->d_inode->i_mutex);
162
163	switch (orig) {
164	case 0:
165		file->f_pos = offset;
166		ret = file->f_pos;
167		break;
168	case 1:
169		file->f_pos += offset;
170		ret = file->f_pos;
171		break;
172	case 2:
173	default:
174		ret = -EINVAL;
175	}
176
177	mutex_unlock(&file->f_dentry->d_inode->i_mutex);
178	return ret;
179}
180
181static ssize_t usbdev_read(struct file *file, char __user *buf, size_t nbytes,
182			   loff_t *ppos)
183{
184	struct dev_state *ps = file->private_data;
185	struct usb_device *dev = ps->dev;
186	ssize_t ret = 0;
187	unsigned len;
188	loff_t pos;
189	int i;
190
191	pos = *ppos;
192	usb_lock_device(dev);
193	if (!connected(ps)) {
194		ret = -ENODEV;
195		goto err;
196	} else if (pos < 0) {
197		ret = -EINVAL;
198		goto err;
199	}
200
201	if (pos < sizeof(struct usb_device_descriptor)) {
202		/* 18 bytes - fits on the stack */
203		struct usb_device_descriptor temp_desc;
204
205		memcpy(&temp_desc, &dev->descriptor, sizeof(dev->descriptor));
206		le16_to_cpus(&temp_desc.bcdUSB);
207		le16_to_cpus(&temp_desc.idVendor);
208		le16_to_cpus(&temp_desc.idProduct);
209		le16_to_cpus(&temp_desc.bcdDevice);
210
211		len = sizeof(struct usb_device_descriptor) - pos;
212		if (len > nbytes)
213			len = nbytes;
214		if (copy_to_user(buf, ((char *)&temp_desc) + pos, len)) {
215			ret = -EFAULT;
216			goto err;
217		}
218
219		*ppos += len;
220		buf += len;
221		nbytes -= len;
222		ret += len;
223	}
224
225	pos = sizeof(struct usb_device_descriptor);
226	for (i = 0; nbytes && i < dev->descriptor.bNumConfigurations; i++) {
227		struct usb_config_descriptor *config =
228			(struct usb_config_descriptor *)dev->rawdescriptors[i];
229		unsigned int length = le16_to_cpu(config->wTotalLength);
230
231		if (*ppos < pos + length) {
232
233			/* The descriptor may claim to be longer than it
234			 * really is.  Here is the actual allocated length. */
235			unsigned alloclen =
236				le16_to_cpu(dev->config[i].desc.wTotalLength);
237
238			len = length - (*ppos - pos);
239			if (len > nbytes)
240				len = nbytes;
241
242			/* Simply don't write (skip over) unallocated parts */
243			if (alloclen > (*ppos - pos)) {
244				alloclen -= (*ppos - pos);
245				if (copy_to_user(buf,
246				    dev->rawdescriptors[i] + (*ppos - pos),
247				    min(len, alloclen))) {
248					ret = -EFAULT;
249					goto err;
250				}
251			}
252
253			*ppos += len;
254			buf += len;
255			nbytes -= len;
256			ret += len;
257		}
258
259		pos += length;
260	}
261
262err:
263	usb_unlock_device(dev);
264	return ret;
265}
266
267/*
268 * async list handling
269 */
270
271static struct async *alloc_async(unsigned int numisoframes)
272{
273	struct async *as;
274
275	as = kzalloc(sizeof(struct async), GFP_KERNEL);
276	if (!as)
277		return NULL;
278	as->urb = usb_alloc_urb(numisoframes, GFP_KERNEL);
279	if (!as->urb) {
280		kfree(as);
281		return NULL;
282	}
283	return as;
284}
285
286static void free_async(struct async *as)
287{
288	put_pid(as->pid);
289	if (as->cred)
290		put_cred(as->cred);
291	kfree(as->urb->transfer_buffer);
292	kfree(as->urb->setup_packet);
293	usb_free_urb(as->urb);
294	usbfs_decrease_memory_usage(as->mem_usage);
295	kfree(as);
296}
297
298static void async_newpending(struct async *as)
299{
300	struct dev_state *ps = as->ps;
301	unsigned long flags;
302
303	spin_lock_irqsave(&ps->lock, flags);
304	list_add_tail(&as->asynclist, &ps->async_pending);
305	spin_unlock_irqrestore(&ps->lock, flags);
306}
307
308static void async_removepending(struct async *as)
309{
310	struct dev_state *ps = as->ps;
311	unsigned long flags;
312
313	spin_lock_irqsave(&ps->lock, flags);
314	list_del_init(&as->asynclist);
315	spin_unlock_irqrestore(&ps->lock, flags);
316}
317
318static struct async *async_getcompleted(struct dev_state *ps)
319{
320	unsigned long flags;
321	struct async *as = NULL;
322
323	spin_lock_irqsave(&ps->lock, flags);
324	if (!list_empty(&ps->async_completed)) {
325		as = list_entry(ps->async_completed.next, struct async,
326				asynclist);
327		list_del_init(&as->asynclist);
328	}
329	spin_unlock_irqrestore(&ps->lock, flags);
330	return as;
331}
332
333static struct async *async_getpending(struct dev_state *ps,
334					     void __user *userurb)
335{
336	struct async *as;
337
338	list_for_each_entry(as, &ps->async_pending, asynclist)
339		if (as->userurb == userurb) {
340			list_del_init(&as->asynclist);
341			return as;
342		}
343
344	return NULL;
345}
346
347static void snoop_urb(struct usb_device *udev,
348		void __user *userurb, int pipe, unsigned length,
349		int timeout_or_status, enum snoop_when when,
350		unsigned char *data, unsigned data_len)
351{
352	static const char *types[] = {"isoc", "int", "ctrl", "bulk"};
353	static const char *dirs[] = {"out", "in"};
354	int ep;
355	const char *t, *d;
356
357	if (!usbfs_snoop)
358		return;
359
360	ep = usb_pipeendpoint(pipe);
361	t = types[usb_pipetype(pipe)];
362	d = dirs[!!usb_pipein(pipe)];
363
364	if (userurb) {		/* Async */
365		if (when == SUBMIT)
366			dev_info(&udev->dev, "userurb %p, ep%d %s-%s, "
367					"length %u\n",
368					userurb, ep, t, d, length);
369		else
370			dev_info(&udev->dev, "userurb %p, ep%d %s-%s, "
371					"actual_length %u status %d\n",
372					userurb, ep, t, d, length,
373					timeout_or_status);
374	} else {
375		if (when == SUBMIT)
376			dev_info(&udev->dev, "ep%d %s-%s, length %u, "
377					"timeout %d\n",
378					ep, t, d, length, timeout_or_status);
379		else
380			dev_info(&udev->dev, "ep%d %s-%s, actual_length %u, "
381					"status %d\n",
382					ep, t, d, length, timeout_or_status);
383	}
384
385	if (data && data_len > 0) {
386		print_hex_dump(KERN_DEBUG, "data: ", DUMP_PREFIX_NONE, 32, 1,
387			data, data_len, 1);
388	}
389}
390
391#define AS_CONTINUATION	1
392#define AS_UNLINK	2
393
394static void cancel_bulk_urbs(struct dev_state *ps, unsigned bulk_addr)
395__releases(ps->lock)
396__acquires(ps->lock)
397{
398	struct urb *urb;
399	struct async *as;
400
401	/* Mark all the pending URBs that match bulk_addr, up to but not
402	 * including the first one without AS_CONTINUATION.  If such an
403	 * URB is encountered then a new transfer has already started so
404	 * the endpoint doesn't need to be disabled; otherwise it does.
405	 */
406	list_for_each_entry(as, &ps->async_pending, asynclist) {
407		if (as->bulk_addr == bulk_addr) {
408			if (as->bulk_status != AS_CONTINUATION)
409				goto rescan;
410			as->bulk_status = AS_UNLINK;
411			as->bulk_addr = 0;
412		}
413	}
414	ps->disabled_bulk_eps |= (1 << bulk_addr);
415
416	/* Now carefully unlink all the marked pending URBs */
417 rescan:
418	list_for_each_entry(as, &ps->async_pending, asynclist) {
419		if (as->bulk_status == AS_UNLINK) {
420			as->bulk_status = 0;		/* Only once */
421			urb = as->urb;
422			usb_get_urb(urb);
423			spin_unlock(&ps->lock);		/* Allow completions */
424			usb_unlink_urb(urb);
425			usb_put_urb(urb);
426			spin_lock(&ps->lock);
427			goto rescan;
428		}
429	}
430}
431
432static void async_completed(struct urb *urb)
433{
434	struct async *as = urb->context;
435	struct dev_state *ps = as->ps;
436	struct siginfo sinfo;
437	struct pid *pid = NULL;
438	u32 secid = 0;
439	const struct cred *cred = NULL;
440	int signr;
441
442	spin_lock(&ps->lock);
443	list_move_tail(&as->asynclist, &ps->async_completed);
444	as->status = urb->status;
445	signr = as->signr;
446	if (signr) {
447		sinfo.si_signo = as->signr;
448		sinfo.si_errno = as->status;
449		sinfo.si_code = SI_ASYNCIO;
450		sinfo.si_addr = as->userurb;
451		pid = get_pid(as->pid);
452		cred = get_cred(as->cred);
453		secid = as->secid;
454	}
455	snoop(&urb->dev->dev, "urb complete\n");
456	snoop_urb(urb->dev, as->userurb, urb->pipe, urb->actual_length,
457			as->status, COMPLETE,
458			((urb->transfer_flags & URB_DIR_MASK) == USB_DIR_OUT) ?
459				NULL : urb->transfer_buffer, urb->actual_length);
460	if (as->status < 0 && as->bulk_addr && as->status != -ECONNRESET &&
461			as->status != -ENOENT)
462		cancel_bulk_urbs(ps, as->bulk_addr);
463	spin_unlock(&ps->lock);
464
465	if (signr) {
466		kill_pid_info_as_cred(sinfo.si_signo, &sinfo, pid, cred, secid);
467		put_pid(pid);
468		put_cred(cred);
469	}
470
471	wake_up(&ps->wait);
472}
473
474static void destroy_async(struct dev_state *ps, struct list_head *list)
475{
476	struct urb *urb;
477	struct async *as;
478	unsigned long flags;
479
480	spin_lock_irqsave(&ps->lock, flags);
481	while (!list_empty(list)) {
482		as = list_entry(list->next, struct async, asynclist);
483		list_del_init(&as->asynclist);
484		urb = as->urb;
485		usb_get_urb(urb);
486
487		/* drop the spinlock so the completion handler can run */
488		spin_unlock_irqrestore(&ps->lock, flags);
489		usb_kill_urb(urb);
490		usb_put_urb(urb);
491		spin_lock_irqsave(&ps->lock, flags);
492	}
493	spin_unlock_irqrestore(&ps->lock, flags);
494}
495
496static void destroy_async_on_interface(struct dev_state *ps,
497				       unsigned int ifnum)
498{
499	struct list_head *p, *q, hitlist;
500	unsigned long flags;
501
502	INIT_LIST_HEAD(&hitlist);
503	spin_lock_irqsave(&ps->lock, flags);
504	list_for_each_safe(p, q, &ps->async_pending)
505		if (ifnum == list_entry(p, struct async, asynclist)->ifnum)
506			list_move_tail(p, &hitlist);
507	spin_unlock_irqrestore(&ps->lock, flags);
508	destroy_async(ps, &hitlist);
509}
510
511static void destroy_all_async(struct dev_state *ps)
512{
513	destroy_async(ps, &ps->async_pending);
514}
515
516/*
517 * interface claims are made only at the request of user level code,
518 * which can also release them (explicitly or by closing files).
519 * they're also undone when devices disconnect.
520 */
521
522static int driver_probe(struct usb_interface *intf,
523			const struct usb_device_id *id)
524{
525	return -ENODEV;
526}
527
528static void driver_disconnect(struct usb_interface *intf)
529{
530	struct dev_state *ps = usb_get_intfdata(intf);
531	unsigned int ifnum = intf->altsetting->desc.bInterfaceNumber;
532
533	if (!ps)
534		return;
535
536	/* NOTE:  this relies on usbcore having canceled and completed
537	 * all pending I/O requests; 2.6 does that.
538	 */
539
540	if (likely(ifnum < 8*sizeof(ps->ifclaimed)))
541		clear_bit(ifnum, &ps->ifclaimed);
542	else
543		dev_warn(&intf->dev, "interface number %u out of range\n",
544			 ifnum);
545
546	usb_set_intfdata(intf, NULL);
547
548	/* force async requests to complete */
549	destroy_async_on_interface(ps, ifnum);
550}
551
552/* The following routines are merely placeholders.  There is no way
553 * to inform a user task about suspend or resumes.
554 */
555static int driver_suspend(struct usb_interface *intf, pm_message_t msg)
556{
557	return 0;
558}
559
560static int driver_resume(struct usb_interface *intf)
561{
562	return 0;
563}
564
565struct usb_driver usbfs_driver = {
566	.name =		"usbfs",
567	.probe =	driver_probe,
568	.disconnect =	driver_disconnect,
569	.suspend =	driver_suspend,
570	.resume =	driver_resume,
571};
572
573static int claimintf(struct dev_state *ps, unsigned int ifnum)
574{
575	struct usb_device *dev = ps->dev;
576	struct usb_interface *intf;
577	int err;
578
579	if (ifnum >= 8*sizeof(ps->ifclaimed))
580		return -EINVAL;
581	/* already claimed */
582	if (test_bit(ifnum, &ps->ifclaimed))
583		return 0;
584
585	intf = usb_ifnum_to_if(dev, ifnum);
586	if (!intf)
587		err = -ENOENT;
588	else
589		err = usb_driver_claim_interface(&usbfs_driver, intf, ps);
590	if (err == 0)
591		set_bit(ifnum, &ps->ifclaimed);
592	return err;
593}
594
595static int releaseintf(struct dev_state *ps, unsigned int ifnum)
596{
597	struct usb_device *dev;
598	struct usb_interface *intf;
599	int err;
600
601	err = -EINVAL;
602	if (ifnum >= 8*sizeof(ps->ifclaimed))
603		return err;
604	dev = ps->dev;
605	intf = usb_ifnum_to_if(dev, ifnum);
606	if (!intf)
607		err = -ENOENT;
608	else if (test_and_clear_bit(ifnum, &ps->ifclaimed)) {
609		usb_driver_release_interface(&usbfs_driver, intf);
610		err = 0;
611	}
612	return err;
613}
614
615static int checkintf(struct dev_state *ps, unsigned int ifnum)
616{
617	if (ps->dev->state != USB_STATE_CONFIGURED)
618		return -EHOSTUNREACH;
619	if (ifnum >= 8*sizeof(ps->ifclaimed))
620		return -EINVAL;
621	if (test_bit(ifnum, &ps->ifclaimed))
622		return 0;
623	/* if not yet claimed, claim it for the driver */
624	dev_warn(&ps->dev->dev, "usbfs: process %d (%s) did not claim "
625		 "interface %u before use\n", task_pid_nr(current),
626		 current->comm, ifnum);
627	return claimintf(ps, ifnum);
628}
629
630static int findintfep(struct usb_device *dev, unsigned int ep)
631{
632	unsigned int i, j, e;
633	struct usb_interface *intf;
634	struct usb_host_interface *alts;
635	struct usb_endpoint_descriptor *endpt;
636
637	if (ep & ~(USB_DIR_IN|0xf))
638		return -EINVAL;
639	if (!dev->actconfig)
640		return -ESRCH;
641	for (i = 0; i < dev->actconfig->desc.bNumInterfaces; i++) {
642		intf = dev->actconfig->interface[i];
643		for (j = 0; j < intf->num_altsetting; j++) {
644			alts = &intf->altsetting[j];
645			for (e = 0; e < alts->desc.bNumEndpoints; e++) {
646				endpt = &alts->endpoint[e].desc;
647				if (endpt->bEndpointAddress == ep)
648					return alts->desc.bInterfaceNumber;
649			}
650		}
651	}
652	return -ENOENT;
653}
654
655static int check_ctrlrecip(struct dev_state *ps, unsigned int requesttype,
656			   unsigned int request, unsigned int index)
657{
658	int ret = 0;
659	struct usb_host_interface *alt_setting;
660
661	if (ps->dev->state != USB_STATE_UNAUTHENTICATED
662	 && ps->dev->state != USB_STATE_ADDRESS
663	 && ps->dev->state != USB_STATE_CONFIGURED)
664		return -EHOSTUNREACH;
665	if (USB_TYPE_VENDOR == (USB_TYPE_MASK & requesttype))
666		return 0;
667
668	/*
669	 * check for the special corner case 'get_device_id' in the printer
670	 * class specification, where wIndex is (interface << 8 | altsetting)
671	 * instead of just interface
672	 */
673	if (requesttype == 0xa1 && request == 0) {
674		alt_setting = usb_find_alt_setting(ps->dev->actconfig,
675						   index >> 8, index & 0xff);
676		if (alt_setting
677		 && alt_setting->desc.bInterfaceClass == USB_CLASS_PRINTER)
678			index >>= 8;
679	}
680
681	index &= 0xff;
682	switch (requesttype & USB_RECIP_MASK) {
683	case USB_RECIP_ENDPOINT:
684		ret = findintfep(ps->dev, index);
685		if (ret >= 0)
686			ret = checkintf(ps, ret);
687		break;
688
689	case USB_RECIP_INTERFACE:
690		ret = checkintf(ps, index);
691		break;
692	}
693	return ret;
694}
695
696static int match_devt(struct device *dev, void *data)
697{
698	return dev->devt == (dev_t) (unsigned long) data;
699}
700
701static struct usb_device *usbdev_lookup_by_devt(dev_t devt)
702{
703	struct device *dev;
704
705	dev = bus_find_device(&usb_bus_type, NULL,
706			      (void *) (unsigned long) devt, match_devt);
707	if (!dev)
708		return NULL;
709	return container_of(dev, struct usb_device, dev);
710}
711
712/*
713 * file operations
714 */
715static int usbdev_open(struct inode *inode, struct file *file)
716{
717	struct usb_device *dev = NULL;
718	struct dev_state *ps;
719	int ret;
720
721	ret = -ENOMEM;
722	ps = kmalloc(sizeof(struct dev_state), GFP_KERNEL);
723	if (!ps)
724		goto out_free_ps;
725
726	ret = -ENODEV;
727
728	/* Protect against simultaneous removal or release */
729	mutex_lock(&usbfs_mutex);
730
731	/* usbdev device-node */
732	if (imajor(inode) == USB_DEVICE_MAJOR)
733		dev = usbdev_lookup_by_devt(inode->i_rdev);
734
735#ifdef CONFIG_USB_DEVICEFS
736	/* procfs file */
737	if (!dev) {
738		dev = inode->i_private;
739		if (dev && dev->usbfs_dentry &&
740					dev->usbfs_dentry->d_inode == inode)
741			usb_get_dev(dev);
742		else
743			dev = NULL;
744	}
745#endif
746	mutex_unlock(&usbfs_mutex);
747
748	if (!dev)
749		goto out_free_ps;
750
751	usb_lock_device(dev);
752	if (dev->state == USB_STATE_NOTATTACHED)
753		goto out_unlock_device;
754
755	ret = usb_autoresume_device(dev);
756	if (ret)
757		goto out_unlock_device;
758
759	ps->dev = dev;
760	ps->file = file;
761	spin_lock_init(&ps->lock);
762	INIT_LIST_HEAD(&ps->list);
763	INIT_LIST_HEAD(&ps->async_pending);
764	INIT_LIST_HEAD(&ps->async_completed);
765	init_waitqueue_head(&ps->wait);
766	ps->discsignr = 0;
767	ps->disc_pid = get_pid(task_pid(current));
768	ps->cred = get_current_cred();
769	ps->disccontext = NULL;
770	ps->ifclaimed = 0;
771	security_task_getsecid(current, &ps->secid);
772	smp_wmb();
773	list_add_tail(&ps->list, &dev->filelist);
774	file->private_data = ps;
775	usb_unlock_device(dev);
776	snoop(&dev->dev, "opened by process %d: %s\n", task_pid_nr(current),
777			current->comm);
778	return ret;
779
780 out_unlock_device:
781	usb_unlock_device(dev);
782	usb_put_dev(dev);
783 out_free_ps:
784	kfree(ps);
785	return ret;
786}
787
788static int usbdev_release(struct inode *inode, struct file *file)
789{
790	struct dev_state *ps = file->private_data;
791	struct usb_device *dev = ps->dev;
792	unsigned int ifnum;
793	struct async *as;
794
795	usb_lock_device(dev);
796	usb_hub_release_all_ports(dev, ps);
797
798	list_del_init(&ps->list);
799
800	for (ifnum = 0; ps->ifclaimed && ifnum < 8*sizeof(ps->ifclaimed);
801			ifnum++) {
802		if (test_bit(ifnum, &ps->ifclaimed))
803			releaseintf(ps, ifnum);
804	}
805	destroy_all_async(ps);
806	usb_autosuspend_device(dev);
807	usb_unlock_device(dev);
808	usb_put_dev(dev);
809	put_pid(ps->disc_pid);
810	put_cred(ps->cred);
811
812	as = async_getcompleted(ps);
813	while (as) {
814		free_async(as);
815		as = async_getcompleted(ps);
816	}
817	kfree(ps);
818	return 0;
819}
820
821static int proc_control(struct dev_state *ps, void __user *arg)
822{
823	struct usb_device *dev = ps->dev;
824	struct usbdevfs_ctrltransfer ctrl;
825	unsigned int tmo;
826	unsigned char *tbuf;
827	unsigned wLength;
828	int i, pipe, ret;
829
830	if (copy_from_user(&ctrl, arg, sizeof(ctrl)))
831		return -EFAULT;
832	ret = check_ctrlrecip(ps, ctrl.bRequestType, ctrl.bRequest,
833			      ctrl.wIndex);
834	if (ret)
835		return ret;
836	wLength = ctrl.wLength;		/* To suppress 64k PAGE_SIZE warning */
837	if (wLength > PAGE_SIZE)
838		return -EINVAL;
839	ret = usbfs_increase_memory_usage(PAGE_SIZE + sizeof(struct urb) +
840			sizeof(struct usb_ctrlrequest));
841	if (ret)
842		return ret;
843	tbuf = (unsigned char *)__get_free_page(GFP_KERNEL);
844	if (!tbuf) {
845		ret = -ENOMEM;
846		goto done;
847	}
848	tmo = ctrl.timeout;
849	snoop(&dev->dev, "control urb: bRequestType=%02x "
850		"bRequest=%02x wValue=%04x "
851		"wIndex=%04x wLength=%04x\n",
852		ctrl.bRequestType, ctrl.bRequest,
853		__le16_to_cpup(&ctrl.wValue),
854		__le16_to_cpup(&ctrl.wIndex),
855		__le16_to_cpup(&ctrl.wLength));
856	if (ctrl.bRequestType & 0x80) {
857		if (ctrl.wLength && !access_ok(VERIFY_WRITE, ctrl.data,
858					       ctrl.wLength)) {
859			ret = -EINVAL;
860			goto done;
861		}
862		pipe = usb_rcvctrlpipe(dev, 0);
863		snoop_urb(dev, NULL, pipe, ctrl.wLength, tmo, SUBMIT, NULL, 0);
864
865		usb_unlock_device(dev);
866		i = usb_control_msg(dev, pipe, ctrl.bRequest,
867				    ctrl.bRequestType, ctrl.wValue, ctrl.wIndex,
868				    tbuf, ctrl.wLength, tmo);
869		usb_lock_device(dev);
870		snoop_urb(dev, NULL, pipe, max(i, 0), min(i, 0), COMPLETE,
871			  tbuf, max(i, 0));
872		if ((i > 0) && ctrl.wLength) {
873			if (copy_to_user(ctrl.data, tbuf, i)) {
874				ret = -EFAULT;
875				goto done;
876			}
877		}
878	} else {
879		if (ctrl.wLength) {
880			if (copy_from_user(tbuf, ctrl.data, ctrl.wLength)) {
881				ret = -EFAULT;
882				goto done;
883			}
884		}
885		pipe = usb_sndctrlpipe(dev, 0);
886		snoop_urb(dev, NULL, pipe, ctrl.wLength, tmo, SUBMIT,
887			tbuf, ctrl.wLength);
888
889		usb_unlock_device(dev);
890		i = usb_control_msg(dev, usb_sndctrlpipe(dev, 0), ctrl.bRequest,
891				    ctrl.bRequestType, ctrl.wValue, ctrl.wIndex,
892				    tbuf, ctrl.wLength, tmo);
893		usb_lock_device(dev);
894		snoop_urb(dev, NULL, pipe, max(i, 0), min(i, 0), COMPLETE, NULL, 0);
895	}
896	if (i < 0 && i != -EPIPE) {
897		dev_printk(KERN_DEBUG, &dev->dev, "usbfs: USBDEVFS_CONTROL "
898			   "failed cmd %s rqt %u rq %u len %u ret %d\n",
899			   current->comm, ctrl.bRequestType, ctrl.bRequest,
900			   ctrl.wLength, i);
901	}
902	ret = i;
903 done:
904	free_page((unsigned long) tbuf);
905	usbfs_decrease_memory_usage(PAGE_SIZE + sizeof(struct urb) +
906			sizeof(struct usb_ctrlrequest));
907	return ret;
908}
909
910static int proc_bulk(struct dev_state *ps, void __user *arg)
911{
912	struct usb_device *dev = ps->dev;
913	struct usbdevfs_bulktransfer bulk;
914	unsigned int tmo, len1, pipe;
915	int len2;
916	unsigned char *tbuf;
917	int i, ret;
918
919	if (copy_from_user(&bulk, arg, sizeof(bulk)))
920		return -EFAULT;
921	ret = findintfep(ps->dev, bulk.ep);
922	if (ret < 0)
923		return ret;
924	ret = checkintf(ps, ret);
925	if (ret)
926		return ret;
927	if (bulk.ep & USB_DIR_IN)
928		pipe = usb_rcvbulkpipe(dev, bulk.ep & 0x7f);
929	else
930		pipe = usb_sndbulkpipe(dev, bulk.ep & 0x7f);
931	if (!usb_maxpacket(dev, pipe, !(bulk.ep & USB_DIR_IN)))
932		return -EINVAL;
933	len1 = bulk.len;
934	if (len1 >= USBFS_XFER_MAX)
935		return -EINVAL;
936	ret = usbfs_increase_memory_usage(len1 + sizeof(struct urb));
937	if (ret)
938		return ret;
939	if (!(tbuf = kmalloc(len1, GFP_KERNEL))) {
940		ret = -ENOMEM;
941		goto done;
942	}
943	tmo = bulk.timeout;
944	if (bulk.ep & 0x80) {
945		if (len1 && !access_ok(VERIFY_WRITE, bulk.data, len1)) {
946			ret = -EINVAL;
947			goto done;
948		}
949		snoop_urb(dev, NULL, pipe, len1, tmo, SUBMIT, NULL, 0);
950
951		usb_unlock_device(dev);
952		i = usb_bulk_msg(dev, pipe, tbuf, len1, &len2, tmo);
953		usb_lock_device(dev);
954		snoop_urb(dev, NULL, pipe, len2, i, COMPLETE, tbuf, len2);
955
956		if (!i && len2) {
957			if (copy_to_user(bulk.data, tbuf, len2)) {
958				ret = -EFAULT;
959				goto done;
960			}
961		}
962	} else {
963		if (len1) {
964			if (copy_from_user(tbuf, bulk.data, len1)) {
965				ret = -EFAULT;
966				goto done;
967			}
968		}
969		snoop_urb(dev, NULL, pipe, len1, tmo, SUBMIT, tbuf, len1);
970
971		usb_unlock_device(dev);
972		i = usb_bulk_msg(dev, pipe, tbuf, len1, &len2, tmo);
973		usb_lock_device(dev);
974		snoop_urb(dev, NULL, pipe, len2, i, COMPLETE, NULL, 0);
975	}
976	ret = (i < 0 ? i : len2);
977 done:
978	kfree(tbuf);
979	usbfs_decrease_memory_usage(len1 + sizeof(struct urb));
980	return ret;
981}
982
983static int proc_resetep(struct dev_state *ps, void __user *arg)
984{
985	unsigned int ep;
986	int ret;
987
988	if (get_user(ep, (unsigned int __user *)arg))
989		return -EFAULT;
990	ret = findintfep(ps->dev, ep);
991	if (ret < 0)
992		return ret;
993	ret = checkintf(ps, ret);
994	if (ret)
995		return ret;
996	usb_reset_endpoint(ps->dev, ep);
997	return 0;
998}
999
1000static int proc_clearhalt(struct dev_state *ps, void __user *arg)
1001{
1002	unsigned int ep;
1003	int pipe;
1004	int ret;
1005
1006	if (get_user(ep, (unsigned int __user *)arg))
1007		return -EFAULT;
1008	ret = findintfep(ps->dev, ep);
1009	if (ret < 0)
1010		return ret;
1011	ret = checkintf(ps, ret);
1012	if (ret)
1013		return ret;
1014	if (ep & USB_DIR_IN)
1015		pipe = usb_rcvbulkpipe(ps->dev, ep & 0x7f);
1016	else
1017		pipe = usb_sndbulkpipe(ps->dev, ep & 0x7f);
1018
1019	return usb_clear_halt(ps->dev, pipe);
1020}
1021
1022static int proc_getdriver(struct dev_state *ps, void __user *arg)
1023{
1024	struct usbdevfs_getdriver gd;
1025	struct usb_interface *intf;
1026	int ret;
1027
1028	if (copy_from_user(&gd, arg, sizeof(gd)))
1029		return -EFAULT;
1030	intf = usb_ifnum_to_if(ps->dev, gd.interface);
1031	if (!intf || !intf->dev.driver)
1032		ret = -ENODATA;
1033	else {
1034		strncpy(gd.driver, intf->dev.driver->name,
1035				sizeof(gd.driver));
1036		ret = (copy_to_user(arg, &gd, sizeof(gd)) ? -EFAULT : 0);
1037	}
1038	return ret;
1039}
1040
1041static int proc_connectinfo(struct dev_state *ps, void __user *arg)
1042{
1043	struct usbdevfs_connectinfo ci = {
1044		.devnum = ps->dev->devnum,
1045		.slow = ps->dev->speed == USB_SPEED_LOW
1046	};
1047
1048	if (copy_to_user(arg, &ci, sizeof(ci)))
1049		return -EFAULT;
1050	return 0;
1051}
1052
1053static int proc_resetdevice(struct dev_state *ps)
1054{
1055	return usb_reset_device(ps->dev);
1056}
1057
1058static int proc_setintf(struct dev_state *ps, void __user *arg)
1059{
1060	struct usbdevfs_setinterface setintf;
1061	int ret;
1062
1063	if (copy_from_user(&setintf, arg, sizeof(setintf)))
1064		return -EFAULT;
1065	if ((ret = checkintf(ps, setintf.interface)))
1066		return ret;
1067	return usb_set_interface(ps->dev, setintf.interface,
1068			setintf.altsetting);
1069}
1070
1071static int proc_setconfig(struct dev_state *ps, void __user *arg)
1072{
1073	int u;
1074	int status = 0;
1075	struct usb_host_config *actconfig;
1076
1077	if (get_user(u, (int __user *)arg))
1078		return -EFAULT;
1079
1080	actconfig = ps->dev->actconfig;
1081
1082	/* Don't touch the device if any interfaces are claimed.
1083	 * It could interfere with other drivers' operations, and if
1084	 * an interface is claimed by usbfs it could easily deadlock.
1085	 */
1086	if (actconfig) {
1087		int i;
1088
1089		for (i = 0; i < actconfig->desc.bNumInterfaces; ++i) {
1090			if (usb_interface_claimed(actconfig->interface[i])) {
1091				dev_warn(&ps->dev->dev,
1092					"usbfs: interface %d claimed by %s "
1093					"while '%s' sets config #%d\n",
1094					actconfig->interface[i]
1095						->cur_altsetting
1096						->desc.bInterfaceNumber,
1097					actconfig->interface[i]
1098						->dev.driver->name,
1099					current->comm, u);
1100				status = -EBUSY;
1101				break;
1102			}
1103		}
1104	}
1105
1106	/* SET_CONFIGURATION is often abused as a "cheap" driver reset,
1107	 * so avoid usb_set_configuration()'s kick to sysfs
1108	 */
1109	if (status == 0) {
1110		if (actconfig && actconfig->desc.bConfigurationValue == u)
1111			status = usb_reset_configuration(ps->dev);
1112		else
1113			status = usb_set_configuration(ps->dev, u);
1114	}
1115
1116	return status;
1117}
1118
1119static int proc_do_submiturb(struct dev_state *ps, struct usbdevfs_urb *uurb,
1120			struct usbdevfs_iso_packet_desc __user *iso_frame_desc,
1121			void __user *arg)
1122{
1123	struct usbdevfs_iso_packet_desc *isopkt = NULL;
1124	struct usb_host_endpoint *ep;
1125	struct async *as = NULL;
1126	struct usb_ctrlrequest *dr = NULL;
1127	unsigned int u, totlen, isofrmlen;
1128	int ret, ifnum = -1;
1129	int is_in;
1130
1131	if (uurb->flags & ~(USBDEVFS_URB_ISO_ASAP |
1132				USBDEVFS_URB_SHORT_NOT_OK |
1133				USBDEVFS_URB_BULK_CONTINUATION |
1134				USBDEVFS_URB_NO_FSBR |
1135				USBDEVFS_URB_ZERO_PACKET |
1136				USBDEVFS_URB_NO_INTERRUPT))
1137		return -EINVAL;
1138	if (uurb->buffer_length > 0 && !uurb->buffer)
1139		return -EINVAL;
1140	if (!(uurb->type == USBDEVFS_URB_TYPE_CONTROL &&
1141	    (uurb->endpoint & ~USB_ENDPOINT_DIR_MASK) == 0)) {
1142		ifnum = findintfep(ps->dev, uurb->endpoint);
1143		if (ifnum < 0)
1144			return ifnum;
1145		ret = checkintf(ps, ifnum);
1146		if (ret)
1147			return ret;
1148	}
1149	if ((uurb->endpoint & USB_ENDPOINT_DIR_MASK) != 0) {
1150		is_in = 1;
1151		ep = ps->dev->ep_in[uurb->endpoint & USB_ENDPOINT_NUMBER_MASK];
1152	} else {
1153		is_in = 0;
1154		ep = ps->dev->ep_out[uurb->endpoint & USB_ENDPOINT_NUMBER_MASK];
1155	}
1156	if (!ep)
1157		return -ENOENT;
1158
1159	u = 0;
1160	switch(uurb->type) {
1161	case USBDEVFS_URB_TYPE_CONTROL:
1162		if (!usb_endpoint_xfer_control(&ep->desc))
1163			return -EINVAL;
1164		/* min 8 byte setup packet */
1165		if (uurb->buffer_length < 8)
1166			return -EINVAL;
1167		dr = kmalloc(sizeof(struct usb_ctrlrequest), GFP_KERNEL);
1168		if (!dr)
1169			return -ENOMEM;
1170		if (copy_from_user(dr, uurb->buffer, 8)) {
1171			ret = -EFAULT;
1172			goto error;
1173		}
1174		if (uurb->buffer_length < (le16_to_cpup(&dr->wLength) + 8)) {
1175			ret = -EINVAL;
1176			goto error;
1177		}
1178		ret = check_ctrlrecip(ps, dr->bRequestType, dr->bRequest,
1179				      le16_to_cpup(&dr->wIndex));
1180		if (ret)
1181			goto error;
1182		uurb->number_of_packets = 0;
1183		uurb->buffer_length = le16_to_cpup(&dr->wLength);
1184		uurb->buffer += 8;
1185		if ((dr->bRequestType & USB_DIR_IN) && uurb->buffer_length) {
1186			is_in = 1;
1187			uurb->endpoint |= USB_DIR_IN;
1188		} else {
1189			is_in = 0;
1190			uurb->endpoint &= ~USB_DIR_IN;
1191		}
1192		snoop(&ps->dev->dev, "control urb: bRequestType=%02x "
1193			"bRequest=%02x wValue=%04x "
1194			"wIndex=%04x wLength=%04x\n",
1195			dr->bRequestType, dr->bRequest,
1196			__le16_to_cpup(&dr->wValue),
1197			__le16_to_cpup(&dr->wIndex),
1198			__le16_to_cpup(&dr->wLength));
1199		u = sizeof(struct usb_ctrlrequest);
1200		break;
1201
1202	case USBDEVFS_URB_TYPE_BULK:
1203		switch (usb_endpoint_type(&ep->desc)) {
1204		case USB_ENDPOINT_XFER_CONTROL:
1205		case USB_ENDPOINT_XFER_ISOC:
1206			return -EINVAL;
1207		case USB_ENDPOINT_XFER_INT:
1208			/* allow single-shot interrupt transfers */
1209			uurb->type = USBDEVFS_URB_TYPE_INTERRUPT;
1210			goto interrupt_urb;
1211		}
1212		uurb->number_of_packets = 0;
1213		break;
1214
1215	case USBDEVFS_URB_TYPE_INTERRUPT:
1216		if (!usb_endpoint_xfer_int(&ep->desc))
1217			return -EINVAL;
1218 interrupt_urb:
1219		uurb->number_of_packets = 0;
1220		break;
1221
1222	case USBDEVFS_URB_TYPE_ISO:
1223		/* arbitrary limit */
1224		if (uurb->number_of_packets < 1 ||
1225		    uurb->number_of_packets > 128)
1226			return -EINVAL;
1227		if (!usb_endpoint_xfer_isoc(&ep->desc))
1228			return -EINVAL;
1229		isofrmlen = sizeof(struct usbdevfs_iso_packet_desc) *
1230				   uurb->number_of_packets;
1231		if (!(isopkt = kmalloc(isofrmlen, GFP_KERNEL)))
1232			return -ENOMEM;
1233		if (copy_from_user(isopkt, iso_frame_desc, isofrmlen)) {
1234			ret = -EFAULT;
1235			goto error;
1236		}
1237		for (totlen = u = 0; u < uurb->number_of_packets; u++) {
1238			/* arbitrary limit,
1239			 * sufficient for USB 2.0 high-bandwidth iso */
1240			if (isopkt[u].length > 8192) {
1241				ret = -EINVAL;
1242				goto error;
1243			}
1244			totlen += isopkt[u].length;
1245		}
1246		u *= sizeof(struct usb_iso_packet_descriptor);
1247		uurb->buffer_length = totlen;
1248		break;
1249
1250	default:
1251		return -EINVAL;
1252	}
1253
1254	if (uurb->buffer_length >= USBFS_XFER_MAX) {
1255		ret = -EINVAL;
1256		goto error;
1257	}
1258	if (uurb->buffer_length > 0 &&
1259			!access_ok(is_in ? VERIFY_WRITE : VERIFY_READ,
1260				uurb->buffer, uurb->buffer_length)) {
1261		ret = -EFAULT;
1262		goto error;
1263	}
1264	as = alloc_async(uurb->number_of_packets);
1265	if (!as) {
1266		ret = -ENOMEM;
1267		goto error;
1268	}
1269	u += sizeof(struct async) + sizeof(struct urb) + uurb->buffer_length;
1270	ret = usbfs_increase_memory_usage(u);
1271	if (ret)
1272		goto error;
1273	as->mem_usage = u;
1274
1275	if (uurb->buffer_length > 0) {
1276		as->urb->transfer_buffer = kmalloc(uurb->buffer_length,
1277				GFP_KERNEL);
1278		if (!as->urb->transfer_buffer) {
1279			ret = -ENOMEM;
1280			goto error;
1281		}
1282		/* Isochronous input data may end up being discontiguous
1283		 * if some of the packets are short.  Clear the buffer so
1284		 * that the gaps don't leak kernel data to userspace.
1285		 */
1286		if (is_in && uurb->type == USBDEVFS_URB_TYPE_ISO)
1287			memset(as->urb->transfer_buffer, 0,
1288					uurb->buffer_length);
1289	}
1290	as->urb->dev = ps->dev;
1291	as->urb->pipe = (uurb->type << 30) |
1292			__create_pipe(ps->dev, uurb->endpoint & 0xf) |
1293			(uurb->endpoint & USB_DIR_IN);
1294
1295	/* This tedious sequence is necessary because the URB_* flags
1296	 * are internal to the kernel and subject to change, whereas
1297	 * the USBDEVFS_URB_* flags are a user API and must not be changed.
1298	 */
1299	u = (is_in ? URB_DIR_IN : URB_DIR_OUT);
1300	if (uurb->flags & USBDEVFS_URB_ISO_ASAP)
1301		u |= URB_ISO_ASAP;
1302	if (uurb->flags & USBDEVFS_URB_SHORT_NOT_OK)
1303		u |= URB_SHORT_NOT_OK;
1304	if (uurb->flags & USBDEVFS_URB_NO_FSBR)
1305		u |= URB_NO_FSBR;
1306	if (uurb->flags & USBDEVFS_URB_ZERO_PACKET)
1307		u |= URB_ZERO_PACKET;
1308	if (uurb->flags & USBDEVFS_URB_NO_INTERRUPT)
1309		u |= URB_NO_INTERRUPT;
1310	as->urb->transfer_flags = u;
1311
1312	as->urb->transfer_buffer_length = uurb->buffer_length;
1313	as->urb->setup_packet = (unsigned char *)dr;
1314	dr = NULL;
1315	as->urb->start_frame = uurb->start_frame;
1316	as->urb->number_of_packets = uurb->number_of_packets;
1317	if (uurb->type == USBDEVFS_URB_TYPE_ISO ||
1318			ps->dev->speed == USB_SPEED_HIGH)
1319		as->urb->interval = 1 << min(15, ep->desc.bInterval - 1);
1320	else
1321		as->urb->interval = ep->desc.bInterval;
1322	as->urb->context = as;
1323	as->urb->complete = async_completed;
1324	for (totlen = u = 0; u < uurb->number_of_packets; u++) {
1325		as->urb->iso_frame_desc[u].offset = totlen;
1326		as->urb->iso_frame_desc[u].length = isopkt[u].length;
1327		totlen += isopkt[u].length;
1328	}
1329	kfree(isopkt);
1330	isopkt = NULL;
1331	as->ps = ps;
1332	as->userurb = arg;
1333	if (is_in && uurb->buffer_length > 0)
1334		as->userbuffer = uurb->buffer;
1335	else
1336		as->userbuffer = NULL;
1337	as->signr = uurb->signr;
1338	as->ifnum = ifnum;
1339	as->pid = get_pid(task_pid(current));
1340	as->cred = get_current_cred();
1341	security_task_getsecid(current, &as->secid);
1342	if (!is_in && uurb->buffer_length > 0) {
1343		if (copy_from_user(as->urb->transfer_buffer, uurb->buffer,
1344				uurb->buffer_length)) {
1345			ret = -EFAULT;
1346			goto error;
1347		}
1348	}
1349	snoop_urb(ps->dev, as->userurb, as->urb->pipe,
1350			as->urb->transfer_buffer_length, 0, SUBMIT,
1351			is_in ? NULL : as->urb->transfer_buffer,
1352				uurb->buffer_length);
1353	async_newpending(as);
1354
1355	if (usb_endpoint_xfer_bulk(&ep->desc)) {
1356		spin_lock_irq(&ps->lock);
1357
1358		/* Not exactly the endpoint address; the direction bit is
1359		 * shifted to the 0x10 position so that the value will be
1360		 * between 0 and 31.
1361		 */
1362		as->bulk_addr = usb_endpoint_num(&ep->desc) |
1363			((ep->desc.bEndpointAddress & USB_ENDPOINT_DIR_MASK)
1364				>> 3);
1365
1366		/* If this bulk URB is the start of a new transfer, re-enable
1367		 * the endpoint.  Otherwise mark it as a continuation URB.
1368		 */
1369		if (uurb->flags & USBDEVFS_URB_BULK_CONTINUATION)
1370			as->bulk_status = AS_CONTINUATION;
1371		else
1372			ps->disabled_bulk_eps &= ~(1 << as->bulk_addr);
1373
1374		/* Don't accept continuation URBs if the endpoint is
1375		 * disabled because of an earlier error.
1376		 */
1377		if (ps->disabled_bulk_eps & (1 << as->bulk_addr))
1378			ret = -EREMOTEIO;
1379		else
1380			ret = usb_submit_urb(as->urb, GFP_ATOMIC);
1381		spin_unlock_irq(&ps->lock);
1382	} else {
1383		ret = usb_submit_urb(as->urb, GFP_KERNEL);
1384	}
1385
1386	if (ret) {
1387		dev_printk(KERN_DEBUG, &ps->dev->dev,
1388			   "usbfs: usb_submit_urb returned %d\n", ret);
1389		snoop_urb(ps->dev, as->userurb, as->urb->pipe,
1390				0, ret, COMPLETE, NULL, 0);
1391		async_removepending(as);
1392		goto error;
1393	}
1394	return 0;
1395
1396 error:
1397	kfree(isopkt);
1398	kfree(dr);
1399	if (as)
1400		free_async(as);
1401	return ret;
1402}
1403
1404static int proc_submiturb(struct dev_state *ps, void __user *arg)
1405{
1406	struct usbdevfs_urb uurb;
1407
1408	if (copy_from_user(&uurb, arg, sizeof(uurb)))
1409		return -EFAULT;
1410
1411	return proc_do_submiturb(ps, &uurb,
1412			(((struct usbdevfs_urb __user *)arg)->iso_frame_desc),
1413			arg);
1414}
1415
1416static int proc_unlinkurb(struct dev_state *ps, void __user *arg)
1417{
1418	struct urb *urb;
1419	struct async *as;
1420	unsigned long flags;
1421
1422	spin_lock_irqsave(&ps->lock, flags);
1423	as = async_getpending(ps, arg);
1424	if (!as) {
1425		spin_unlock_irqrestore(&ps->lock, flags);
1426		return -EINVAL;
1427	}
1428
1429	urb = as->urb;
1430	usb_get_urb(urb);
1431	spin_unlock_irqrestore(&ps->lock, flags);
1432
1433	usb_kill_urb(urb);
1434	usb_put_urb(urb);
1435
1436	return 0;
1437}
1438
1439static int processcompl(struct async *as, void __user * __user *arg)
1440{
1441	struct urb *urb = as->urb;
1442	struct usbdevfs_urb __user *userurb = as->userurb;
1443	void __user *addr = as->userurb;
1444	unsigned int i;
1445
1446	if (as->userbuffer && urb->actual_length) {
1447		if (urb->number_of_packets > 0)		/* Isochronous */
1448			i = urb->transfer_buffer_length;
1449		else					/* Non-Isoc */
1450			i = urb->actual_length;
1451		if (copy_to_user(as->userbuffer, urb->transfer_buffer, i))
1452			goto err_out;
1453	}
1454	if (put_user(as->status, &userurb->status))
1455		goto err_out;
1456	if (put_user(urb->actual_length, &userurb->actual_length))
1457		goto err_out;
1458	if (put_user(urb->error_count, &userurb->error_count))
1459		goto err_out;
1460
1461	if (usb_endpoint_xfer_isoc(&urb->ep->desc)) {
1462		for (i = 0; i < urb->number_of_packets; i++) {
1463			if (put_user(urb->iso_frame_desc[i].actual_length,
1464				     &userurb->iso_frame_desc[i].actual_length))
1465				goto err_out;
1466			if (put_user(urb->iso_frame_desc[i].status,
1467				     &userurb->iso_frame_desc[i].status))
1468				goto err_out;
1469		}
1470	}
1471
1472	if (put_user(addr, (void __user * __user *)arg))
1473		return -EFAULT;
1474	return 0;
1475
1476err_out:
1477	return -EFAULT;
1478}
1479
1480static struct async *reap_as(struct dev_state *ps)
1481{
1482	DECLARE_WAITQUEUE(wait, current);
1483	struct async *as = NULL;
1484	struct usb_device *dev = ps->dev;
1485
1486	add_wait_queue(&ps->wait, &wait);
1487	for (;;) {
1488		__set_current_state(TASK_INTERRUPTIBLE);
1489		as = async_getcompleted(ps);
1490		if (as)
1491			break;
1492		if (signal_pending(current))
1493			break;
1494		usb_unlock_device(dev);
1495		schedule();
1496		usb_lock_device(dev);
1497	}
1498	remove_wait_queue(&ps->wait, &wait);
1499	set_current_state(TASK_RUNNING);
1500	return as;
1501}
1502
1503static int proc_reapurb(struct dev_state *ps, void __user *arg)
1504{
1505	struct async *as = reap_as(ps);
1506	if (as) {
1507		int retval = processcompl(as, (void __user * __user *)arg);
1508		free_async(as);
1509		return retval;
1510	}
1511	if (signal_pending(current))
1512		return -EINTR;
1513	return -EIO;
1514}
1515
1516static int proc_reapurbnonblock(struct dev_state *ps, void __user *arg)
1517{
1518	int retval;
1519	struct async *as;
1520
1521	as = async_getcompleted(ps);
1522	retval = -EAGAIN;
1523	if (as) {
1524		retval = processcompl(as, (void __user * __user *)arg);
1525		free_async(as);
1526	}
1527	return retval;
1528}
1529
1530#ifdef CONFIG_COMPAT
1531static int proc_control_compat(struct dev_state *ps,
1532				struct usbdevfs_ctrltransfer32 __user *p32)
1533{
1534        struct usbdevfs_ctrltransfer __user *p;
1535        __u32 udata;
1536        p = compat_alloc_user_space(sizeof(*p));
1537        if (copy_in_user(p, p32, (sizeof(*p32) - sizeof(compat_caddr_t))) ||
1538            get_user(udata, &p32->data) ||
1539	    put_user(compat_ptr(udata), &p->data))
1540		return -EFAULT;
1541        return proc_control(ps, p);
1542}
1543
1544static int proc_bulk_compat(struct dev_state *ps,
1545			struct usbdevfs_bulktransfer32 __user *p32)
1546{
1547        struct usbdevfs_bulktransfer __user *p;
1548        compat_uint_t n;
1549        compat_caddr_t addr;
1550
1551        p = compat_alloc_user_space(sizeof(*p));
1552
1553        if (get_user(n, &p32->ep) || put_user(n, &p->ep) ||
1554            get_user(n, &p32->len) || put_user(n, &p->len) ||
1555            get_user(n, &p32->timeout) || put_user(n, &p->timeout) ||
1556            get_user(addr, &p32->data) || put_user(compat_ptr(addr), &p->data))
1557                return -EFAULT;
1558
1559        return proc_bulk(ps, p);
1560}
1561static int proc_disconnectsignal_compat(struct dev_state *ps, void __user *arg)
1562{
1563	struct usbdevfs_disconnectsignal32 ds;
1564
1565	if (copy_from_user(&ds, arg, sizeof(ds)))
1566		return -EFAULT;
1567	ps->discsignr = ds.signr;
1568	ps->disccontext = compat_ptr(ds.context);
1569	return 0;
1570}
1571
1572static int get_urb32(struct usbdevfs_urb *kurb,
1573		     struct usbdevfs_urb32 __user *uurb)
1574{
1575	__u32  uptr;
1576	if (!access_ok(VERIFY_READ, uurb, sizeof(*uurb)) ||
1577	    __get_user(kurb->type, &uurb->type) ||
1578	    __get_user(kurb->endpoint, &uurb->endpoint) ||
1579	    __get_user(kurb->status, &uurb->status) ||
1580	    __get_user(kurb->flags, &uurb->flags) ||
1581	    __get_user(kurb->buffer_length, &uurb->buffer_length) ||
1582	    __get_user(kurb->actual_length, &uurb->actual_length) ||
1583	    __get_user(kurb->start_frame, &uurb->start_frame) ||
1584	    __get_user(kurb->number_of_packets, &uurb->number_of_packets) ||
1585	    __get_user(kurb->error_count, &uurb->error_count) ||
1586	    __get_user(kurb->signr, &uurb->signr))
1587		return -EFAULT;
1588
1589	if (__get_user(uptr, &uurb->buffer))
1590		return -EFAULT;
1591	kurb->buffer = compat_ptr(uptr);
1592	if (__get_user(uptr, &uurb->usercontext))
1593		return -EFAULT;
1594	kurb->usercontext = compat_ptr(uptr);
1595
1596	return 0;
1597}
1598
1599static int proc_submiturb_compat(struct dev_state *ps, void __user *arg)
1600{
1601	struct usbdevfs_urb uurb;
1602
1603	if (get_urb32(&uurb, (struct usbdevfs_urb32 __user *)arg))
1604		return -EFAULT;
1605
1606	return proc_do_submiturb(ps, &uurb,
1607			((struct usbdevfs_urb32 __user *)arg)->iso_frame_desc,
1608			arg);
1609}
1610
1611static int processcompl_compat(struct async *as, void __user * __user *arg)
1612{
1613	struct urb *urb = as->urb;
1614	struct usbdevfs_urb32 __user *userurb = as->userurb;
1615	void __user *addr = as->userurb;
1616	unsigned int i;
1617
1618	if (as->userbuffer && urb->actual_length)
1619		if (copy_to_user(as->userbuffer, urb->transfer_buffer,
1620				 urb->actual_length))
1621			return -EFAULT;
1622	if (put_user(as->status, &userurb->status))
1623		return -EFAULT;
1624	if (put_user(urb->actual_length, &userurb->actual_length))
1625		return -EFAULT;
1626	if (put_user(urb->error_count, &userurb->error_count))
1627		return -EFAULT;
1628
1629	if (usb_endpoint_xfer_isoc(&urb->ep->desc)) {
1630		for (i = 0; i < urb->number_of_packets; i++) {
1631			if (put_user(urb->iso_frame_desc[i].actual_length,
1632				     &userurb->iso_frame_desc[i].actual_length))
1633				return -EFAULT;
1634			if (put_user(urb->iso_frame_desc[i].status,
1635				     &userurb->iso_frame_desc[i].status))
1636				return -EFAULT;
1637		}
1638	}
1639
1640	if (put_user(ptr_to_compat(addr), (u32 __user *)arg))
1641		return -EFAULT;
1642	return 0;
1643}
1644
1645static int proc_reapurb_compat(struct dev_state *ps, void __user *arg)
1646{
1647	struct async *as = reap_as(ps);
1648	if (as) {
1649		int retval = processcompl_compat(as, (void __user * __user *)arg);
1650		free_async(as);
1651		return retval;
1652	}
1653	if (signal_pending(current))
1654		return -EINTR;
1655	return -EIO;
1656}
1657
1658static int proc_reapurbnonblock_compat(struct dev_state *ps, void __user *arg)
1659{
1660	int retval;
1661	struct async *as;
1662
1663	retval = -EAGAIN;
1664	as = async_getcompleted(ps);
1665	if (as) {
1666		retval = processcompl_compat(as, (void __user * __user *)arg);
1667		free_async(as);
1668	}
1669	return retval;
1670}
1671
1672
1673#endif
1674
1675static int proc_disconnectsignal(struct dev_state *ps, void __user *arg)
1676{
1677	struct usbdevfs_disconnectsignal ds;
1678
1679	if (copy_from_user(&ds, arg, sizeof(ds)))
1680		return -EFAULT;
1681	ps->discsignr = ds.signr;
1682	ps->disccontext = ds.context;
1683	return 0;
1684}
1685
1686static int proc_claiminterface(struct dev_state *ps, void __user *arg)
1687{
1688	unsigned int ifnum;
1689
1690	if (get_user(ifnum, (unsigned int __user *)arg))
1691		return -EFAULT;
1692	return claimintf(ps, ifnum);
1693}
1694
1695static int proc_releaseinterface(struct dev_state *ps, void __user *arg)
1696{
1697	unsigned int ifnum;
1698	int ret;
1699
1700	if (get_user(ifnum, (unsigned int __user *)arg))
1701		return -EFAULT;
1702	if ((ret = releaseintf(ps, ifnum)) < 0)
1703		return ret;
1704	destroy_async_on_interface (ps, ifnum);
1705	return 0;
1706}
1707
1708static int proc_ioctl(struct dev_state *ps, struct usbdevfs_ioctl *ctl)
1709{
1710	int			size;
1711	void			*buf = NULL;
1712	int			retval = 0;
1713	struct usb_interface    *intf = NULL;
1714	struct usb_driver       *driver = NULL;
1715
1716	/* alloc buffer */
1717	if ((size = _IOC_SIZE(ctl->ioctl_code)) > 0) {
1718		if ((buf = kmalloc(size, GFP_KERNEL)) == NULL)
1719			return -ENOMEM;
1720		if ((_IOC_DIR(ctl->ioctl_code) & _IOC_WRITE)) {
1721			if (copy_from_user(buf, ctl->data, size)) {
1722				kfree(buf);
1723				return -EFAULT;
1724			}
1725		} else {
1726			memset(buf, 0, size);
1727		}
1728	}
1729
1730	if (!connected(ps)) {
1731		kfree(buf);
1732		return -ENODEV;
1733	}
1734
1735	if (ps->dev->state != USB_STATE_CONFIGURED)
1736		retval = -EHOSTUNREACH;
1737	else if (!(intf = usb_ifnum_to_if(ps->dev, ctl->ifno)))
1738		retval = -EINVAL;
1739	else switch (ctl->ioctl_code) {
1740
1741	/* disconnect kernel driver from interface */
1742	case USBDEVFS_DISCONNECT:
1743		if (intf->dev.driver) {
1744			driver = to_usb_driver(intf->dev.driver);
1745			dev_dbg(&intf->dev, "disconnect by usbfs\n");
1746			usb_driver_release_interface(driver, intf);
1747		} else
1748			retval = -ENODATA;
1749		break;
1750
1751	/* let kernel drivers try to (re)bind to the interface */
1752	case USBDEVFS_CONNECT:
1753		if (!intf->dev.driver)
1754			retval = device_attach(&intf->dev);
1755		else
1756			retval = -EBUSY;
1757		break;
1758
1759	/* talk directly to the interface's driver */
1760	default:
1761		if (intf->dev.driver)
1762			driver = to_usb_driver(intf->dev.driver);
1763		if (driver == NULL || driver->unlocked_ioctl == NULL) {
1764			retval = -ENOTTY;
1765		} else {
1766			retval = driver->unlocked_ioctl(intf, ctl->ioctl_code, buf);
1767			if (retval == -ENOIOCTLCMD)
1768				retval = -ENOTTY;
1769		}
1770	}
1771
1772	/* cleanup and return */
1773	if (retval >= 0
1774			&& (_IOC_DIR(ctl->ioctl_code) & _IOC_READ) != 0
1775			&& size > 0
1776			&& copy_to_user(ctl->data, buf, size) != 0)
1777		retval = -EFAULT;
1778
1779	kfree(buf);
1780	return retval;
1781}
1782
1783static int proc_ioctl_default(struct dev_state *ps, void __user *arg)
1784{
1785	struct usbdevfs_ioctl	ctrl;
1786
1787	if (copy_from_user(&ctrl, arg, sizeof(ctrl)))
1788		return -EFAULT;
1789	return proc_ioctl(ps, &ctrl);
1790}
1791
1792#ifdef CONFIG_COMPAT
1793static int proc_ioctl_compat(struct dev_state *ps, compat_uptr_t arg)
1794{
1795	struct usbdevfs_ioctl32 __user *uioc;
1796	struct usbdevfs_ioctl ctrl;
1797	u32 udata;
1798
1799	uioc = compat_ptr((long)arg);
1800	if (!access_ok(VERIFY_READ, uioc, sizeof(*uioc)) ||
1801	    __get_user(ctrl.ifno, &uioc->ifno) ||
1802	    __get_user(ctrl.ioctl_code, &uioc->ioctl_code) ||
1803	    __get_user(udata, &uioc->data))
1804		return -EFAULT;
1805	ctrl.data = compat_ptr(udata);
1806
1807	return proc_ioctl(ps, &ctrl);
1808}
1809#endif
1810
1811static int proc_claim_port(struct dev_state *ps, void __user *arg)
1812{
1813	unsigned portnum;
1814	int rc;
1815
1816	if (get_user(portnum, (unsigned __user *) arg))
1817		return -EFAULT;
1818	rc = usb_hub_claim_port(ps->dev, portnum, ps);
1819	if (rc == 0)
1820		snoop(&ps->dev->dev, "port %d claimed by process %d: %s\n",
1821			portnum, task_pid_nr(current), current->comm);
1822	return rc;
1823}
1824
1825static int proc_release_port(struct dev_state *ps, void __user *arg)
1826{
1827	unsigned portnum;
1828
1829	if (get_user(portnum, (unsigned __user *) arg))
1830		return -EFAULT;
1831	return usb_hub_release_port(ps->dev, portnum, ps);
1832}
1833
1834/*
1835 * NOTE:  All requests here that have interface numbers as parameters
1836 * are assuming that somehow the configuration has been prevented from
1837 * changing.  But there's no mechanism to ensure that...
1838 */
1839static long usbdev_do_ioctl(struct file *file, unsigned int cmd,
1840				void __user *p)
1841{
1842	struct dev_state *ps = file->private_data;
1843	struct inode *inode = file->f_path.dentry->d_inode;
1844	struct usb_device *dev = ps->dev;
1845	int ret = -ENOTTY;
1846
1847	if (!(file->f_mode & FMODE_WRITE))
1848		return -EPERM;
1849
1850	usb_lock_device(dev);
1851	if (!connected(ps)) {
1852		usb_unlock_device(dev);
1853		return -ENODEV;
1854	}
1855
1856	switch (cmd) {
1857	case USBDEVFS_CONTROL:
1858		snoop(&dev->dev, "%s: CONTROL\n", __func__);
1859		ret = proc_control(ps, p);
1860		if (ret >= 0)
1861			inode->i_mtime = CURRENT_TIME;
1862		break;
1863
1864	case USBDEVFS_BULK:
1865		snoop(&dev->dev, "%s: BULK\n", __func__);
1866		ret = proc_bulk(ps, p);
1867		if (ret >= 0)
1868			inode->i_mtime = CURRENT_TIME;
1869		break;
1870
1871	case USBDEVFS_RESETEP:
1872		snoop(&dev->dev, "%s: RESETEP\n", __func__);
1873		ret = proc_resetep(ps, p);
1874		if (ret >= 0)
1875			inode->i_mtime = CURRENT_TIME;
1876		break;
1877
1878	case USBDEVFS_RESET:
1879		snoop(&dev->dev, "%s: RESET\n", __func__);
1880		ret = proc_resetdevice(ps);
1881		break;
1882
1883	case USBDEVFS_CLEAR_HALT:
1884		snoop(&dev->dev, "%s: CLEAR_HALT\n", __func__);
1885		ret = proc_clearhalt(ps, p);
1886		if (ret >= 0)
1887			inode->i_mtime = CURRENT_TIME;
1888		break;
1889
1890	case USBDEVFS_GETDRIVER:
1891		snoop(&dev->dev, "%s: GETDRIVER\n", __func__);
1892		ret = proc_getdriver(ps, p);
1893		break;
1894
1895	case USBDEVFS_CONNECTINFO:
1896		snoop(&dev->dev, "%s: CONNECTINFO\n", __func__);
1897		ret = proc_connectinfo(ps, p);
1898		break;
1899
1900	case USBDEVFS_SETINTERFACE:
1901		snoop(&dev->dev, "%s: SETINTERFACE\n", __func__);
1902		ret = proc_setintf(ps, p);
1903		break;
1904
1905	case USBDEVFS_SETCONFIGURATION:
1906		snoop(&dev->dev, "%s: SETCONFIGURATION\n", __func__);
1907		ret = proc_setconfig(ps, p);
1908		break;
1909
1910	case USBDEVFS_SUBMITURB:
1911		snoop(&dev->dev, "%s: SUBMITURB\n", __func__);
1912		ret = proc_submiturb(ps, p);
1913		if (ret >= 0)
1914			inode->i_mtime = CURRENT_TIME;
1915		break;
1916
1917#ifdef CONFIG_COMPAT
1918	case USBDEVFS_CONTROL32:
1919		snoop(&dev->dev, "%s: CONTROL32\n", __func__);
1920		ret = proc_control_compat(ps, p);
1921		if (ret >= 0)
1922			inode->i_mtime = CURRENT_TIME;
1923		break;
1924
1925	case USBDEVFS_BULK32:
1926		snoop(&dev->dev, "%s: BULK32\n", __func__);
1927		ret = proc_bulk_compat(ps, p);
1928		if (ret >= 0)
1929			inode->i_mtime = CURRENT_TIME;
1930		break;
1931
1932	case USBDEVFS_DISCSIGNAL32:
1933		snoop(&dev->dev, "%s: DISCSIGNAL32\n", __func__);
1934		ret = proc_disconnectsignal_compat(ps, p);
1935		break;
1936
1937	case USBDEVFS_SUBMITURB32:
1938		snoop(&dev->dev, "%s: SUBMITURB32\n", __func__);
1939		ret = proc_submiturb_compat(ps, p);
1940		if (ret >= 0)
1941			inode->i_mtime = CURRENT_TIME;
1942		break;
1943
1944	case USBDEVFS_REAPURB32:
1945		snoop(&dev->dev, "%s: REAPURB32\n", __func__);
1946		ret = proc_reapurb_compat(ps, p);
1947		break;
1948
1949	case USBDEVFS_REAPURBNDELAY32:
1950		snoop(&dev->dev, "%s: REAPURBNDELAY32\n", __func__);
1951		ret = proc_reapurbnonblock_compat(ps, p);
1952		break;
1953
1954	case USBDEVFS_IOCTL32:
1955		snoop(&dev->dev, "%s: IOCTL32\n", __func__);
1956		ret = proc_ioctl_compat(ps, ptr_to_compat(p));
1957		break;
1958#endif
1959
1960	case USBDEVFS_DISCARDURB:
1961		snoop(&dev->dev, "%s: DISCARDURB\n", __func__);
1962		ret = proc_unlinkurb(ps, p);
1963		break;
1964
1965	case USBDEVFS_REAPURB:
1966		snoop(&dev->dev, "%s: REAPURB\n", __func__);
1967		ret = proc_reapurb(ps, p);
1968		break;
1969
1970	case USBDEVFS_REAPURBNDELAY:
1971		snoop(&dev->dev, "%s: REAPURBNDELAY\n", __func__);
1972		ret = proc_reapurbnonblock(ps, p);
1973		break;
1974
1975	case USBDEVFS_DISCSIGNAL:
1976		snoop(&dev->dev, "%s: DISCSIGNAL\n", __func__);
1977		ret = proc_disconnectsignal(ps, p);
1978		break;
1979
1980	case USBDEVFS_CLAIMINTERFACE:
1981		snoop(&dev->dev, "%s: CLAIMINTERFACE\n", __func__);
1982		ret = proc_claiminterface(ps, p);
1983		break;
1984
1985	case USBDEVFS_RELEASEINTERFACE:
1986		snoop(&dev->dev, "%s: RELEASEINTERFACE\n", __func__);
1987		ret = proc_releaseinterface(ps, p);
1988		break;
1989
1990	case USBDEVFS_IOCTL:
1991		snoop(&dev->dev, "%s: IOCTL\n", __func__);
1992		ret = proc_ioctl_default(ps, p);
1993		break;
1994
1995	case USBDEVFS_CLAIM_PORT:
1996		snoop(&dev->dev, "%s: CLAIM_PORT\n", __func__);
1997		ret = proc_claim_port(ps, p);
1998		break;
1999
2000	case USBDEVFS_RELEASE_PORT:
2001		snoop(&dev->dev, "%s: RELEASE_PORT\n", __func__);
2002		ret = proc_release_port(ps, p);
2003		break;
2004	}
2005	usb_unlock_device(dev);
2006	if (ret >= 0)
2007		inode->i_atime = CURRENT_TIME;
2008	return ret;
2009}
2010
2011static long usbdev_ioctl(struct file *file, unsigned int cmd,
2012			unsigned long arg)
2013{
2014	int ret;
2015
2016	ret = usbdev_do_ioctl(file, cmd, (void __user *)arg);
2017
2018	return ret;
2019}
2020
2021#ifdef CONFIG_COMPAT
2022static long usbdev_compat_ioctl(struct file *file, unsigned int cmd,
2023			unsigned long arg)
2024{
2025	int ret;
2026
2027	ret = usbdev_do_ioctl(file, cmd, compat_ptr(arg));
2028
2029	return ret;
2030}
2031#endif
2032
2033/* No kernel lock - fine */
2034static unsigned int usbdev_poll(struct file *file,
2035				struct poll_table_struct *wait)
2036{
2037	struct dev_state *ps = file->private_data;
2038	unsigned int mask = 0;
2039
2040	poll_wait(file, &ps->wait, wait);
2041	if (file->f_mode & FMODE_WRITE && !list_empty(&ps->async_completed))
2042		mask |= POLLOUT | POLLWRNORM;
2043	if (!connected(ps))
2044		mask |= POLLERR | POLLHUP;
2045	return mask;
2046}
2047
2048const struct file_operations usbdev_file_operations = {
2049	.owner =	  THIS_MODULE,
2050	.llseek =	  usbdev_lseek,
2051	.read =		  usbdev_read,
2052	.poll =		  usbdev_poll,
2053	.unlocked_ioctl = usbdev_ioctl,
2054#ifdef CONFIG_COMPAT
2055	.compat_ioctl =   usbdev_compat_ioctl,
2056#endif
2057	.open =		  usbdev_open,
2058	.release =	  usbdev_release,
2059};
2060
2061static void usbdev_remove(struct usb_device *udev)
2062{
2063	struct dev_state *ps;
2064	struct siginfo sinfo;
2065
2066	while (!list_empty(&udev->filelist)) {
2067		ps = list_entry(udev->filelist.next, struct dev_state, list);
2068		destroy_all_async(ps);
2069		wake_up_all(&ps->wait);
2070		list_del_init(&ps->list);
2071		if (ps->discsignr) {
2072			sinfo.si_signo = ps->discsignr;
2073			sinfo.si_errno = EPIPE;
2074			sinfo.si_code = SI_ASYNCIO;
2075			sinfo.si_addr = ps->disccontext;
2076			kill_pid_info_as_cred(ps->discsignr, &sinfo,
2077					ps->disc_pid, ps->cred, ps->secid);
2078		}
2079	}
2080}
2081
2082#ifdef CONFIG_USB_DEVICE_CLASS
2083static struct class *usb_classdev_class;
2084
2085static int usb_classdev_add(struct usb_device *dev)
2086{
2087	struct device *cldev;
2088
2089	cldev = device_create(usb_classdev_class, &dev->dev, dev->dev.devt,
2090			      NULL, "usbdev%d.%d", dev->bus->busnum,
2091			      dev->devnum);
2092	if (IS_ERR(cldev))
2093		return PTR_ERR(cldev);
2094	dev->usb_classdev = cldev;
2095	return 0;
2096}
2097
2098static void usb_classdev_remove(struct usb_device *dev)
2099{
2100	if (dev->usb_classdev)
2101		device_unregister(dev->usb_classdev);
2102}
2103
2104#else
2105#define usb_classdev_add(dev)		0
2106#define usb_classdev_remove(dev)	do {} while (0)
2107
2108#endif
2109
2110static int usbdev_notify(struct notifier_block *self,
2111			       unsigned long action, void *dev)
2112{
2113	switch (action) {
2114	case USB_DEVICE_ADD:
2115		if (usb_classdev_add(dev))
2116			return NOTIFY_BAD;
2117		break;
2118	case USB_DEVICE_REMOVE:
2119		usb_classdev_remove(dev);
2120		usbdev_remove(dev);
2121		break;
2122	}
2123	return NOTIFY_OK;
2124}
2125
2126static struct notifier_block usbdev_nb = {
2127	.notifier_call = 	usbdev_notify,
2128};
2129
2130static struct cdev usb_device_cdev;
2131
2132int __init usb_devio_init(void)
2133{
2134	int retval;
2135
2136	retval = register_chrdev_region(USB_DEVICE_DEV, USB_DEVICE_MAX,
2137					"usb_device");
2138	if (retval) {
2139		printk(KERN_ERR "Unable to register minors for usb_device\n");
2140		goto out;
2141	}
2142	cdev_init(&usb_device_cdev, &usbdev_file_operations);
2143	retval = cdev_add(&usb_device_cdev, USB_DEVICE_DEV, USB_DEVICE_MAX);
2144	if (retval) {
2145		printk(KERN_ERR "Unable to get usb_device major %d\n",
2146		       USB_DEVICE_MAJOR);
2147		goto error_cdev;
2148	}
2149#ifdef CONFIG_USB_DEVICE_CLASS
2150	usb_classdev_class = class_create(THIS_MODULE, "usb_device");
2151	if (IS_ERR(usb_classdev_class)) {
2152		printk(KERN_ERR "Unable to register usb_device class\n");
2153		retval = PTR_ERR(usb_classdev_class);
2154		cdev_del(&usb_device_cdev);
2155		usb_classdev_class = NULL;
2156		goto out;
2157	}
2158	/* devices of this class shadow the major:minor of their parent
2159	 * device, so clear ->dev_kobj to prevent adding duplicate entries
2160	 * to /sys/dev
2161	 */
2162	usb_classdev_class->dev_kobj = NULL;
2163#endif
2164	usb_register_notify(&usbdev_nb);
2165out:
2166	return retval;
2167
2168error_cdev:
2169	unregister_chrdev_region(USB_DEVICE_DEV, USB_DEVICE_MAX);
2170	goto out;
2171}
2172
2173void usb_devio_cleanup(void)
2174{
2175	usb_unregister_notify(&usbdev_nb);
2176#ifdef CONFIG_USB_DEVICE_CLASS
2177	class_destroy(usb_classdev_class);
2178#endif
2179	cdev_del(&usb_device_cdev);
2180	unregister_chrdev_region(USB_DEVICE_DEV, USB_DEVICE_MAX);
2181}
2182