While loop - display the last value while statement is still true
조회 수: 4 (최근 30일)
이전 댓글 표시
x=0
p=1-poisscdf(1,x);
while p<=0.1
x=x+0.01;
p=1-poisscdf(1,x);
end
display(x);
The x value given at the end of the loop is the first value that makes the statement false.What can I add to the script so that display(x) gives me the last value that makes the statement true?
*Edit:
I just tried:
x=0;
p=1-poisscdf(1,x);
while p2more<=0.1
x=x+0.01;
p=1-poisscdf(1,x);
if p>=0.1
break
end
display(x);
end
Now I get all the values of x where this statement is true. I just want the last value. :X
댓글 수: 0
채택된 답변
James Tursa
2017년 3월 21일
편집: James Tursa
2017년 3월 21일
You could just use another variable. E.g., y
x=0
p=1-poisscdf(1,x);
while p<=0.1
y = x; % <-- save current value of x
x=x+0.01;
p=1-poisscdf(1,x);
end
display(y); % <-- display last value of x for which test was true
댓글 수: 3
James Tursa
2017년 3월 24일
Right after the test passes, you save the x value that made the test pass. But when you generate an x value that doesn't pass the test, you don't execute the y = x statement. So it is only the x values that pass the test that are saved in y. And the last one is what makes it to the display(y) statement.
추가 답변 (1개)
Jan
2017년 3월 21일
편집: Jan
2017년 3월 21일
The trivial soultion is:
x = 0;
p = 1 - poisscdf(1, x);
while p <= 0.1
x = x + 0.01;
p = 1 - poisscdf(1, x);
end
x = x - 0.01;
display(x);
If the increasing of x is not a constant:
x = 0;
lastx = x;
p = 1 - poisscdf(1, x);
while p <= 0.1
lastx = x;
x = x + 0.01;
p = 1 - poisscdf(1, x);
end
display(lastx);
Now p is defined twice and redundacies in the code are prone to bugs: If one instance is modified later, that other might be forgotton. To avoid this:
x = 0;
ready = false
while ~ready
p = 1 - poisscdf(1, x);
ready = (p < 0.1);
lastx = x;
x = x + 0.01;
end
display(lastx);
댓글 수: 0
참고 항목
카테고리
Help Center 및 File Exchange에서 Loops and Conditional Statements에 대해 자세히 알아보기
Community Treasure Hunt
Find the treasures in MATLAB Central and discover how the community can help you!
Start Hunting!