How to plot logistic regression decision boundary? Announcing the arrival of Valued Associate...

How to dry out epoxy resin faster than usual?

Why limits give us the exact value of the slope of the tangent line?

Take 2! Is this homebrew Lady of Pain warlock patron balanced?

Search between two dates with specific time with each date

Significance of Cersei's obsession with elephants?

Is it fair for a professor to grade us on the possession of past papers?

How much damage would a cupful of neutron star matter do to the Earth?

QGIS virtual layer functionality does not seem to support memory layers

What would you call this weird metallic apparatus that allows you to lift people?

Converted a Scalar function to a TVF function for parallel execution-Still running in Serial mode

How would a mousetrap for use in space work?

Effects on objects due to a brief relocation of massive amounts of mass

How to add group product into the cart individually?

Quadrilaterals with equal sides

Would it be possible to dictate a bech32 address as a list of English words?

Do wooden building fires get hotter than 600°C?

Would it be easier to apply for a UK visa if there is a host family to sponsor for you in going there?

How do living politicians protect their readily obtainable signatures from misuse?

Is there any word for a place full of confusion?

How to get all distinct words within a set of lines?

Find 108 by using 3,4,6

Can anything be seen from the center of the Boötes void? How dark would it be?

One-one communication

What is the difference between globalisation and imperialism?



How to plot logistic regression decision boundary?



Announcing the arrival of Valued Associate #679: Cesar Manara
Planned maintenance scheduled April 23, 2019 at 00:00UTC (8:00pm US/Eastern)
2019 Moderator Election Q&A - Questionnaire
2019 Community Moderator Election ResultsStochastic gradient descent in logistic regressionDecision tree or logistic regression?Chance Curve in Accuracy-vs-Rank Plots in matlabSimple logistic regression wrong predictionsQuestion about Logistic RegressionLogistic Regression Independent Sampleslogistic regressionWhy is the logistic regression decision boundary linear in X?Why Decision trees performs better than logistic regressionLogistic regression in python












4












$begingroup$


I am running logistic regression on a small dataset which looks like this:



enter image description here



After implementing gradient descent and the cost function, I am getting a 100% accuracy in the prediction stage, However I want to be sure that everything is in order so I am trying to plot the decision boundary line which separates the two datasets.



Below I present plots showing the cost function and theta parameters. As can be seen, currently I am printing the decision boundary line incorrectly.



enter image description here



Extracting data



clear all; close all; clc;

alpha = 0.01;
num_iters = 1000;

%% Plotting data
x1 = linspace(0,3,50);
mqtrue = 5;
cqtrue = 30;
dat1 = mqtrue*x1+5*randn(1,50);

x2 = linspace(7,10,50);
dat2 = mqtrue*x2 + (cqtrue + 5*randn(1,50));

x = [x1 x2]'; % X

subplot(2,2,1);
dat = [dat1 dat2]'; % Y

scatter(x1, dat1); hold on;
scatter(x2, dat2, '*'); hold on;
classdata = (dat>40);


Computing Cost, Gradient and plotting



%  Setup the data matrix appropriately, and add ones for the intercept term
[m, n] = size(x);

% Add intercept term to x and X_test
x = [ones(m, 1) x];

% Initialize fitting parameters
theta = zeros(n + 1, 1);
%initial_theta = [0.2; 0.2];

J_history = zeros(num_iters, 1);

plot_x = [min(x(:,2))-2, max(x(:,2))+2]

for iter = 1:num_iters
% Compute and display initial cost and gradient
[cost, grad] = logistic_costFunction(theta, x, classdata);
theta = theta - alpha * grad;
J_history(iter) = cost;

fprintf('Iteration #%d - Cost = %d... rn',iter, cost);


subplot(2,2,2);
hold on; grid on;
plot(iter, J_history(iter), '.r'); title(sprintf('Plot of cost against number of iterations. Cost is %g',J_history(iter)));
xlabel('Iterations')
ylabel('MSE')
drawnow

subplot(2,2,3);
grid on;
plot3(theta(1), theta(2), J_history(iter),'o')
title(sprintf('Tita0 = %g, Tita1=%g', theta(1), theta(2)))
xlabel('Tita0')
ylabel('Tita1')
zlabel('Cost')
hold on;
drawnow

subplot(2,2,1);
grid on;
% Calculate the decision boundary line
plot_y = theta(2).*plot_x + theta(1); % <--- Boundary line
% Plot, and adjust axes for better viewing
plot(plot_x, plot_y)
hold on;
drawnow

end

fprintf('Cost at initial theta (zeros): %fn', cost);
fprintf('Gradient at initial theta (zeros): n');
fprintf(' %f n', grad);


The above code is implementing gradient descent correctly (I think) but I am still unable to show the boundary line plot. Any suggestions would be appreciated.










share|improve this question









$endgroup$

















    4












    $begingroup$


    I am running logistic regression on a small dataset which looks like this:



    enter image description here



    After implementing gradient descent and the cost function, I am getting a 100% accuracy in the prediction stage, However I want to be sure that everything is in order so I am trying to plot the decision boundary line which separates the two datasets.



    Below I present plots showing the cost function and theta parameters. As can be seen, currently I am printing the decision boundary line incorrectly.



    enter image description here



    Extracting data



    clear all; close all; clc;

    alpha = 0.01;
    num_iters = 1000;

    %% Plotting data
    x1 = linspace(0,3,50);
    mqtrue = 5;
    cqtrue = 30;
    dat1 = mqtrue*x1+5*randn(1,50);

    x2 = linspace(7,10,50);
    dat2 = mqtrue*x2 + (cqtrue + 5*randn(1,50));

    x = [x1 x2]'; % X

    subplot(2,2,1);
    dat = [dat1 dat2]'; % Y

    scatter(x1, dat1); hold on;
    scatter(x2, dat2, '*'); hold on;
    classdata = (dat>40);


    Computing Cost, Gradient and plotting



    %  Setup the data matrix appropriately, and add ones for the intercept term
    [m, n] = size(x);

    % Add intercept term to x and X_test
    x = [ones(m, 1) x];

    % Initialize fitting parameters
    theta = zeros(n + 1, 1);
    %initial_theta = [0.2; 0.2];

    J_history = zeros(num_iters, 1);

    plot_x = [min(x(:,2))-2, max(x(:,2))+2]

    for iter = 1:num_iters
    % Compute and display initial cost and gradient
    [cost, grad] = logistic_costFunction(theta, x, classdata);
    theta = theta - alpha * grad;
    J_history(iter) = cost;

    fprintf('Iteration #%d - Cost = %d... rn',iter, cost);


    subplot(2,2,2);
    hold on; grid on;
    plot(iter, J_history(iter), '.r'); title(sprintf('Plot of cost against number of iterations. Cost is %g',J_history(iter)));
    xlabel('Iterations')
    ylabel('MSE')
    drawnow

    subplot(2,2,3);
    grid on;
    plot3(theta(1), theta(2), J_history(iter),'o')
    title(sprintf('Tita0 = %g, Tita1=%g', theta(1), theta(2)))
    xlabel('Tita0')
    ylabel('Tita1')
    zlabel('Cost')
    hold on;
    drawnow

    subplot(2,2,1);
    grid on;
    % Calculate the decision boundary line
    plot_y = theta(2).*plot_x + theta(1); % <--- Boundary line
    % Plot, and adjust axes for better viewing
    plot(plot_x, plot_y)
    hold on;
    drawnow

    end

    fprintf('Cost at initial theta (zeros): %fn', cost);
    fprintf('Gradient at initial theta (zeros): n');
    fprintf(' %f n', grad);


    The above code is implementing gradient descent correctly (I think) but I am still unable to show the boundary line plot. Any suggestions would be appreciated.










    share|improve this question









    $endgroup$















      4












      4








      4


      1



      $begingroup$


      I am running logistic regression on a small dataset which looks like this:



      enter image description here



      After implementing gradient descent and the cost function, I am getting a 100% accuracy in the prediction stage, However I want to be sure that everything is in order so I am trying to plot the decision boundary line which separates the two datasets.



      Below I present plots showing the cost function and theta parameters. As can be seen, currently I am printing the decision boundary line incorrectly.



      enter image description here



      Extracting data



      clear all; close all; clc;

      alpha = 0.01;
      num_iters = 1000;

      %% Plotting data
      x1 = linspace(0,3,50);
      mqtrue = 5;
      cqtrue = 30;
      dat1 = mqtrue*x1+5*randn(1,50);

      x2 = linspace(7,10,50);
      dat2 = mqtrue*x2 + (cqtrue + 5*randn(1,50));

      x = [x1 x2]'; % X

      subplot(2,2,1);
      dat = [dat1 dat2]'; % Y

      scatter(x1, dat1); hold on;
      scatter(x2, dat2, '*'); hold on;
      classdata = (dat>40);


      Computing Cost, Gradient and plotting



      %  Setup the data matrix appropriately, and add ones for the intercept term
      [m, n] = size(x);

      % Add intercept term to x and X_test
      x = [ones(m, 1) x];

      % Initialize fitting parameters
      theta = zeros(n + 1, 1);
      %initial_theta = [0.2; 0.2];

      J_history = zeros(num_iters, 1);

      plot_x = [min(x(:,2))-2, max(x(:,2))+2]

      for iter = 1:num_iters
      % Compute and display initial cost and gradient
      [cost, grad] = logistic_costFunction(theta, x, classdata);
      theta = theta - alpha * grad;
      J_history(iter) = cost;

      fprintf('Iteration #%d - Cost = %d... rn',iter, cost);


      subplot(2,2,2);
      hold on; grid on;
      plot(iter, J_history(iter), '.r'); title(sprintf('Plot of cost against number of iterations. Cost is %g',J_history(iter)));
      xlabel('Iterations')
      ylabel('MSE')
      drawnow

      subplot(2,2,3);
      grid on;
      plot3(theta(1), theta(2), J_history(iter),'o')
      title(sprintf('Tita0 = %g, Tita1=%g', theta(1), theta(2)))
      xlabel('Tita0')
      ylabel('Tita1')
      zlabel('Cost')
      hold on;
      drawnow

      subplot(2,2,1);
      grid on;
      % Calculate the decision boundary line
      plot_y = theta(2).*plot_x + theta(1); % <--- Boundary line
      % Plot, and adjust axes for better viewing
      plot(plot_x, plot_y)
      hold on;
      drawnow

      end

      fprintf('Cost at initial theta (zeros): %fn', cost);
      fprintf('Gradient at initial theta (zeros): n');
      fprintf(' %f n', grad);


      The above code is implementing gradient descent correctly (I think) but I am still unable to show the boundary line plot. Any suggestions would be appreciated.










      share|improve this question









      $endgroup$




      I am running logistic regression on a small dataset which looks like this:



      enter image description here



      After implementing gradient descent and the cost function, I am getting a 100% accuracy in the prediction stage, However I want to be sure that everything is in order so I am trying to plot the decision boundary line which separates the two datasets.



      Below I present plots showing the cost function and theta parameters. As can be seen, currently I am printing the decision boundary line incorrectly.



      enter image description here



      Extracting data



      clear all; close all; clc;

      alpha = 0.01;
      num_iters = 1000;

      %% Plotting data
      x1 = linspace(0,3,50);
      mqtrue = 5;
      cqtrue = 30;
      dat1 = mqtrue*x1+5*randn(1,50);

      x2 = linspace(7,10,50);
      dat2 = mqtrue*x2 + (cqtrue + 5*randn(1,50));

      x = [x1 x2]'; % X

      subplot(2,2,1);
      dat = [dat1 dat2]'; % Y

      scatter(x1, dat1); hold on;
      scatter(x2, dat2, '*'); hold on;
      classdata = (dat>40);


      Computing Cost, Gradient and plotting



      %  Setup the data matrix appropriately, and add ones for the intercept term
      [m, n] = size(x);

      % Add intercept term to x and X_test
      x = [ones(m, 1) x];

      % Initialize fitting parameters
      theta = zeros(n + 1, 1);
      %initial_theta = [0.2; 0.2];

      J_history = zeros(num_iters, 1);

      plot_x = [min(x(:,2))-2, max(x(:,2))+2]

      for iter = 1:num_iters
      % Compute and display initial cost and gradient
      [cost, grad] = logistic_costFunction(theta, x, classdata);
      theta = theta - alpha * grad;
      J_history(iter) = cost;

      fprintf('Iteration #%d - Cost = %d... rn',iter, cost);


      subplot(2,2,2);
      hold on; grid on;
      plot(iter, J_history(iter), '.r'); title(sprintf('Plot of cost against number of iterations. Cost is %g',J_history(iter)));
      xlabel('Iterations')
      ylabel('MSE')
      drawnow

      subplot(2,2,3);
      grid on;
      plot3(theta(1), theta(2), J_history(iter),'o')
      title(sprintf('Tita0 = %g, Tita1=%g', theta(1), theta(2)))
      xlabel('Tita0')
      ylabel('Tita1')
      zlabel('Cost')
      hold on;
      drawnow

      subplot(2,2,1);
      grid on;
      % Calculate the decision boundary line
      plot_y = theta(2).*plot_x + theta(1); % <--- Boundary line
      % Plot, and adjust axes for better viewing
      plot(plot_x, plot_y)
      hold on;
      drawnow

      end

      fprintf('Cost at initial theta (zeros): %fn', cost);
      fprintf('Gradient at initial theta (zeros): n');
      fprintf(' %f n', grad);


      The above code is implementing gradient descent correctly (I think) but I am still unable to show the boundary line plot. Any suggestions would be appreciated.







      machine-learning logistic-regression






      share|improve this question













      share|improve this question











      share|improve this question




      share|improve this question










      asked 6 hours ago









      Rrz0Rrz0

      1688




      1688






















          2 Answers
          2






          active

          oldest

          votes


















          1












          $begingroup$

          Regarding the code



          You should plot the decision boundary after training is finished, not inside the training loop, parameters are constantly changing there; unless you are tracking the change of decision boundary.



          Decision boundary



          Assuming that input is $boldsymbol{x}=(x_1, x_2)$, and parameter is $boldsymbol{theta}=(theta_0, theta_1,theta_2)$, here is the line that should be drawn as decision boundary:
          $$x_2 = -frac{theta_1}{theta_2} x_1 - frac{theta_0}{theta_2}$$
          which can be drawn in $({Bbb R}^+, {Bbb R}^+)$ by connecting two points $(0, - frac{theta_0}{theta_2})$ and $(- frac{theta_0}{theta_1}, 0)$.
          However, if $theta_2=0$, the line would be $x_1=-frac{theta_0}{theta_1}$.



          Where this comes from?



          Decision boundary of Logistic regression is the set of all points $boldsymbol{x}$ that satisfy
          $${Bbb P}(y=1|boldsymbol{x})={Bbb P}(y=0|boldsymbol{x}) = frac{1}{2}.$$
          Given
          $${Bbb P}(y=1|boldsymbol{x})=frac{1}{1+e^{-boldsymbol{theta}^tboldsymbol{x_+}}}$$
          where $boldsymbol{theta}=(theta_0, theta_1,cdots,theta_d)$, and $boldsymbol{x}$ is extended to $boldsymbol{x_+}=(1, x_1, cdots, x_d)$ for the sake of readability to have$$boldsymbol{theta}^tboldsymbol{x_+}=theta_0 + theta_1 x_1+cdots+theta_d x_d,$$
          decision boundary can be derived as follows
          $$begin{align*}
          &frac{1}{1+e^{-boldsymbol{theta}^tboldsymbol{x_+}}} = frac{1}{2} \
          &Rightarrow boldsymbol{theta}^tboldsymbol{x_+} = 0\
          &Rightarrow theta_0 + theta_1 x_1+cdots+theta_d x_d = 0
          end{align*}$$

          For two dimensional input $boldsymbol{x}=(x_1, x_2)$ we have
          $$begin{align*}
          & theta_0 + theta_1 x_1+theta_2 x_2 = 0 \
          & Rightarrow x_2 = -frac{theta_1}{theta_2} x_1 - frac{theta_0}{theta_2}
          end{align*}$$

          which is the separation line that should be drawn in $(x_1, x_2)$ plane.



          Weighted decision boundary



          If we want to weight the positive class ($y = 1$) more or less using $w$, here is the general decision boundary:
          $$w{Bbb P}(y=1|boldsymbol{x}) = {Bbb P}(y=0|boldsymbol{x}) = frac{w}{w+1}$$



          For example, $w=2$ means point $boldsymbol{x}$ will be assigned to positive class if ${Bbb P}(y=1|boldsymbol{x}) > 0.33$ (or equivalently if ${Bbb P}(y=0|boldsymbol{x}) < 0.66$), which implies favoring the positive class (increasing the true positive rate).



          Here is the line for this general case:
          $$begin{align*}
          &frac{1}{1+e^{-boldsymbol{theta}^tboldsymbol{x_+}}} = frac{1}{w+1} \
          &Rightarrow e^{-boldsymbol{theta}^tboldsymbol{x_+}} = w\
          &Rightarrow boldsymbol{theta}^tboldsymbol{x_+} = -text{ln}w\
          &Rightarrow theta_0 + theta_1 x_1+cdots+theta_d x_d = -text{ln}w
          end{align*}$$






          share|improve this answer











          $endgroup$





















            1












            $begingroup$

            Your decision boundary is a surface in 3D as your points are in 2D.



            With Wolfram Language



            Create the data sets.



            mqtrue = 5;
            cqtrue = 30;
            With[{x = Subdivide[0, 3, 50]},
            dat1 = Transpose@{x, mqtrue x + 5 RandomReal[1, Length@x]};
            ];
            With[{x = Subdivide[7, 10, 50]},
            dat2 = Transpose@{x, mqtrue x + cqtrue + 5 RandomReal[1, Length@x]};
            ];


            View in 2D (ListPlot) and the 3D (ListPointPlot3D) regression space.



            ListPlot[{dat1, dat2}, PlotMarkers -> "OpenMarkers", PlotTheme -> "Detailed"]



            Mathematica graphics




            I Append the response variable to the data.



            datPlot =
            ListPointPlot3D[
            MapThread[Append, {#, Boole@Thread[#[[All, 2]] > 40]}] & /@ {dat1, dat2}
            ]



            enter image description here




            Perform a Logistic regression (LogitModelFit). You could use GeneralizedLinearModelFit with ExponentialFamily set to "Binomial" as well.



            With[{dat = Join[dat1, dat2]},
            model =
            LogitModelFit[
            MapThread[Append, {dat, Boole@Thread[dat[[All, 2]] > 40]}],
            {x, y}, {x, y}]
            ]



            Mathematica graphics




            From the FittedModel "Properties" we need "Function".



            model["Properties"]



            {AdjustedLikelihoodRatioIndex, DevianceTableDeviances, ParameterConfidenceIntervalTableEntries,
            AIC, DevianceTableEntries, ParameterConfidenceRegion,
            AnscombeResiduals, DevianceTableResidualDegreesOfFreedom, ParameterErrors,
            BasisFunctions, DevianceTableResidualDeviances, ParameterPValues,
            BestFit, EfronPseudoRSquared, ParameterTable,
            BestFitParameters, EstimatedDispersion, ParameterTableEntries,
            BIC, FitResiduals, ParameterZStatistics,
            CookDistances, Function, PearsonChiSquare,
            CorrelationMatrix, HatDiagonal, PearsonResiduals,
            CovarianceMatrix, LikelihoodRatioIndex, PredictedResponse,
            CoxSnellPseudoRSquared, LikelihoodRatioStatistic, Properties,
            CraggUhlerPseudoRSquared, LikelihoodResiduals, ResidualDeviance,
            Data, LinearPredictor, ResidualDegreesOfFreedom,
            DesignMatrix, LogLikelihood, Response,
            DevianceResiduals, NullDeviance, StandardizedDevianceResiduals,
            Deviances, NullDegreesOfFreedom, StandardizedPearsonResiduals,
            DevianceTable, ParameterConfidenceIntervals, WorkingResiduals,
            DevianceTableDegreesOfFreedom, ParameterConfidenceIntervalTable}




            model["Function"]



            Mathematica graphics




            Use this for prediction



            model["Function"][8, 54]



            0.0196842



            and plot the decision boundary surface in 3D along with the data (datPlot) using Show and Plot3D



            modelPlot =
            Show[
            datPlot,
            Plot3D[
            model["Function"][x, y],
            Evaluate[
            Sequence @@
            MapThread[Prepend, {MinMax /@ Transpose@Join[dat1, dat2], {x, y}}]],
            Mesh -> None,
            PlotStyle -> Opacity[.25, Green],
            PlotPoints -> 30
            ]
            ]


            enter image description here



            With ParametricPlot3D and Manipulate you can examine decision boundary curves for values of the variables. For example, keeping x fixed and letting y vary.



            Manipulate[
            Show[
            modelPlot,
            ParametricPlot3D[
            {x, u, model["Function"][x, u]}, {u, 0, 80}, PlotStyle -> Purple]
            ],
            {{x, 6}, 0, 10, Appearance -> "Labeled"}
            ]


            enter image description here



            You can also project back into 2D (Plot). For example, keeping y fixed and letting x vary.



            yMax = Ceiling@*Max@Join[dat1, dat2][[All, 2]];
            Manipulate[
            Show[
            ListPlot[{dat1, dat2}, PlotMarkers -> "OpenMarkers",
            PlotTheme -> "Detailed"],
            Plot[yMax model["Function"][x, y], {x, 0, 10}, PlotStyle -> Purple,
            Exclusions -> None]
            ],
            {{y, 40}, 0, yMax, Appearance -> "Labeled"}
            ]


            enter image description here



            Hope this helps.






            share|improve this answer











            $endgroup$














              Your Answer








              StackExchange.ready(function() {
              var channelOptions = {
              tags: "".split(" "),
              id: "557"
              };
              initTagRenderer("".split(" "), "".split(" "), channelOptions);

              StackExchange.using("externalEditor", function() {
              // Have to fire editor after snippets, if snippets enabled
              if (StackExchange.settings.snippets.snippetsEnabled) {
              StackExchange.using("snippets", function() {
              createEditor();
              });
              }
              else {
              createEditor();
              }
              });

              function createEditor() {
              StackExchange.prepareEditor({
              heartbeatType: 'answer',
              autoActivateHeartbeat: false,
              convertImagesToLinks: false,
              noModals: true,
              showLowRepImageUploadWarning: true,
              reputationToPostImages: null,
              bindNavPrevention: true,
              postfix: "",
              imageUploader: {
              brandingHtml: "Powered by u003ca class="icon-imgur-white" href="https://imgur.com/"u003eu003c/au003e",
              contentPolicyHtml: "User contributions licensed under u003ca href="https://creativecommons.org/licenses/by-sa/3.0/"u003ecc by-sa 3.0 with attribution requiredu003c/au003e u003ca href="https://stackoverflow.com/legal/content-policy"u003e(content policy)u003c/au003e",
              allowUrls: true
              },
              onDemand: true,
              discardSelector: ".discard-answer"
              ,immediatelyShowMarkdownHelp:true
              });


              }
              });














              draft saved

              draft discarded


















              StackExchange.ready(
              function () {
              StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fdatascience.stackexchange.com%2fquestions%2f49573%2fhow-to-plot-logistic-regression-decision-boundary%23new-answer', 'question_page');
              }
              );

              Post as a guest















              Required, but never shown

























              2 Answers
              2






              active

              oldest

              votes








              2 Answers
              2






              active

              oldest

              votes









              active

              oldest

              votes






              active

              oldest

              votes









              1












              $begingroup$

              Regarding the code



              You should plot the decision boundary after training is finished, not inside the training loop, parameters are constantly changing there; unless you are tracking the change of decision boundary.



              Decision boundary



              Assuming that input is $boldsymbol{x}=(x_1, x_2)$, and parameter is $boldsymbol{theta}=(theta_0, theta_1,theta_2)$, here is the line that should be drawn as decision boundary:
              $$x_2 = -frac{theta_1}{theta_2} x_1 - frac{theta_0}{theta_2}$$
              which can be drawn in $({Bbb R}^+, {Bbb R}^+)$ by connecting two points $(0, - frac{theta_0}{theta_2})$ and $(- frac{theta_0}{theta_1}, 0)$.
              However, if $theta_2=0$, the line would be $x_1=-frac{theta_0}{theta_1}$.



              Where this comes from?



              Decision boundary of Logistic regression is the set of all points $boldsymbol{x}$ that satisfy
              $${Bbb P}(y=1|boldsymbol{x})={Bbb P}(y=0|boldsymbol{x}) = frac{1}{2}.$$
              Given
              $${Bbb P}(y=1|boldsymbol{x})=frac{1}{1+e^{-boldsymbol{theta}^tboldsymbol{x_+}}}$$
              where $boldsymbol{theta}=(theta_0, theta_1,cdots,theta_d)$, and $boldsymbol{x}$ is extended to $boldsymbol{x_+}=(1, x_1, cdots, x_d)$ for the sake of readability to have$$boldsymbol{theta}^tboldsymbol{x_+}=theta_0 + theta_1 x_1+cdots+theta_d x_d,$$
              decision boundary can be derived as follows
              $$begin{align*}
              &frac{1}{1+e^{-boldsymbol{theta}^tboldsymbol{x_+}}} = frac{1}{2} \
              &Rightarrow boldsymbol{theta}^tboldsymbol{x_+} = 0\
              &Rightarrow theta_0 + theta_1 x_1+cdots+theta_d x_d = 0
              end{align*}$$

              For two dimensional input $boldsymbol{x}=(x_1, x_2)$ we have
              $$begin{align*}
              & theta_0 + theta_1 x_1+theta_2 x_2 = 0 \
              & Rightarrow x_2 = -frac{theta_1}{theta_2} x_1 - frac{theta_0}{theta_2}
              end{align*}$$

              which is the separation line that should be drawn in $(x_1, x_2)$ plane.



              Weighted decision boundary



              If we want to weight the positive class ($y = 1$) more or less using $w$, here is the general decision boundary:
              $$w{Bbb P}(y=1|boldsymbol{x}) = {Bbb P}(y=0|boldsymbol{x}) = frac{w}{w+1}$$



              For example, $w=2$ means point $boldsymbol{x}$ will be assigned to positive class if ${Bbb P}(y=1|boldsymbol{x}) > 0.33$ (or equivalently if ${Bbb P}(y=0|boldsymbol{x}) < 0.66$), which implies favoring the positive class (increasing the true positive rate).



              Here is the line for this general case:
              $$begin{align*}
              &frac{1}{1+e^{-boldsymbol{theta}^tboldsymbol{x_+}}} = frac{1}{w+1} \
              &Rightarrow e^{-boldsymbol{theta}^tboldsymbol{x_+}} = w\
              &Rightarrow boldsymbol{theta}^tboldsymbol{x_+} = -text{ln}w\
              &Rightarrow theta_0 + theta_1 x_1+cdots+theta_d x_d = -text{ln}w
              end{align*}$$






              share|improve this answer











              $endgroup$


















                1












                $begingroup$

                Regarding the code



                You should plot the decision boundary after training is finished, not inside the training loop, parameters are constantly changing there; unless you are tracking the change of decision boundary.



                Decision boundary



                Assuming that input is $boldsymbol{x}=(x_1, x_2)$, and parameter is $boldsymbol{theta}=(theta_0, theta_1,theta_2)$, here is the line that should be drawn as decision boundary:
                $$x_2 = -frac{theta_1}{theta_2} x_1 - frac{theta_0}{theta_2}$$
                which can be drawn in $({Bbb R}^+, {Bbb R}^+)$ by connecting two points $(0, - frac{theta_0}{theta_2})$ and $(- frac{theta_0}{theta_1}, 0)$.
                However, if $theta_2=0$, the line would be $x_1=-frac{theta_0}{theta_1}$.



                Where this comes from?



                Decision boundary of Logistic regression is the set of all points $boldsymbol{x}$ that satisfy
                $${Bbb P}(y=1|boldsymbol{x})={Bbb P}(y=0|boldsymbol{x}) = frac{1}{2}.$$
                Given
                $${Bbb P}(y=1|boldsymbol{x})=frac{1}{1+e^{-boldsymbol{theta}^tboldsymbol{x_+}}}$$
                where $boldsymbol{theta}=(theta_0, theta_1,cdots,theta_d)$, and $boldsymbol{x}$ is extended to $boldsymbol{x_+}=(1, x_1, cdots, x_d)$ for the sake of readability to have$$boldsymbol{theta}^tboldsymbol{x_+}=theta_0 + theta_1 x_1+cdots+theta_d x_d,$$
                decision boundary can be derived as follows
                $$begin{align*}
                &frac{1}{1+e^{-boldsymbol{theta}^tboldsymbol{x_+}}} = frac{1}{2} \
                &Rightarrow boldsymbol{theta}^tboldsymbol{x_+} = 0\
                &Rightarrow theta_0 + theta_1 x_1+cdots+theta_d x_d = 0
                end{align*}$$

                For two dimensional input $boldsymbol{x}=(x_1, x_2)$ we have
                $$begin{align*}
                & theta_0 + theta_1 x_1+theta_2 x_2 = 0 \
                & Rightarrow x_2 = -frac{theta_1}{theta_2} x_1 - frac{theta_0}{theta_2}
                end{align*}$$

                which is the separation line that should be drawn in $(x_1, x_2)$ plane.



                Weighted decision boundary



                If we want to weight the positive class ($y = 1$) more or less using $w$, here is the general decision boundary:
                $$w{Bbb P}(y=1|boldsymbol{x}) = {Bbb P}(y=0|boldsymbol{x}) = frac{w}{w+1}$$



                For example, $w=2$ means point $boldsymbol{x}$ will be assigned to positive class if ${Bbb P}(y=1|boldsymbol{x}) > 0.33$ (or equivalently if ${Bbb P}(y=0|boldsymbol{x}) < 0.66$), which implies favoring the positive class (increasing the true positive rate).



                Here is the line for this general case:
                $$begin{align*}
                &frac{1}{1+e^{-boldsymbol{theta}^tboldsymbol{x_+}}} = frac{1}{w+1} \
                &Rightarrow e^{-boldsymbol{theta}^tboldsymbol{x_+}} = w\
                &Rightarrow boldsymbol{theta}^tboldsymbol{x_+} = -text{ln}w\
                &Rightarrow theta_0 + theta_1 x_1+cdots+theta_d x_d = -text{ln}w
                end{align*}$$






                share|improve this answer











                $endgroup$
















                  1












                  1








                  1





                  $begingroup$

                  Regarding the code



                  You should plot the decision boundary after training is finished, not inside the training loop, parameters are constantly changing there; unless you are tracking the change of decision boundary.



                  Decision boundary



                  Assuming that input is $boldsymbol{x}=(x_1, x_2)$, and parameter is $boldsymbol{theta}=(theta_0, theta_1,theta_2)$, here is the line that should be drawn as decision boundary:
                  $$x_2 = -frac{theta_1}{theta_2} x_1 - frac{theta_0}{theta_2}$$
                  which can be drawn in $({Bbb R}^+, {Bbb R}^+)$ by connecting two points $(0, - frac{theta_0}{theta_2})$ and $(- frac{theta_0}{theta_1}, 0)$.
                  However, if $theta_2=0$, the line would be $x_1=-frac{theta_0}{theta_1}$.



                  Where this comes from?



                  Decision boundary of Logistic regression is the set of all points $boldsymbol{x}$ that satisfy
                  $${Bbb P}(y=1|boldsymbol{x})={Bbb P}(y=0|boldsymbol{x}) = frac{1}{2}.$$
                  Given
                  $${Bbb P}(y=1|boldsymbol{x})=frac{1}{1+e^{-boldsymbol{theta}^tboldsymbol{x_+}}}$$
                  where $boldsymbol{theta}=(theta_0, theta_1,cdots,theta_d)$, and $boldsymbol{x}$ is extended to $boldsymbol{x_+}=(1, x_1, cdots, x_d)$ for the sake of readability to have$$boldsymbol{theta}^tboldsymbol{x_+}=theta_0 + theta_1 x_1+cdots+theta_d x_d,$$
                  decision boundary can be derived as follows
                  $$begin{align*}
                  &frac{1}{1+e^{-boldsymbol{theta}^tboldsymbol{x_+}}} = frac{1}{2} \
                  &Rightarrow boldsymbol{theta}^tboldsymbol{x_+} = 0\
                  &Rightarrow theta_0 + theta_1 x_1+cdots+theta_d x_d = 0
                  end{align*}$$

                  For two dimensional input $boldsymbol{x}=(x_1, x_2)$ we have
                  $$begin{align*}
                  & theta_0 + theta_1 x_1+theta_2 x_2 = 0 \
                  & Rightarrow x_2 = -frac{theta_1}{theta_2} x_1 - frac{theta_0}{theta_2}
                  end{align*}$$

                  which is the separation line that should be drawn in $(x_1, x_2)$ plane.



                  Weighted decision boundary



                  If we want to weight the positive class ($y = 1$) more or less using $w$, here is the general decision boundary:
                  $$w{Bbb P}(y=1|boldsymbol{x}) = {Bbb P}(y=0|boldsymbol{x}) = frac{w}{w+1}$$



                  For example, $w=2$ means point $boldsymbol{x}$ will be assigned to positive class if ${Bbb P}(y=1|boldsymbol{x}) > 0.33$ (or equivalently if ${Bbb P}(y=0|boldsymbol{x}) < 0.66$), which implies favoring the positive class (increasing the true positive rate).



                  Here is the line for this general case:
                  $$begin{align*}
                  &frac{1}{1+e^{-boldsymbol{theta}^tboldsymbol{x_+}}} = frac{1}{w+1} \
                  &Rightarrow e^{-boldsymbol{theta}^tboldsymbol{x_+}} = w\
                  &Rightarrow boldsymbol{theta}^tboldsymbol{x_+} = -text{ln}w\
                  &Rightarrow theta_0 + theta_1 x_1+cdots+theta_d x_d = -text{ln}w
                  end{align*}$$






                  share|improve this answer











                  $endgroup$



                  Regarding the code



                  You should plot the decision boundary after training is finished, not inside the training loop, parameters are constantly changing there; unless you are tracking the change of decision boundary.



                  Decision boundary



                  Assuming that input is $boldsymbol{x}=(x_1, x_2)$, and parameter is $boldsymbol{theta}=(theta_0, theta_1,theta_2)$, here is the line that should be drawn as decision boundary:
                  $$x_2 = -frac{theta_1}{theta_2} x_1 - frac{theta_0}{theta_2}$$
                  which can be drawn in $({Bbb R}^+, {Bbb R}^+)$ by connecting two points $(0, - frac{theta_0}{theta_2})$ and $(- frac{theta_0}{theta_1}, 0)$.
                  However, if $theta_2=0$, the line would be $x_1=-frac{theta_0}{theta_1}$.



                  Where this comes from?



                  Decision boundary of Logistic regression is the set of all points $boldsymbol{x}$ that satisfy
                  $${Bbb P}(y=1|boldsymbol{x})={Bbb P}(y=0|boldsymbol{x}) = frac{1}{2}.$$
                  Given
                  $${Bbb P}(y=1|boldsymbol{x})=frac{1}{1+e^{-boldsymbol{theta}^tboldsymbol{x_+}}}$$
                  where $boldsymbol{theta}=(theta_0, theta_1,cdots,theta_d)$, and $boldsymbol{x}$ is extended to $boldsymbol{x_+}=(1, x_1, cdots, x_d)$ for the sake of readability to have$$boldsymbol{theta}^tboldsymbol{x_+}=theta_0 + theta_1 x_1+cdots+theta_d x_d,$$
                  decision boundary can be derived as follows
                  $$begin{align*}
                  &frac{1}{1+e^{-boldsymbol{theta}^tboldsymbol{x_+}}} = frac{1}{2} \
                  &Rightarrow boldsymbol{theta}^tboldsymbol{x_+} = 0\
                  &Rightarrow theta_0 + theta_1 x_1+cdots+theta_d x_d = 0
                  end{align*}$$

                  For two dimensional input $boldsymbol{x}=(x_1, x_2)$ we have
                  $$begin{align*}
                  & theta_0 + theta_1 x_1+theta_2 x_2 = 0 \
                  & Rightarrow x_2 = -frac{theta_1}{theta_2} x_1 - frac{theta_0}{theta_2}
                  end{align*}$$

                  which is the separation line that should be drawn in $(x_1, x_2)$ plane.



                  Weighted decision boundary



                  If we want to weight the positive class ($y = 1$) more or less using $w$, here is the general decision boundary:
                  $$w{Bbb P}(y=1|boldsymbol{x}) = {Bbb P}(y=0|boldsymbol{x}) = frac{w}{w+1}$$



                  For example, $w=2$ means point $boldsymbol{x}$ will be assigned to positive class if ${Bbb P}(y=1|boldsymbol{x}) > 0.33$ (or equivalently if ${Bbb P}(y=0|boldsymbol{x}) < 0.66$), which implies favoring the positive class (increasing the true positive rate).



                  Here is the line for this general case:
                  $$begin{align*}
                  &frac{1}{1+e^{-boldsymbol{theta}^tboldsymbol{x_+}}} = frac{1}{w+1} \
                  &Rightarrow e^{-boldsymbol{theta}^tboldsymbol{x_+}} = w\
                  &Rightarrow boldsymbol{theta}^tboldsymbol{x_+} = -text{ln}w\
                  &Rightarrow theta_0 + theta_1 x_1+cdots+theta_d x_d = -text{ln}w
                  end{align*}$$







                  share|improve this answer














                  share|improve this answer



                  share|improve this answer








                  edited 12 mins ago

























                  answered 3 hours ago









                  EsmailianEsmailian

                  3,466420




                  3,466420























                      1












                      $begingroup$

                      Your decision boundary is a surface in 3D as your points are in 2D.



                      With Wolfram Language



                      Create the data sets.



                      mqtrue = 5;
                      cqtrue = 30;
                      With[{x = Subdivide[0, 3, 50]},
                      dat1 = Transpose@{x, mqtrue x + 5 RandomReal[1, Length@x]};
                      ];
                      With[{x = Subdivide[7, 10, 50]},
                      dat2 = Transpose@{x, mqtrue x + cqtrue + 5 RandomReal[1, Length@x]};
                      ];


                      View in 2D (ListPlot) and the 3D (ListPointPlot3D) regression space.



                      ListPlot[{dat1, dat2}, PlotMarkers -> "OpenMarkers", PlotTheme -> "Detailed"]



                      Mathematica graphics




                      I Append the response variable to the data.



                      datPlot =
                      ListPointPlot3D[
                      MapThread[Append, {#, Boole@Thread[#[[All, 2]] > 40]}] & /@ {dat1, dat2}
                      ]



                      enter image description here




                      Perform a Logistic regression (LogitModelFit). You could use GeneralizedLinearModelFit with ExponentialFamily set to "Binomial" as well.



                      With[{dat = Join[dat1, dat2]},
                      model =
                      LogitModelFit[
                      MapThread[Append, {dat, Boole@Thread[dat[[All, 2]] > 40]}],
                      {x, y}, {x, y}]
                      ]



                      Mathematica graphics




                      From the FittedModel "Properties" we need "Function".



                      model["Properties"]



                      {AdjustedLikelihoodRatioIndex, DevianceTableDeviances, ParameterConfidenceIntervalTableEntries,
                      AIC, DevianceTableEntries, ParameterConfidenceRegion,
                      AnscombeResiduals, DevianceTableResidualDegreesOfFreedom, ParameterErrors,
                      BasisFunctions, DevianceTableResidualDeviances, ParameterPValues,
                      BestFit, EfronPseudoRSquared, ParameterTable,
                      BestFitParameters, EstimatedDispersion, ParameterTableEntries,
                      BIC, FitResiduals, ParameterZStatistics,
                      CookDistances, Function, PearsonChiSquare,
                      CorrelationMatrix, HatDiagonal, PearsonResiduals,
                      CovarianceMatrix, LikelihoodRatioIndex, PredictedResponse,
                      CoxSnellPseudoRSquared, LikelihoodRatioStatistic, Properties,
                      CraggUhlerPseudoRSquared, LikelihoodResiduals, ResidualDeviance,
                      Data, LinearPredictor, ResidualDegreesOfFreedom,
                      DesignMatrix, LogLikelihood, Response,
                      DevianceResiduals, NullDeviance, StandardizedDevianceResiduals,
                      Deviances, NullDegreesOfFreedom, StandardizedPearsonResiduals,
                      DevianceTable, ParameterConfidenceIntervals, WorkingResiduals,
                      DevianceTableDegreesOfFreedom, ParameterConfidenceIntervalTable}




                      model["Function"]



                      Mathematica graphics




                      Use this for prediction



                      model["Function"][8, 54]



                      0.0196842



                      and plot the decision boundary surface in 3D along with the data (datPlot) using Show and Plot3D



                      modelPlot =
                      Show[
                      datPlot,
                      Plot3D[
                      model["Function"][x, y],
                      Evaluate[
                      Sequence @@
                      MapThread[Prepend, {MinMax /@ Transpose@Join[dat1, dat2], {x, y}}]],
                      Mesh -> None,
                      PlotStyle -> Opacity[.25, Green],
                      PlotPoints -> 30
                      ]
                      ]


                      enter image description here



                      With ParametricPlot3D and Manipulate you can examine decision boundary curves for values of the variables. For example, keeping x fixed and letting y vary.



                      Manipulate[
                      Show[
                      modelPlot,
                      ParametricPlot3D[
                      {x, u, model["Function"][x, u]}, {u, 0, 80}, PlotStyle -> Purple]
                      ],
                      {{x, 6}, 0, 10, Appearance -> "Labeled"}
                      ]


                      enter image description here



                      You can also project back into 2D (Plot). For example, keeping y fixed and letting x vary.



                      yMax = Ceiling@*Max@Join[dat1, dat2][[All, 2]];
                      Manipulate[
                      Show[
                      ListPlot[{dat1, dat2}, PlotMarkers -> "OpenMarkers",
                      PlotTheme -> "Detailed"],
                      Plot[yMax model["Function"][x, y], {x, 0, 10}, PlotStyle -> Purple,
                      Exclusions -> None]
                      ],
                      {{y, 40}, 0, yMax, Appearance -> "Labeled"}
                      ]


                      enter image description here



                      Hope this helps.






                      share|improve this answer











                      $endgroup$


















                        1












                        $begingroup$

                        Your decision boundary is a surface in 3D as your points are in 2D.



                        With Wolfram Language



                        Create the data sets.



                        mqtrue = 5;
                        cqtrue = 30;
                        With[{x = Subdivide[0, 3, 50]},
                        dat1 = Transpose@{x, mqtrue x + 5 RandomReal[1, Length@x]};
                        ];
                        With[{x = Subdivide[7, 10, 50]},
                        dat2 = Transpose@{x, mqtrue x + cqtrue + 5 RandomReal[1, Length@x]};
                        ];


                        View in 2D (ListPlot) and the 3D (ListPointPlot3D) regression space.



                        ListPlot[{dat1, dat2}, PlotMarkers -> "OpenMarkers", PlotTheme -> "Detailed"]



                        Mathematica graphics




                        I Append the response variable to the data.



                        datPlot =
                        ListPointPlot3D[
                        MapThread[Append, {#, Boole@Thread[#[[All, 2]] > 40]}] & /@ {dat1, dat2}
                        ]



                        enter image description here




                        Perform a Logistic regression (LogitModelFit). You could use GeneralizedLinearModelFit with ExponentialFamily set to "Binomial" as well.



                        With[{dat = Join[dat1, dat2]},
                        model =
                        LogitModelFit[
                        MapThread[Append, {dat, Boole@Thread[dat[[All, 2]] > 40]}],
                        {x, y}, {x, y}]
                        ]



                        Mathematica graphics




                        From the FittedModel "Properties" we need "Function".



                        model["Properties"]



                        {AdjustedLikelihoodRatioIndex, DevianceTableDeviances, ParameterConfidenceIntervalTableEntries,
                        AIC, DevianceTableEntries, ParameterConfidenceRegion,
                        AnscombeResiduals, DevianceTableResidualDegreesOfFreedom, ParameterErrors,
                        BasisFunctions, DevianceTableResidualDeviances, ParameterPValues,
                        BestFit, EfronPseudoRSquared, ParameterTable,
                        BestFitParameters, EstimatedDispersion, ParameterTableEntries,
                        BIC, FitResiduals, ParameterZStatistics,
                        CookDistances, Function, PearsonChiSquare,
                        CorrelationMatrix, HatDiagonal, PearsonResiduals,
                        CovarianceMatrix, LikelihoodRatioIndex, PredictedResponse,
                        CoxSnellPseudoRSquared, LikelihoodRatioStatistic, Properties,
                        CraggUhlerPseudoRSquared, LikelihoodResiduals, ResidualDeviance,
                        Data, LinearPredictor, ResidualDegreesOfFreedom,
                        DesignMatrix, LogLikelihood, Response,
                        DevianceResiduals, NullDeviance, StandardizedDevianceResiduals,
                        Deviances, NullDegreesOfFreedom, StandardizedPearsonResiduals,
                        DevianceTable, ParameterConfidenceIntervals, WorkingResiduals,
                        DevianceTableDegreesOfFreedom, ParameterConfidenceIntervalTable}




                        model["Function"]



                        Mathematica graphics




                        Use this for prediction



                        model["Function"][8, 54]



                        0.0196842



                        and plot the decision boundary surface in 3D along with the data (datPlot) using Show and Plot3D



                        modelPlot =
                        Show[
                        datPlot,
                        Plot3D[
                        model["Function"][x, y],
                        Evaluate[
                        Sequence @@
                        MapThread[Prepend, {MinMax /@ Transpose@Join[dat1, dat2], {x, y}}]],
                        Mesh -> None,
                        PlotStyle -> Opacity[.25, Green],
                        PlotPoints -> 30
                        ]
                        ]


                        enter image description here



                        With ParametricPlot3D and Manipulate you can examine decision boundary curves for values of the variables. For example, keeping x fixed and letting y vary.



                        Manipulate[
                        Show[
                        modelPlot,
                        ParametricPlot3D[
                        {x, u, model["Function"][x, u]}, {u, 0, 80}, PlotStyle -> Purple]
                        ],
                        {{x, 6}, 0, 10, Appearance -> "Labeled"}
                        ]


                        enter image description here



                        You can also project back into 2D (Plot). For example, keeping y fixed and letting x vary.



                        yMax = Ceiling@*Max@Join[dat1, dat2][[All, 2]];
                        Manipulate[
                        Show[
                        ListPlot[{dat1, dat2}, PlotMarkers -> "OpenMarkers",
                        PlotTheme -> "Detailed"],
                        Plot[yMax model["Function"][x, y], {x, 0, 10}, PlotStyle -> Purple,
                        Exclusions -> None]
                        ],
                        {{y, 40}, 0, yMax, Appearance -> "Labeled"}
                        ]


                        enter image description here



                        Hope this helps.






                        share|improve this answer











                        $endgroup$
















                          1












                          1








                          1





                          $begingroup$

                          Your decision boundary is a surface in 3D as your points are in 2D.



                          With Wolfram Language



                          Create the data sets.



                          mqtrue = 5;
                          cqtrue = 30;
                          With[{x = Subdivide[0, 3, 50]},
                          dat1 = Transpose@{x, mqtrue x + 5 RandomReal[1, Length@x]};
                          ];
                          With[{x = Subdivide[7, 10, 50]},
                          dat2 = Transpose@{x, mqtrue x + cqtrue + 5 RandomReal[1, Length@x]};
                          ];


                          View in 2D (ListPlot) and the 3D (ListPointPlot3D) regression space.



                          ListPlot[{dat1, dat2}, PlotMarkers -> "OpenMarkers", PlotTheme -> "Detailed"]



                          Mathematica graphics




                          I Append the response variable to the data.



                          datPlot =
                          ListPointPlot3D[
                          MapThread[Append, {#, Boole@Thread[#[[All, 2]] > 40]}] & /@ {dat1, dat2}
                          ]



                          enter image description here




                          Perform a Logistic regression (LogitModelFit). You could use GeneralizedLinearModelFit with ExponentialFamily set to "Binomial" as well.



                          With[{dat = Join[dat1, dat2]},
                          model =
                          LogitModelFit[
                          MapThread[Append, {dat, Boole@Thread[dat[[All, 2]] > 40]}],
                          {x, y}, {x, y}]
                          ]



                          Mathematica graphics




                          From the FittedModel "Properties" we need "Function".



                          model["Properties"]



                          {AdjustedLikelihoodRatioIndex, DevianceTableDeviances, ParameterConfidenceIntervalTableEntries,
                          AIC, DevianceTableEntries, ParameterConfidenceRegion,
                          AnscombeResiduals, DevianceTableResidualDegreesOfFreedom, ParameterErrors,
                          BasisFunctions, DevianceTableResidualDeviances, ParameterPValues,
                          BestFit, EfronPseudoRSquared, ParameterTable,
                          BestFitParameters, EstimatedDispersion, ParameterTableEntries,
                          BIC, FitResiduals, ParameterZStatistics,
                          CookDistances, Function, PearsonChiSquare,
                          CorrelationMatrix, HatDiagonal, PearsonResiduals,
                          CovarianceMatrix, LikelihoodRatioIndex, PredictedResponse,
                          CoxSnellPseudoRSquared, LikelihoodRatioStatistic, Properties,
                          CraggUhlerPseudoRSquared, LikelihoodResiduals, ResidualDeviance,
                          Data, LinearPredictor, ResidualDegreesOfFreedom,
                          DesignMatrix, LogLikelihood, Response,
                          DevianceResiduals, NullDeviance, StandardizedDevianceResiduals,
                          Deviances, NullDegreesOfFreedom, StandardizedPearsonResiduals,
                          DevianceTable, ParameterConfidenceIntervals, WorkingResiduals,
                          DevianceTableDegreesOfFreedom, ParameterConfidenceIntervalTable}




                          model["Function"]



                          Mathematica graphics




                          Use this for prediction



                          model["Function"][8, 54]



                          0.0196842



                          and plot the decision boundary surface in 3D along with the data (datPlot) using Show and Plot3D



                          modelPlot =
                          Show[
                          datPlot,
                          Plot3D[
                          model["Function"][x, y],
                          Evaluate[
                          Sequence @@
                          MapThread[Prepend, {MinMax /@ Transpose@Join[dat1, dat2], {x, y}}]],
                          Mesh -> None,
                          PlotStyle -> Opacity[.25, Green],
                          PlotPoints -> 30
                          ]
                          ]


                          enter image description here



                          With ParametricPlot3D and Manipulate you can examine decision boundary curves for values of the variables. For example, keeping x fixed and letting y vary.



                          Manipulate[
                          Show[
                          modelPlot,
                          ParametricPlot3D[
                          {x, u, model["Function"][x, u]}, {u, 0, 80}, PlotStyle -> Purple]
                          ],
                          {{x, 6}, 0, 10, Appearance -> "Labeled"}
                          ]


                          enter image description here



                          You can also project back into 2D (Plot). For example, keeping y fixed and letting x vary.



                          yMax = Ceiling@*Max@Join[dat1, dat2][[All, 2]];
                          Manipulate[
                          Show[
                          ListPlot[{dat1, dat2}, PlotMarkers -> "OpenMarkers",
                          PlotTheme -> "Detailed"],
                          Plot[yMax model["Function"][x, y], {x, 0, 10}, PlotStyle -> Purple,
                          Exclusions -> None]
                          ],
                          {{y, 40}, 0, yMax, Appearance -> "Labeled"}
                          ]


                          enter image description here



                          Hope this helps.






                          share|improve this answer











                          $endgroup$



                          Your decision boundary is a surface in 3D as your points are in 2D.



                          With Wolfram Language



                          Create the data sets.



                          mqtrue = 5;
                          cqtrue = 30;
                          With[{x = Subdivide[0, 3, 50]},
                          dat1 = Transpose@{x, mqtrue x + 5 RandomReal[1, Length@x]};
                          ];
                          With[{x = Subdivide[7, 10, 50]},
                          dat2 = Transpose@{x, mqtrue x + cqtrue + 5 RandomReal[1, Length@x]};
                          ];


                          View in 2D (ListPlot) and the 3D (ListPointPlot3D) regression space.



                          ListPlot[{dat1, dat2}, PlotMarkers -> "OpenMarkers", PlotTheme -> "Detailed"]



                          Mathematica graphics




                          I Append the response variable to the data.



                          datPlot =
                          ListPointPlot3D[
                          MapThread[Append, {#, Boole@Thread[#[[All, 2]] > 40]}] & /@ {dat1, dat2}
                          ]



                          enter image description here




                          Perform a Logistic regression (LogitModelFit). You could use GeneralizedLinearModelFit with ExponentialFamily set to "Binomial" as well.



                          With[{dat = Join[dat1, dat2]},
                          model =
                          LogitModelFit[
                          MapThread[Append, {dat, Boole@Thread[dat[[All, 2]] > 40]}],
                          {x, y}, {x, y}]
                          ]



                          Mathematica graphics




                          From the FittedModel "Properties" we need "Function".



                          model["Properties"]



                          {AdjustedLikelihoodRatioIndex, DevianceTableDeviances, ParameterConfidenceIntervalTableEntries,
                          AIC, DevianceTableEntries, ParameterConfidenceRegion,
                          AnscombeResiduals, DevianceTableResidualDegreesOfFreedom, ParameterErrors,
                          BasisFunctions, DevianceTableResidualDeviances, ParameterPValues,
                          BestFit, EfronPseudoRSquared, ParameterTable,
                          BestFitParameters, EstimatedDispersion, ParameterTableEntries,
                          BIC, FitResiduals, ParameterZStatistics,
                          CookDistances, Function, PearsonChiSquare,
                          CorrelationMatrix, HatDiagonal, PearsonResiduals,
                          CovarianceMatrix, LikelihoodRatioIndex, PredictedResponse,
                          CoxSnellPseudoRSquared, LikelihoodRatioStatistic, Properties,
                          CraggUhlerPseudoRSquared, LikelihoodResiduals, ResidualDeviance,
                          Data, LinearPredictor, ResidualDegreesOfFreedom,
                          DesignMatrix, LogLikelihood, Response,
                          DevianceResiduals, NullDeviance, StandardizedDevianceResiduals,
                          Deviances, NullDegreesOfFreedom, StandardizedPearsonResiduals,
                          DevianceTable, ParameterConfidenceIntervals, WorkingResiduals,
                          DevianceTableDegreesOfFreedom, ParameterConfidenceIntervalTable}




                          model["Function"]



                          Mathematica graphics




                          Use this for prediction



                          model["Function"][8, 54]



                          0.0196842



                          and plot the decision boundary surface in 3D along with the data (datPlot) using Show and Plot3D



                          modelPlot =
                          Show[
                          datPlot,
                          Plot3D[
                          model["Function"][x, y],
                          Evaluate[
                          Sequence @@
                          MapThread[Prepend, {MinMax /@ Transpose@Join[dat1, dat2], {x, y}}]],
                          Mesh -> None,
                          PlotStyle -> Opacity[.25, Green],
                          PlotPoints -> 30
                          ]
                          ]


                          enter image description here



                          With ParametricPlot3D and Manipulate you can examine decision boundary curves for values of the variables. For example, keeping x fixed and letting y vary.



                          Manipulate[
                          Show[
                          modelPlot,
                          ParametricPlot3D[
                          {x, u, model["Function"][x, u]}, {u, 0, 80}, PlotStyle -> Purple]
                          ],
                          {{x, 6}, 0, 10, Appearance -> "Labeled"}
                          ]


                          enter image description here



                          You can also project back into 2D (Plot). For example, keeping y fixed and letting x vary.



                          yMax = Ceiling@*Max@Join[dat1, dat2][[All, 2]];
                          Manipulate[
                          Show[
                          ListPlot[{dat1, dat2}, PlotMarkers -> "OpenMarkers",
                          PlotTheme -> "Detailed"],
                          Plot[yMax model["Function"][x, y], {x, 0, 10}, PlotStyle -> Purple,
                          Exclusions -> None]
                          ],
                          {{y, 40}, 0, yMax, Appearance -> "Labeled"}
                          ]


                          enter image description here



                          Hope this helps.







                          share|improve this answer














                          share|improve this answer



                          share|improve this answer








                          edited 9 mins ago

























                          answered 37 mins ago









                          EdmundEdmund

                          215311




                          215311






























                              draft saved

                              draft discarded




















































                              Thanks for contributing an answer to Data Science Stack Exchange!


                              • Please be sure to answer the question. Provide details and share your research!

                              But avoid



                              • Asking for help, clarification, or responding to other answers.

                              • Making statements based on opinion; back them up with references or personal experience.


                              Use MathJax to format equations. MathJax reference.


                              To learn more, see our tips on writing great answers.




                              draft saved


                              draft discarded














                              StackExchange.ready(
                              function () {
                              StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fdatascience.stackexchange.com%2fquestions%2f49573%2fhow-to-plot-logistic-regression-decision-boundary%23new-answer', 'question_page');
                              }
                              );

                              Post as a guest















                              Required, but never shown





















































                              Required, but never shown














                              Required, but never shown












                              Required, but never shown







                              Required, but never shown

































                              Required, but never shown














                              Required, but never shown












                              Required, but never shown







                              Required, but never shown







                              Popular posts from this blog

                              ORA-01691 (unable to extend lob segment) even though my tablespace has AUTOEXTEND onORA-01692: unable to...

                              Always On Availability groups resolving state after failover - Remote harden of transaction...

                              Circunscripción electoral de Guipúzcoa Referencias Menú de navegaciónLas claves del sistema electoral en...