Programming Exercise 3: Multi-class Classification and Neural Networks
|
|
|
- Joseph Stewart
- 10 years ago
- Views:
Transcription
1 Programming Exercise 3: Multi-class Classification and Neural Networks Machine Learning November 4, 2011 Introduction In this exercise, you will implement one-vs-all logistic regression and neural networks to recognize hand-written digits Before starting the programming exercise, we strongly recommend watching the video lectures and completing the review questions for the associated topics To get started with the exercise, download the starter code and unzip its contents to the directory where you wish to complete the exercise If needed, use the cd command in Octave to change to this directory before starting this exercise Files included in this exercise ex3m - Octave script that will help step you through part 1 ex3 nnm - Octave script that will help step you through part 2 ex3data1mat - Training set of hand-written digits ex3weightsmat - Initial weights for the neural network exercise submitwebm - Alternative submission script submitm - Submission script that sends your solutions to our servers displaydatam - Function to help visualize the dataset fmincgm - Function minimization routine (similar to fminunc) sigmoidm - Sigmoid function [ ] lrcostfunctionm - Logistic regression cost function [ ] onevsallm - Train a one-vs-all multi-class classifier [ ] predictonevsallm - Predict using a one-vs-all multi-class classifier [ ] predictm - Neural network prediction function 1
2 indicates files you will need to complete Throughout the exercise, you will be using the scripts ex3m and ex3 nnm These scripts set up the dataset for the problems and make calls to functions that you will write You do not need to modify these scripts You are only required to modify functions in other files, by following the instructions in this assignment Where to get help We also strongly encourage using the online Q&A Forum to discuss exercises with other students However, do not look at any source code written by others or share your source code with others If you run into network errors using the submit script, you can also use an online form for submitting your solutions To use this alternative submission interface, run the submitweb script to generate a submission file (eg, submit ex2 part1txt) You can then submit this file through the web submission form in the programming exercises page (go to the programming exercises page, then select the exercise you are submitting for) If you are having no problems submitting through the standard submission system using the submit script, you do not need to use this alternative submission interface 1 Multi-class Classification For this exercise, you will use logistic regression and neural networks to recognize handwritten digits (from 0 to 9) Automated handwritten digit recognition is widely used today - from recognizing zip codes (postal codes) on mail envelopes to recognizing amounts written on bank checks This exercise will show you how the methods you ve learned can be used for this classification task In the first part of the exercise, you will extend your previous implemention of logistic regression and apply it to one-vs-all classification 2
3 11 Dataset You are given a data set in ex3data1mat that contains 5000 training examples of handwritten digits 1 The mat format means that that the data has been saved in a native Octave/Matlab matrix format, instead of a text (ASCII) format like a csv-file These matrices can be read directly into your program by using the load command After loading, matrices of the correct dimensions and values will appear in your program s memory The matrix will already be named, so you do not need to assign names to them % Load saved matrices from file load('ex3data1mat'); % The matrices X and y will now be in your Octave environment There are 5000 training examples in ex3data1mat, where each training example is a 20 pixel by 20 pixel grayscale image of the digit Each pixel is represented by a floating point number indicating the grayscale intensity at that location The 20 by 20 grid of pixels is unrolled into a 400-dimensional vector Each of these training examples become a single row in our data matrix X This gives us a 5000 by 400 matrix X where every row is a training example for a handwritten digit image X = (x (1) ) T (x (2) ) T (x (m) ) T The second part of the training set is a 5000-dimensional vector y that contains labels for the training set To make things more compatible with Octave/Matlab indexing, where there is no zero index, we have mapped the digit zero to the value ten Therefore, a 0 digit is labeled as 10, while the digits 1 to 9 are labeled as 1 to 9 in their natural order 12 Visualizing the data You will begin by visualizing a subset of the training set In Part 1 of ex3m, the code randomly selects selects 100 rows from X and passes those rows to the displaydata function This function maps each row to a 20 pixel by 20 pixel grayscale image and displays the images together We have provided 1 This is a subset of the MNIST handwritten digit dataset ( exdb/mnist/) 3
4 the displaydata function, and you are encouraged to examine the code to see how it works After you run this step, you should see an image like Figure 1 Figure 1: Examples from the dataset 13 Vectorizing Logistic Regression You will be using multiple one-vs-all logistic regression models to build a multi-class classifier Since there are 10 classes, you will need to train 10 separate logistic regression classifiers To make this training efficient, it is important to ensure that your code is well vectorized In this section, you will implement a vectorized version of logistic regression that does not employ any for loops You can use your code in the last exercise as a starting point for this exercise 131 Vectorizing the cost function We will begin by writing a vectorized version of the cost function Recall that in (unregularized) logistic regression, the cost function is J(θ) = 1 m m [ y (i) log(h θ (x (i) )) (1 y (i) ) log(1 h θ (x (i) )) ] To compute each element in the summation, we have to compute h θ (x (i) ) for every example i, where h θ (x (i) ) = g(θ T x (i) ) and g(z) = 1 1+e z is the 4
5 sigmoid function It turns out that we can compute this quickly for all our examples by using matrix multiplication Let us define X and θ as (x (1) ) T θ 0 (x (2) ) T θ 1 X = Xθ = (x (m) ) T and θ = Then, by computing the matrix product Xθ, we have (x (1) ) T θ (x (2) ) T θ (x (m) ) T θ = θ n θ T (x (1) ) θ T (x (2) ) θ T (x (m) ) In the last equality, we used the fact that a T b = b T a if a and b are vectors This allows us to compute the products θ T x (i) for all our examples i in one line of code Your job is to write the unregularized cost function in the file lrcostfunctionm Your implementation should use the strategy we presented above to calculate θ T x (i) You should also use a vectorized approach for the rest of the cost function A fully vectorized version of lrcostfunctionm should not contain any loops (Hint: You might want to use the element-wise multiplication operation (*) and the sum operation sum when writing this function) 132 Vectorizing the gradient Recall that the gradient of the (unregularized) logistic regression cost is a vector where the j th element is defined as J θ j = 1 m m ( (h θ (x (i) ) y (i) )x (i) j To vectorize this operation over the dataset, we start by writing out all ) 5
6 the partial derivatives explicitly for all θ j, J θ 0 J θ 1 J θ 2 = 1 m where J θ n = 1 m m ((h θ (x (i) ) y (i) )x (i) 0 m ((h θ (x (i) ) y (i) )x (i) 1 m ((h θ (x (i) ) y (i) )x (i) 2 m ((h θ (x (i) ) y (i) )x (i) n m ( (hθ (x (i) ) y (i) )x (i)) = 1 m XT (h θ (x) y) (1) h θ (x) y = h θ (x (1) ) y (1) h θ (x (2) ) y (2) h θ (x (1) ) y (m) Note that x (i) is a vector, while (h θ (x (i) ) y (i) ) is a scalar (single number) To understand the last step of the derivation, let β i = (h θ (x (i) ) y (i) ) and observe that: β i x (i) = i x (1) x (2) x (m) where the values β i = (h θ (x (i) ) y (i) ) β 1 β 2 β m ) ) ) ) = XT β, The expression above allows us to compute all the partial derivatives without any loops If you are comfortable with linear algebra, we encourage you to work through the matrix multiplications above to convince yourself that the vectorized version does the same computations You should now implement Equation 1 to compute the correct vectorized gradient Once you are done, complete the function lrcostfunctionm by implementing the gradient 6
7 Debugging Tip: Vectorizing code can sometimes be tricky One common strategy for debugging is to print out the sizes of the matrices you are working with using the size function For example, given a data matrix X of size (100 examples, 20 features) and θ, a vector with dimensions 20 1, you can observe that Xθ is a valid multiplication operation, while θx is not Furthermore, if you have a non-vectorized version of your code, you can compare the output of your vectorized code and non-vectorized code to make sure that they produce the same outputs 133 Vectorizing regularized logistic regression After you have implemented vectorization for logistic regression, you will now add regularization to the cost function Recall that for regularized logistic regression, the cost function is defined as J(θ) = 1 m m [ y (i) log(h θ (x (i) )) (1 y (i) ) log(1 h θ (x (i) )) ] + λ 2m n θj 2 j=1 Note that you should not be regularizing θ 0 which is used for the bias term Correspondingly, the partial derivative of regularized logistic regression cost for θ j is defined as J(θ) θ 0 J(θ) θ j = = 1 m ( 1 m m (h θ (x (i) ) y (i) )x (i) j for j = 0 m (h θ (x (i) ) y (i) )x (i) j ) + λ m θ j for j 1 Now modify your code in lrcostfunction to account for regularization Once again, you should not put any loops into your code 7
8 Octave Tip: When implementing the vectorization for regularized logistic regression, you might often want to only sum and update certain elements of θ In Octave, you can index into the matrices to access and update only certain elements For example, A(:, 3:5) = B(:, 1:3) will replaces the columns 3 to 5 of A with the columns 1 to 3 from B One special keyword you can use in indexing is the end keyword in indexing This allows us to select columns (or rows) until the end of the matrix For example, A(:, 2:end) will only return elements from the 2 nd to last column of A Thus, you could use this together with the sum and ^ operations to compute the sum of only the elements you are interested in (eg, sum(z(2:end)^2)) In the starter code, lrcostfunctionm, we have also provided hints on yet another possible method computing the regularized gradient You should now submit your vectorized logistic regression cost function 14 One-vs-all Classification In this part of the exercise, you will implement one-vs-all classification by training multiple regularized logistic regression classifiers, one for each of the K classes in our dataset (Figure 1) In the handwritten digits dataset, K = 10, but your code should work for any value of K You should now complete the code in onevsallm to train one classifier for each class In particular, your code should return all the classifier parameters in a matrix Θ R K (N+1), where each row of Θ corresponds to the learned logistic regression parameters for one class You can do this with a for -loop from 1 to K, training each classifier independently Note that the y argument to this function is a vector of labels from 1 to 10, where we have mapped the digit 0 to the label 10 (to avoid confusions with indexing) When training the classifier for class k {1,, K}, you will want a m- dimensional vector of labels y, where y j 0, 1 indicates whether the j-th training instance belongs to class k (y j = 1), or if it belongs to a different class (y j = 0) You may find logical arrays helpful for this task 8
9 Octave Tip: Logical arrays in Octave are arrays which contain binary (0 or 1) elements In Octave, evaluating the expression a == b for a vector a (of size m 1) and scalar b will return a vector of the same size as a with ones at positions where the elements of a are equal to b and zeroes where they are different To see how this works for yourself, try the following code in Octave: a = 1:10; % Create a and b b = 3; a == b % You should try different values of b here Furthermore, you will be using fmincg for this exercise (instead of fminunc) fmincg works similarly to fminunc, but is more more efficient for dealing with a large number of parameters After you have correctly completed the code for onevsallm, the script ex3m will continue to use your onevsall function to train a multi-class classifier You should now submit the training function for one-vs-all classification 141 One-vs-all Prediction After training your one-vs-all classifier, you can now use it to predict the digit contained in a given image For each input, you should compute the probability that it belongs to each class using the trained logistic regression classifiers Your one-vs-all prediction function will pick the class for which the corresponding logistic regression classifier outputs the highest probability and return the class label (1, 2,, or K) as the prediction for the input example You should now complete the code in predictonevsallm to use the one-vs-all classifier to make predictions Once you are done, ex3m will call your predictonevsall function using the learned value of Θ You should see that the training set accuracy is about 949% (ie, it classifies 949% of the examples in the training set correctly) You should now submit the prediction function for one-vs-all classification 9
10 2 Neural Networks In the previous part of this exercise, you implemented multi-class logistic regression to recognize handwritten digits However, logistic regression cannot form more complex hypotheses as it is only a linear classifier 2 In this part of the exercise, you will implement a neural network to recognize handwritten digits using the same training set as before The neural network will be able to represent complex models that form non-linear hypotheses For this week, you will be using parameters from a neural network that we have already trained Your goal is to implement the feedforward propagation algorithm to use our weights for prediction In next week s exercise, you will write the backpropagation algorithm for learning the neural network parameters The provided script, ex3 nnm, will help you step through this exercise 21 Model representation Our neural network is shown in Figure 2 It has 3 layers an input layer, a hidden layer and an output layer Recall that our inputs are pixel values of digit images Since the images are of size 20 20, this gives us 400 input layer units (excluding the extra bias unit which always outputs +1) As before, the training data will be loaded into the variables X and y You have been provided with a set of network parameters (Θ (1), Θ (2) ) already trained by us These are stored in ex3weightsmat and will be loaded by ex3 nnm into Theta1 and Theta2 The parameters have dimensions that are sized for a neural network with 25 units in the second layer and 10 output units (corresponding to the 10 digit classes) % Load saved matrices from file load('ex3weightsmat'); % The matrices Theta1 and Theta2 will now be in your Octave % environment % Theta1 has size 25 x 401 % Theta2 has size 10 x 26 2 You could add more features (such as polynomial features) to logistic regression, but that can be very expensive to train 10
11 Figure 2: Neural network model 22 Feedforward Propagation and Prediction Now you will implement feedforward propagation for the neural network You will need to complete the code in predictm to return the neural network s prediction You should implement the feedforward computation that computes h θ (x (i) ) for every example i and returns the associated predictions Similar to the one-vs-all classification strategy, the prediction from the neural network will be the label that has the largest output (h θ (x)) k Implementation Note: The matrix X contains the examples in rows When you complete the code in predictm, you will need to add the column of 1 s to the matrix The matrices Theta1 and Theta2 contain the parameters for each unit in rows Specifically, the first row of Theta1 corresponds to the first hidden unit in the second layer In Octave, when you compute z (2) = Θ (1) a (1), be sure that you index (and if necessary, transpose) X correctly so that you get a (l) as a column vector Once you are done, ex3 nnm will call your predict function using the loaded set of parameters for Theta1 and Theta2 You should see that the 11
12 accuracy is about 975% After that, an interactive sequence will launch displaying images from the training set one at a time, while the console prints out the predicted label for the displayed image To stop the image sequence, press Ctrl-C You should now submit the neural network prediction function Submission and Grading After completing this assignment, be sure to use the submit function to submit your solutions to our servers The following is a breakdown of how each part of this exercise is scored Part Submitted File Points Regularized Logisic Regression lrcostfunctionm 30 points One-vs-all classifier training onevsallm 20 points One-vs-all classifier prediction predictonevsallm 20 points Neural Network Prediction Function predictm 30 points Total Points 100 points You are allowed to submit your solutions multiple times, and we will take only the highest score into consideration To prevent rapid-fire guessing, the system enforces a minimum of 5 minutes between submissions All parts of this programming exercise are due Sunday, November 6th at 23:59:59 PDT 12
1. Classification problems
Neural and Evolutionary Computing. Lab 1: Classification problems Machine Learning test data repository Weka data mining platform Introduction Scilab 1. Classification problems The main aim of a classification
Introduction to Logistic Regression
OpenStax-CNX module: m42090 1 Introduction to Logistic Regression Dan Calderon This work is produced by OpenStax-CNX and licensed under the Creative Commons Attribution License 3.0 Abstract Gives introduction
Lecture 8 February 4
ICS273A: Machine Learning Winter 2008 Lecture 8 February 4 Scribe: Carlos Agell (Student) Lecturer: Deva Ramanan 8.1 Neural Nets 8.1.1 Logistic Regression Recall the logistic function: g(x) = 1 1 + e θt
Machine Learning and Pattern Recognition Logistic Regression
Machine Learning and Pattern Recognition Logistic Regression Course Lecturer:Amos J Storkey Institute for Adaptive and Neural Computation School of Informatics University of Edinburgh Crichton Street,
Predict Influencers in the Social Network
Predict Influencers in the Social Network Ruishan Liu, Yang Zhao and Liuyu Zhou Email: rliu2, yzhao2, [email protected] Department of Electrical Engineering, Stanford University Abstract Given two persons
Introduction to Matlab
Introduction to Matlab Social Science Research Lab American University, Washington, D.C. Web. www.american.edu/provost/ctrl/pclabs.cfm Tel. x3862 Email. [email protected] Course Objective This course provides
Logistic Regression. Jia Li. Department of Statistics The Pennsylvania State University. Logistic Regression
Logistic Regression Department of Statistics The Pennsylvania State University Email: [email protected] Logistic Regression Preserve linear classification boundaries. By the Bayes rule: Ĝ(x) = arg max
The Impact of Big Data on Classic Machine Learning Algorithms. Thomas Jensen, Senior Business Analyst @ Expedia
The Impact of Big Data on Classic Machine Learning Algorithms Thomas Jensen, Senior Business Analyst @ Expedia Who am I? Senior Business Analyst @ Expedia Working within the competitive intelligence unit
Simplified Machine Learning for CUDA. Umar Arshad @arshad_umar Arrayfire @arrayfire
Simplified Machine Learning for CUDA Umar Arshad @arshad_umar Arrayfire @arrayfire ArrayFire CUDA and OpenCL experts since 2007 Headquartered in Atlanta, GA In search for the best and the brightest Expert
Introduction to Machine Learning Using Python. Vikram Kamath
Introduction to Machine Learning Using Python Vikram Kamath Contents: 1. 2. 3. 4. 5. 6. 7. 8. 9. 10. Introduction/Definition Where and Why ML is used Types of Learning Supervised Learning Linear Regression
Machine Learning and Data Mining. Regression Problem. (adapted from) Prof. Alexander Ihler
Machine Learning and Data Mining Regression Problem (adapted from) Prof. Alexander Ihler Overview Regression Problem Definition and define parameters ϴ. Prediction using ϴ as parameters Measure the error
Classification using Logistic Regression
Classification using Logistic Regression Ingmar Schuster Patrick Jähnichen using slides by Andrew Ng Institut für Informatik This lecture covers Logistic regression hypothesis Decision Boundary Cost function
Server Load Prediction
Server Load Prediction Suthee Chaidaroon ([email protected]) Joon Yeong Kim ([email protected]) Jonghan Seo ([email protected]) Abstract Estimating server load average is one of the methods that
Recurrent Neural Networks
Recurrent Neural Networks Neural Computation : Lecture 12 John A. Bullinaria, 2015 1. Recurrent Neural Network Architectures 2. State Space Models and Dynamical Systems 3. Backpropagation Through Time
Lecture 6. Artificial Neural Networks
Lecture 6 Artificial Neural Networks 1 1 Artificial Neural Networks In this note we provide an overview of the key concepts that have led to the emergence of Artificial Neural Networks as a major paradigm
Data Mining Lab 5: Introduction to Neural Networks
Data Mining Lab 5: Introduction to Neural Networks 1 Introduction In this lab we are going to have a look at some very basic neural networks on a new data set which relates various covariates about cheese
PATTERN RECOGNITION AND MACHINE LEARNING CHAPTER 4: LINEAR MODELS FOR CLASSIFICATION
PATTERN RECOGNITION AND MACHINE LEARNING CHAPTER 4: LINEAR MODELS FOR CLASSIFICATION Introduction In the previous chapter, we explored a class of regression models having particularly simple analytical
Machine Learning. CUNY Graduate Center, Spring 2013. Professor Liang Huang. [email protected]
Machine Learning CUNY Graduate Center, Spring 2013 Professor Liang Huang [email protected] http://acl.cs.qc.edu/~lhuang/teaching/machine-learning Logistics Lectures M 9:30-11:30 am Room 4419 Personnel
Implementation of Neural Networks with Theano. http://deeplearning.net/tutorial/
Implementation of Neural Networks with Theano http://deeplearning.net/tutorial/ Feed Forward Neural Network (MLP) Hidden Layer Object Hidden Layer Object Hidden Layer Object Logistic Regression Object
Question 2 Naïve Bayes (16 points)
Question 2 Naïve Bayes (16 points) About 2/3 of your email is spam so you downloaded an open source spam filter based on word occurrences that uses the Naive Bayes classifier. Assume you collected the
WEEK #3, Lecture 1: Sparse Systems, MATLAB Graphics
WEEK #3, Lecture 1: Sparse Systems, MATLAB Graphics Visualization of Matrices Good visuals anchor any presentation. MATLAB has a wide variety of ways to display data and calculation results that can be
Data Mining Algorithms Part 1. Dejan Sarka
Data Mining Algorithms Part 1 Dejan Sarka Join the conversation on Twitter: @DevWeek #DW2015 Instructor Bio Dejan Sarka ([email protected]) 30 years of experience SQL Server MVP, MCT, 13 books 7+ courses
Machine Learning Logistic Regression
Machine Learning Logistic Regression Jeff Howbert Introduction to Machine Learning Winter 2012 1 Logistic regression Name is somewhat misleading. Really a technique for classification, not regression.
CSCI567 Machine Learning (Fall 2014)
CSCI567 Machine Learning (Fall 2014) Drs. Sha & Liu {feisha,yanliu.cs}@usc.edu September 22, 2014 Drs. Sha & Liu ({feisha,yanliu.cs}@usc.edu) CSCI567 Machine Learning (Fall 2014) September 22, 2014 1 /
DATA ANALYSIS II. Matrix Algorithms
DATA ANALYSIS II Matrix Algorithms Similarity Matrix Given a dataset D = {x i }, i=1,..,n consisting of n points in R d, let A denote the n n symmetric similarity matrix between the points, given as where
1 Introduction to Matrices
1 Introduction to Matrices In this section, important definitions and results from matrix algebra that are useful in regression analysis are introduced. While all statements below regarding the columns
2+2 Just type and press enter and the answer comes up ans = 4
Demonstration Red text = commands entered in the command window Black text = Matlab responses Blue text = comments 2+2 Just type and press enter and the answer comes up 4 sin(4)^2.5728 The elementary functions
STA 4273H: Statistical Machine Learning
STA 4273H: Statistical Machine Learning Russ Salakhutdinov Department of Statistics! [email protected]! http://www.cs.toronto.edu/~rsalakhu/ Lecture 6 Three Approaches to Classification Construct
SELECTING NEURAL NETWORK ARCHITECTURE FOR INVESTMENT PROFITABILITY PREDICTIONS
UDC: 004.8 Original scientific paper SELECTING NEURAL NETWORK ARCHITECTURE FOR INVESTMENT PROFITABILITY PREDICTIONS Tonimir Kišasondi, Alen Lovren i University of Zagreb, Faculty of Organization and Informatics,
Back Propagation Neural Networks User Manual
Back Propagation Neural Networks User Manual Author: Lukáš Civín Library: BP_network.dll Runnable class: NeuralNetStart Document: Back Propagation Neural Networks Page 1/28 Content: 1 INTRODUCTION TO BACK-PROPAGATION
Artificial Neural Networks and Support Vector Machines. CS 486/686: Introduction to Artificial Intelligence
Artificial Neural Networks and Support Vector Machines CS 486/686: Introduction to Artificial Intelligence 1 Outline What is a Neural Network? - Perceptron learners - Multi-layer networks What is a Support
Classification Problems
Classification Read Chapter 4 in the text by Bishop, except omit Sections 4.1.6, 4.1.7, 4.2.4, 4.3.3, 4.3.5, 4.3.6, 4.4, and 4.5. Also, review sections 1.5.1, 1.5.2, 1.5.3, and 1.5.4. Classification Problems
AUTOMATION OF ENERGY DEMAND FORECASTING. Sanzad Siddique, B.S.
AUTOMATION OF ENERGY DEMAND FORECASTING by Sanzad Siddique, B.S. A Thesis submitted to the Faculty of the Graduate School, Marquette University, in Partial Fulfillment of the Requirements for the Degree
Simple and efficient online algorithms for real world applications
Simple and efficient online algorithms for real world applications Università degli Studi di Milano Milano, Italy Talk @ Centro de Visión por Computador Something about me PhD in Robotics at LIRA-Lab,
The equivalence of logistic regression and maximum entropy models
The equivalence of logistic regression and maximum entropy models John Mount September 23, 20 Abstract As our colleague so aptly demonstrated ( http://www.win-vector.com/blog/20/09/the-simplerderivation-of-logistic-regression/
Feed-Forward mapping networks KAIST 바이오및뇌공학과 정재승
Feed-Forward mapping networks KAIST 바이오및뇌공학과 정재승 How much energy do we need for brain functions? Information processing: Trade-off between energy consumption and wiring cost Trade-off between energy consumption
Financial Econometrics MFE MATLAB Introduction. Kevin Sheppard University of Oxford
Financial Econometrics MFE MATLAB Introduction Kevin Sheppard University of Oxford October 21, 2013 2007-2013 Kevin Sheppard 2 Contents Introduction i 1 Getting Started 1 2 Basic Input and Operators 5
MATH 423 Linear Algebra II Lecture 38: Generalized eigenvectors. Jordan canonical form (continued).
MATH 423 Linear Algebra II Lecture 38: Generalized eigenvectors Jordan canonical form (continued) Jordan canonical form A Jordan block is a square matrix of the form λ 1 0 0 0 0 λ 1 0 0 0 0 λ 0 0 J = 0
15.062 Data Mining: Algorithms and Applications Matrix Math Review
.6 Data Mining: Algorithms and Applications Matrix Math Review The purpose of this document is to give a brief review of selected linear algebra concepts that will be useful for the course and to develop
Non-negative Matrix Factorization (NMF) in Semi-supervised Learning Reducing Dimension and Maintaining Meaning
Non-negative Matrix Factorization (NMF) in Semi-supervised Learning Reducing Dimension and Maintaining Meaning SAMSI 10 May 2013 Outline Introduction to NMF Applications Motivations NMF as a middle step
Neural Networks and Support Vector Machines
INF5390 - Kunstig intelligens Neural Networks and Support Vector Machines Roar Fjellheim INF5390-13 Neural Networks and SVM 1 Outline Neural networks Perceptrons Neural networks Support vector machines
ALLIED PAPER : DISCRETE MATHEMATICS (for B.Sc. Computer Technology & B.Sc. Multimedia and Web Technology)
ALLIED PAPER : DISCRETE MATHEMATICS (for B.Sc. Computer Technology & B.Sc. Multimedia and Web Technology) Subject Description: This subject deals with discrete structures like set theory, mathematical
Pattern Analysis. Logistic Regression. 12. Mai 2009. Joachim Hornegger. Chair of Pattern Recognition Erlangen University
Pattern Analysis Logistic Regression 12. Mai 2009 Joachim Hornegger Chair of Pattern Recognition Erlangen University Pattern Analysis 2 / 43 1 Logistic Regression Posteriors and the Logistic Function Decision
Beginner s Matlab Tutorial
Christopher Lum [email protected] Introduction Beginner s Matlab Tutorial This document is designed to act as a tutorial for an individual who has had no prior experience with Matlab. For any questions
AMATH 352 Lecture 3 MATLAB Tutorial Starting MATLAB Entering Variables
AMATH 352 Lecture 3 MATLAB Tutorial MATLAB (short for MATrix LABoratory) is a very useful piece of software for numerical analysis. It provides an environment for computation and the visualization. Learning
APPM4720/5720: Fast algorithms for big data. Gunnar Martinsson The University of Colorado at Boulder
APPM4720/5720: Fast algorithms for big data Gunnar Martinsson The University of Colorado at Boulder Course objectives: The purpose of this course is to teach efficient algorithms for processing very large
degrees of freedom and are able to adapt to the task they are supposed to do [Gupta].
1.3 Neural Networks 19 Neural Networks are large structured systems of equations. These systems have many degrees of freedom and are able to adapt to the task they are supposed to do [Gupta]. Two very
Chapter 07: Instruction Level Parallelism VLIW, Vector, Array and Multithreaded Processors. Lesson 05: Array Processors
Chapter 07: Instruction Level Parallelism VLIW, Vector, Array and Multithreaded Processors Lesson 05: Array Processors Objective To learn how the array processes in multiple pipelines 2 Array Processor
203.4770: Introduction to Machine Learning Dr. Rita Osadchy
203.4770: Introduction to Machine Learning Dr. Rita Osadchy 1 Outline 1. About the Course 2. What is Machine Learning? 3. Types of problems and Situations 4. ML Example 2 About the course Course Homepage:
CUDAMat: a CUDA-based matrix class for Python
Department of Computer Science 6 King s College Rd, Toronto University of Toronto M5S 3G4, Canada http://learning.cs.toronto.edu fax: +1 416 978 1455 November 25, 2009 UTML TR 2009 004 CUDAMat: a CUDA-based
Statistical Machine Learning
Statistical Machine Learning UoC Stats 37700, Winter quarter Lecture 4: classical linear and quadratic discriminants. 1 / 25 Linear separation For two classes in R d : simple idea: separate the classes
Solution to Homework 2
Solution to Homework 2 Olena Bormashenko September 23, 2011 Section 1.4: 1(a)(b)(i)(k), 4, 5, 14; Section 1.5: 1(a)(b)(c)(d)(e)(n), 2(a)(c), 13, 16, 17, 18, 27 Section 1.4 1. Compute the following, if
MATLAB DFS. Interface Library. User Guide
MATLAB DFS Interface Library User Guide DHI Water Environment Health Agern Allé 5 DK-2970 Hørsholm Denmark Tel: +45 4516 9200 Fax: +45 4516 9292 E-mail: [email protected] Web: www.dhigroup.com 2007-03-07/MATLABDFS_INTERFACELIBRARY_USERGUIDE.DOC/JGR/HKH/2007Manuals/lsm
CS1112 Spring 2014 Project 4. Objectives. 3 Pixelation for Identity Protection. due Thursday, 3/27, at 11pm
CS1112 Spring 2014 Project 4 due Thursday, 3/27, at 11pm You must work either on your own or with one partner. If you work with a partner you must first register as a group in CMS and then submit your
Example: Credit card default, we may be more interested in predicting the probabilty of a default than classifying individuals as default or not.
Statistical Learning: Chapter 4 Classification 4.1 Introduction Supervised learning with a categorical (Qualitative) response Notation: - Feature vector X, - qualitative response Y, taking values in C
CS 688 Pattern Recognition Lecture 4. Linear Models for Classification
CS 688 Pattern Recognition Lecture 4 Linear Models for Classification Probabilistic generative models Probabilistic discriminative models 1 Generative Approach ( x ) p C k p( C k ) Ck p ( ) ( x Ck ) p(
KEITH LEHNERT AND ERIC FRIEDRICH
MACHINE LEARNING CLASSIFICATION OF MALICIOUS NETWORK TRAFFIC KEITH LEHNERT AND ERIC FRIEDRICH 1. Introduction 1.1. Intrusion Detection Systems. In our society, information systems are everywhere. They
Analecta Vol. 8, No. 2 ISSN 2064-7964
EXPERIMENTAL APPLICATIONS OF ARTIFICIAL NEURAL NETWORKS IN ENGINEERING PROCESSING SYSTEM S. Dadvandipour Institute of Information Engineering, University of Miskolc, Egyetemváros, 3515, Miskolc, Hungary,
Machine Learning with MATLAB David Willingham Application Engineer
Machine Learning with MATLAB David Willingham Application Engineer 2014 The MathWorks, Inc. 1 Goals Overview of machine learning Machine learning models & techniques available in MATLAB Streamlining the
CITY UNIVERSITY LONDON. BEng Degree in Computer Systems Engineering Part II BSc Degree in Computer Systems Engineering Part III PART 2 EXAMINATION
No: CITY UNIVERSITY LONDON BEng Degree in Computer Systems Engineering Part II BSc Degree in Computer Systems Engineering Part III PART 2 EXAMINATION ENGINEERING MATHEMATICS 2 (resit) EX2005 Date: August
Efficient online learning of a non-negative sparse autoencoder
and Machine Learning. Bruges (Belgium), 28-30 April 2010, d-side publi., ISBN 2-93030-10-2. Efficient online learning of a non-negative sparse autoencoder Andre Lemme, R. Felix Reinhart and Jochen J. Steil
Ensemble Methods. Knowledge Discovery and Data Mining 2 (VU) (707.004) Roman Kern. KTI, TU Graz 2015-03-05
Ensemble Methods Knowledge Discovery and Data Mining 2 (VU) (707004) Roman Kern KTI, TU Graz 2015-03-05 Roman Kern (KTI, TU Graz) Ensemble Methods 2015-03-05 1 / 38 Outline 1 Introduction 2 Classification
How To Use Neural Networks In Data Mining
International Journal of Electronics and Computer Science Engineering 1449 Available Online at www.ijecse.org ISSN- 2277-1956 Neural Networks in Data Mining Priyanka Gaur Department of Information and
An Introduction to Data Mining. Big Data World. Related Fields and Disciplines. What is Data Mining? 2/12/2015
An Introduction to Data Mining for Wind Power Management Spring 2015 Big Data World Every minute: Google receives over 4 million search queries Facebook users share almost 2.5 million pieces of content
Review Jeopardy. Blue vs. Orange. Review Jeopardy
Review Jeopardy Blue vs. Orange Review Jeopardy Jeopardy Round Lectures 0-3 Jeopardy Round $200 How could I measure how far apart (i.e. how different) two observations, y 1 and y 2, are from each other?
Chapter 6. Orthogonality
6.3 Orthogonal Matrices 1 Chapter 6. Orthogonality 6.3 Orthogonal Matrices Definition 6.4. An n n matrix A is orthogonal if A T A = I. Note. We will see that the columns of an orthogonal matrix must be
Azure Machine Learning, SQL Data Mining and R
Azure Machine Learning, SQL Data Mining and R Day-by-day Agenda Prerequisites No formal prerequisites. Basic knowledge of SQL Server Data Tools, Excel and any analytical experience helps. Best of all:
Big Data Analytics Using Neural networks
San José State University SJSU ScholarWorks Master's Projects Master's Theses and Graduate Research 4-1-2014 Big Data Analytics Using Neural networks Follow this and additional works at: http://scholarworks.sjsu.edu/etd_projects
Follow links Class Use and other Permissions. For more information, send email to: [email protected]
COPYRIGHT NOTICE: David A. Kendrick, P. Ruben Mercado, and Hans M. Amman: Computational Economics is published by Princeton University Press and copyrighted, 2006, by Princeton University Press. All rights
Linear Algebra Review. Vectors
Linear Algebra Review By Tim K. Marks UCSD Borrows heavily from: Jana Kosecka [email protected] http://cs.gmu.edu/~kosecka/cs682.html Virginia de Sa Cogsci 8F Linear Algebra review UCSD Vectors The length
Making Sense of the Mayhem: Machine Learning and March Madness
Making Sense of the Mayhem: Machine Learning and March Madness Alex Tran and Adam Ginzberg Stanford University [email protected] [email protected] I. Introduction III. Model The goal of our research
Data Mining Practical Machine Learning Tools and Techniques
Ensemble learning Data Mining Practical Machine Learning Tools and Techniques Slides for Chapter 8 of Data Mining by I. H. Witten, E. Frank and M. A. Hall Combining multiple models Bagging The basic idea
Statistical Data Mining. Practical Assignment 3 Discriminant Analysis and Decision Trees
Statistical Data Mining Practical Assignment 3 Discriminant Analysis and Decision Trees In this practical we discuss linear and quadratic discriminant analysis and tree-based classification techniques.
CSC 411: Lecture 07: Multiclass Classification
CSC 411: Lecture 07: Multiclass Classification Class based on Raquel Urtasun & Rich Zemel s lectures Sanja Fidler University of Toronto Feb 1, 2016 Urtasun, Zemel, Fidler (UofT) CSC 411: 07-Multiclass
Homework 4 Statistics W4240: Data Mining Columbia University Due Tuesday, October 29 in Class
Problem 1. (10 Points) James 6.1 Problem 2. (10 Points) James 6.3 Problem 3. (10 Points) James 6.5 Problem 4. (15 Points) James 6.7 Problem 5. (15 Points) James 6.10 Homework 4 Statistics W4240: Data Mining
Search Taxonomy. Web Search. Search Engine Optimization. Information Retrieval
Information Retrieval INFO 4300 / CS 4300! Retrieval models Older models» Boolean retrieval» Vector Space model Probabilistic Models» BM25» Language models Web search» Learning to Rank Search Taxonomy!
Comparing the Results of Support Vector Machines with Traditional Data Mining Algorithms
Comparing the Results of Support Vector Machines with Traditional Data Mining Algorithms Scott Pion and Lutz Hamel Abstract This paper presents the results of a series of analyses performed on direct mail
Data, Measurements, Features
Data, Measurements, Features Middle East Technical University Dep. of Computer Engineering 2009 compiled by V. Atalay What do you think of when someone says Data? We might abstract the idea that data are
Practical Data Science with Azure Machine Learning, SQL Data Mining, and R
Practical Data Science with Azure Machine Learning, SQL Data Mining, and R Overview This 4-day class is the first of the two data science courses taught by Rafal Lukawiecki. Some of the topics will be
ANALYSIS, THEORY AND DESIGN OF LOGISTIC REGRESSION CLASSIFIERS USED FOR VERY LARGE SCALE DATA MINING
ANALYSIS, THEORY AND DESIGN OF LOGISTIC REGRESSION CLASSIFIERS USED FOR VERY LARGE SCALE DATA MINING BY OMID ROUHANI-KALLEH THESIS Submitted as partial fulfillment of the requirements for the degree of
A Content based Spam Filtering Using Optical Back Propagation Technique
A Content based Spam Filtering Using Optical Back Propagation Technique Sarab M. Hameed 1, Noor Alhuda J. Mohammed 2 Department of Computer Science, College of Science, University of Baghdad - Iraq ABSTRACT
Mathematics Course 111: Algebra I Part IV: Vector Spaces
Mathematics Course 111: Algebra I Part IV: Vector Spaces D. R. Wilkins Academic Year 1996-7 9 Vector Spaces A vector space over some field K is an algebraic structure consisting of a set V on which are
Natural Language Processing. Today. Logistic Regression Models. Lecture 13 10/6/2015. Jim Martin. Multinomial Logistic Regression
Natural Language Processing Lecture 13 10/6/2015 Jim Martin Today Multinomial Logistic Regression Aka log-linear models or maximum entropy (maxent) Components of the model Learning the parameters 10/1/15
Data Mining mit der JMSL Numerical Library for Java Applications
Data Mining mit der JMSL Numerical Library for Java Applications Stefan Sineux 8. Java Forum Stuttgart 07.07.2005 Agenda Visual Numerics JMSL TM Numerical Library Neuronale Netze (Hintergrund) Demos Neuronale
Introduction to Support Vector Machines. Colin Campbell, Bristol University
Introduction to Support Vector Machines Colin Campbell, Bristol University 1 Outline of talk. Part 1. An Introduction to SVMs 1.1. SVMs for binary classification. 1.2. Soft margins and multi-class classification.
CD-ROM Appendix E: Matlab
CD-ROM Appendix E: Matlab Susan A. Fugett Matlab version 7 or 6.5 is a very powerful tool useful for many kinds of mathematical tasks. For the purposes of this text, however, Matlab 7 or 6.5 will be used
Advanced analytics at your hands
2.3 Advanced analytics at your hands Neural Designer is the most powerful predictive analytics software. It uses innovative neural networks techniques to provide data scientists with results in a way previously
Probabilistic Linear Classification: Logistic Regression. Piyush Rai IIT Kanpur
Probabilistic Linear Classification: Logistic Regression Piyush Rai IIT Kanpur Probabilistic Machine Learning (CS772A) Jan 18, 2016 Probabilistic Machine Learning (CS772A) Probabilistic Linear Classification:
Similarity and Diagonalization. Similar Matrices
MATH022 Linear Algebra Brief lecture notes 48 Similarity and Diagonalization Similar Matrices Let A and B be n n matrices. We say that A is similar to B if there is an invertible n n matrix P such that
Polynomial Neural Network Discovery Client User Guide
Polynomial Neural Network Discovery Client User Guide Version 1.3 Table of contents Table of contents...2 1. Introduction...3 1.1 Overview...3 1.2 PNN algorithm principles...3 1.3 Additional criteria...3
LCs for Binary Classification
Linear Classifiers A linear classifier is a classifier such that classification is performed by a dot product beteen the to vectors representing the document and the category, respectively. Therefore it
Machine learning for algo trading
Machine learning for algo trading An introduction for nonmathematicians Dr. Aly Kassam Overview High level introduction to machine learning A machine learning bestiary What has all this got to do with
Supporting Online Material for
www.sciencemag.org/cgi/content/full/313/5786/504/dc1 Supporting Online Material for Reducing the Dimensionality of Data with Neural Networks G. E. Hinton* and R. R. Salakhutdinov *To whom correspondence
IFT3395/6390. Machine Learning from linear regression to Neural Networks. Machine Learning. Training Set. t (3.5, -2,..., 127, 0,...
IFT3395/6390 Historical perspective: back to 1957 (Prof. Pascal Vincent) (Rosenblatt, Perceptron ) Machine Learning from linear regression to Neural Networks Computer Science Artificial Intelligence Symbolic
Neural Network Toolbox
Neural Network Toolbox A Tutorial for the Course Computational Intelligence http://www.igi.tugraz.at/lehre/ci Stefan Häusler Institute for Theoretical Computer Science Inffeldgasse 16b/I Abstract This
Chapter 6. The stacking ensemble approach
82 This chapter proposes the stacking ensemble approach for combining different data mining classifiers to get better performance. Other combination techniques like voting, bagging etc are also described
Data quality in Accounting Information Systems
Data quality in Accounting Information Systems Comparing Several Data Mining Techniques Erjon Zoto Department of Statistics and Applied Informatics Faculty of Economy, University of Tirana Tirana, Albania
PGR Computing Programming Skills
PGR Computing Programming Skills Dr. I. Hawke 2008 1 Introduction The purpose of computing is to do something faster, more efficiently and more reliably than you could as a human do it. One obvious point
Predictive Dynamix Inc
Predictive Modeling Technology Predictive modeling is concerned with analyzing patterns and trends in historical and operational data in order to transform data into actionable decisions. This is accomplished
