text
stringlengths
1
2.12k
source
dict
of the other two For example, let’s say that $$a_1 = \alpha a_2 + \beta a_3$$ Then if $$y = Ax = x_1 a_1 + x_2 a_2 + x_3 a_3$$, we can also write $y = x_1 (\alpha a_2 + \beta a_3) + x_2 a_2 + x_3 a_3 = (x_1 \alpha + x_2) a_2 + (x_1 \beta + x_3) a_3$ In other words, uniqueness fails ### Linear Equations with Julia¶ Here’s an illustration of how to solve linear equations with Julia’s built-in linear algebra facilities A = [1.0 2.0; 3.0 4.0]; y = ones(2, 1); # A column vector 2×1 Array{Float64,2}: 1.0 1.0 det(A) -2.0 A_inv = inv(A) 2×2 Array{Float64,2}: -2.0 1.0 1.5 -0.5 x = A_inv * y # solution 2×1 Array{Float64,2}: -1.0 1.0 A * x # should equal y (a vector of ones) 2×1 Array{Float64,2}: 1.0 1.0 A\y # produces the same solution 2×1 Array{Float64,2}: -1.0 1.0 Observe how we can solve for $$x = A^{-1} y$$ by either via inv(A) * y, or using A \ y The latter method is preferred because it automatically selects the best algorithm for the problem based on the values of A and y If A is not square then A \ y returns the least squares solution $$\hat x = (A'A)^{-1}A'y$$ ## Eigenvalues and Eigenvectors¶ Let $$A$$ be an $$n \times n$$ square matrix If $$\lambda$$ is scalar and $$v$$ is a non-zero vector in $$\mathbb R ^n$$ such that $A v = \lambda v$ then we say that $$\lambda$$ is an eigenvalue of $$A$$, and $$v$$ is an eigenvector Thus, an eigenvector of $$A$$ is a vector such that when the map $$f(x) = Ax$$ is applied, $$v$$ is merely scaled The next figure shows two eigenvectors (blue arrows) and their images under $$A$$ (red arrows) As expected, the image $$Av$$ of each $$v$$ is just a scaled version of the original A = [1 2 2 1] evals, evecs = eig(A) a1, a2 = evals[1], evals[2] evecs = evecs[:, 1], evecs[:, 2] eig_1 = zeros(2, length(evecs)) eig_2 = zeros(2, length(evecs)) labels = [] for i = 1:length(evecs) v = evecs[i] eig_1[2, i] = v[1] eig_2[2, i] = v[2] end x = linspace(-5, 5, 10) y = -linspace(-5, 5, 10) plot(eig_1[:, 2], a1 * eig_2[:, 2], arrow=true, color=:red,
{ "domain": "quantecon.org", "id": null, "lm_label": "1. YES\n2. YES\n\n", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9937100989807552, "lm_q1q2_score": 0.8876905691374989, "lm_q2_score": 0.8933093968230773, "openwebmath_perplexity": 430.0254335697078, "openwebmath_score": 0.9785626530647278, "tags": null, "url": "https://lectures.quantecon.org/jl/linear_algebra.html" }
5, 10) y = -linspace(-5, 5, 10) plot(eig_1[:, 2], a1 * eig_2[:, 2], arrow=true, color=:red, legend=:none, xlims=(-3, 3), ylims=(-3, 3), annotations=labels, xticks=-5:1:5, yticks=-5:1:5, framestyle=:origin) plot!(a2 * eig_1[:, 2], a2 * eig_2, arrow=true, color=:red) plot!(eig_1, eig_2, arrow=true, color=:blue) plot!(x, y, color=:blue, lw=0.4, alpha=0.6) plot!(x, x, color=:blue, lw=0.4, alpha=0.6) The eigenvalue equation is equivalent to $$(A - \lambda I) v = 0$$, and this has a nonzero solution $$v$$ only when the columns of $$A - \lambda I$$ are linearly dependent This in turn is equivalent to stating that the determinant is zero Hence to find all eigenvalues, we can look for $$\lambda$$ such that the determinant of $$A - \lambda I$$ is zero This problem can be expressed as one of solving for the roots of a polynomial in $$\lambda$$ of degree $$n$$ This in turn implies the existence of $$n$$ solutions in the complex plane, although some might be repeated Some nice facts about the eigenvalues of a square matrix $$A$$ are as follows 1. The determinant of $$A$$ equals the product of the eigenvalues 2. The trace of $$A$$ (the sum of the elements on the principal diagonal) equals the sum of the eigenvalues 3. If $$A$$ is symmetric, then all of its eigenvalues are real 4. If $$A$$ is invertible and $$\lambda_1, \ldots, \lambda_n$$ are its eigenvalues, then the eigenvalues of $$A^{-1}$$ are $$1/\lambda_1, \ldots, 1/\lambda_n$$ A corollary of the first statement is that a matrix is invertible if and only if all its eigenvalues are nonzero Using Julia, we can solve for the eigenvalues and eigenvectors of a matrix as follows A = [1.0 2.0; 2.0 1.0]; evals, evecs = eig(A); evals 2-element Array{Float64,1}: -1.0 3.0 evecs 2×2 Array{Float64,2}: -0.707107 0.707107 0.707107 0.707107 Note that the columns of evecs are the eigenvectors Since any scalar multiple of an eigenvector is an eigenvector with the same eigenvalue (check it), the eig routine normalizes the length of each
{ "domain": "quantecon.org", "id": null, "lm_label": "1. YES\n2. YES\n\n", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9937100989807552, "lm_q1q2_score": 0.8876905691374989, "lm_q2_score": 0.8933093968230773, "openwebmath_perplexity": 430.0254335697078, "openwebmath_score": 0.9785626530647278, "tags": null, "url": "https://lectures.quantecon.org/jl/linear_algebra.html" }
is an eigenvector with the same eigenvalue (check it), the eig routine normalizes the length of each eigenvector to one ### Generalized Eigenvalues¶ It is sometimes useful to consider the generalized eigenvalue problem, which, for given matrices $$A$$ and $$B$$, seeks generalized eigenvalues $$\lambda$$ and eigenvectors $$v$$ such that $A v = \lambda B v$ This can be solved in Julia via eig(A, B) Of course, if $$B$$ is square and invertible, then we can treat the generalized eigenvalue problem as an ordinary eigenvalue problem $$B^{-1} A v = \lambda v$$, but this is not always the case ## Further Topics¶ We round out our discussion by briefly mentioning several other important topics ### Series Expansions¶ Recall the usual summation formula for a geometric progression, which states that if $$|a| < 1$$, then $$\sum_{k=0}^{\infty} a^k = (1 - a)^{-1}$$ A generalization of this idea exists in the matrix setting #### Matrix Norms¶ Let $$A$$ be a square matrix, and let $\| A \| := \max_{\| x \| = 1} \| A x \|$ The norms on the right-hand side are ordinary vector norms, while the norm on the left-hand side is a matrix norm — in this case, the so-called spectral norm For example, for a square matrix $$S$$, the condition $$\| S \| < 1$$ means that $$S$$ is contractive, in the sense that it pulls all vectors towards the origin [1] #### Neumann’s Theorem¶ Let $$A$$ be a square matrix and let $$A^k := A A^{k-1}$$ with $$A^1 := A$$ In other words, $$A^k$$ is the $$k$$-th power of $$A$$ Neumann’s theorem states the following: If $$\| A^k \| < 1$$ for some $$k \in \mathbb{N}$$, then $$I - A$$ is invertible, and (4)$(I - A)^{-1} = \sum_{k=0}^{\infty} A^k$ #### Spectral Radius¶ A result known as Gelfand’s formula tells us that, for any square matrix $$A$$, $\rho(A) = \lim_{k \to \infty} \| A^k \|^{1/k}$ Here $$\rho(A)$$ is the spectral radius, defined as $$\max_i |\lambda_i|$$, where $$\{\lambda_i\}_i$$ is the set of eigenvalues of $$A$$ As a consequence of Gelfand’s formula, if all
{ "domain": "quantecon.org", "id": null, "lm_label": "1. YES\n2. YES\n\n", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9937100989807552, "lm_q1q2_score": 0.8876905691374989, "lm_q2_score": 0.8933093968230773, "openwebmath_perplexity": 430.0254335697078, "openwebmath_score": 0.9785626530647278, "tags": null, "url": "https://lectures.quantecon.org/jl/linear_algebra.html" }
$$\{\lambda_i\}_i$$ is the set of eigenvalues of $$A$$ As a consequence of Gelfand’s formula, if all eigenvalues are strictly less than one in modulus, there exists a $$k$$ with $$\| A^k \| < 1$$ In which case (4) is valid ### Positive Definite Matrices¶ Let $$A$$ be a symmetric $$n \times n$$ matrix We say that $$A$$ is 1. positive definite if $$x' A x > 0$$ for every $$x \in \mathbb R ^n \setminus \{0\}$$ 2. positive semi-definite or nonnegative definite if $$x' A x \geq 0$$ for every $$x \in \mathbb R ^n$$ Analogous definitions exist for negative definite and negative semi-definite matrices It is notable that if $$A$$ is positive definite, then all of its eigenvalues are strictly positive, and hence $$A$$ is invertible (with positive definite inverse) ### Differentiating Linear and Quadratic forms¶ The following formulas are useful in many economic contexts. Let • $$z, x$$ and $$a$$ all be $$n \times 1$$ vectors • $$A$$ be an $$n \times n$$ matrix • $$B$$ be an $$m \times n$$ matrix and $$y$$ be an $$m \times 1$$ vector Then 1. $$\frac{\partial a' x}{\partial x} = a$$ 2. $$\frac{\partial A x}{\partial x} = A'$$ 3. $$\frac{\partial x'A x}{\partial x} = (A + A') x$$ 4. $$\frac{\partial y'B z}{\partial y} = B z$$ 5. $$\frac{\partial y'B z}{\partial B} = y z'$$ Exercise 1 below asks you to apply these formulas ### Further Reading¶ The documentation of the linear algebra features built into Julia can be found here Chapters 2 and 3 of the Econometric Theory contains a discussion of linear algebra along the same lines as above, with solved exercises If you don’t mind a slightly abstract approach, a nice intermediate-level text on linear algebra is [Janich94] ## Exercises¶ ### Exercise 1¶ Let $$x$$ be a given $$n \times 1$$ vector and consider the problem $v(x) = \max_{y,u} \left\{ - y'P y - u' Q u \right\}$ subject to the linear constraint $y = A x + B u$ Here • $$P$$ is an $$n \times n$$ matrix and $$Q$$ is an $$m \times m$$ matrix • $$A$$ is an $$n \times n$$ matrix
{ "domain": "quantecon.org", "id": null, "lm_label": "1. YES\n2. YES\n\n", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9937100989807552, "lm_q1q2_score": 0.8876905691374989, "lm_q2_score": 0.8933093968230773, "openwebmath_perplexity": 430.0254335697078, "openwebmath_score": 0.9785626530647278, "tags": null, "url": "https://lectures.quantecon.org/jl/linear_algebra.html" }
an $$n \times n$$ matrix and $$Q$$ is an $$m \times m$$ matrix • $$A$$ is an $$n \times n$$ matrix and $$B$$ is an $$n \times m$$ matrix • both $$P$$ and $$Q$$ are symmetric and positive semidefinite (What must the dimensions of $$y$$ and $$u$$ be to make this a well-posed problem?) One way to solve the problem is to form the Lagrangian $\mathcal L = - y' P y - u' Q u + \lambda' \left[A x + B u - y\right]$ where $$\lambda$$ is an $$n \times 1$$ vector of Lagrange multipliers Try applying the formulas given above for differentiating quadratic and linear forms to obtain the first-order conditions for maximizing $$\mathcal L$$ with respect to $$y, u$$ and minimizing it with respect to $$\lambda$$ Show that these conditions imply that 1. $$\lambda = - 2 P y$$ 2. The optimizing choice of $$u$$ satisfies $$u = - (Q + B' P B)^{-1} B' P A x$$ 3. The function $$v$$ satisfies $$v(x) = - x' \tilde P x$$ where $$\tilde P = A' P A - A'P B (Q + B'P B)^{-1} B' P A$$ As we will see, in economic contexts Lagrange multipliers often are shadow prices Note If we don’t care about the Lagrange multipliers, we can substitute the constraint into the objective function, and then just maximize $$-(Ax + Bu)'P (Ax + Bu) - u' Q u$$ with respect to $$u$$. You can verify that this leads to the same maximizer. ## Solutions¶ Thanks to Willem Hekman and Guanlong Ren for providing this solution. ### Exercise 1¶ We have an optimization problem: $v(x) = \max_{y,u} \{ -y'Py - u'Qu \}$ s.t. $y = Ax + Bu$ with primitives • $$P$$ be a symmetric and positive semidefinite $$n \times n$$ matrix. • $$Q$$ be a symmetric and positive semidefinite $$m \times m$$ matrix. • $$A$$ an $$n \times n$$ matrix. • $$B$$ an $$n \times m$$ matrix. The associated Lagrangian is : $L = -y'Py - u'Qu + \lambda' \lbrack Ax + Bu - y \rbrack$ #### 1.¶ Differentiating Lagrangian equation w.r.t y and setting its derivative equal to zero yields $\frac{ \partial L}{\partial y} = - (P + P') y - \lambda = - 2 P y - \lambda = 0 \:,$ since
{ "domain": "quantecon.org", "id": null, "lm_label": "1. YES\n2. YES\n\n", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9937100989807552, "lm_q1q2_score": 0.8876905691374989, "lm_q2_score": 0.8933093968230773, "openwebmath_perplexity": 430.0254335697078, "openwebmath_score": 0.9785626530647278, "tags": null, "url": "https://lectures.quantecon.org/jl/linear_algebra.html" }
yields $\frac{ \partial L}{\partial y} = - (P + P') y - \lambda = - 2 P y - \lambda = 0 \:,$ since P is symmetric. Accordingly, the first-order condition for maximizing L w.r.t. y implies $\lambda = -2 Py \:.$ #### 2.¶ Differentiating Lagrangian equation w.r.t. u and setting its derivative equal to zero yields $\frac{ \partial L}{\partial u} = - (Q + Q') u - B'\lambda = - 2Qu + B'\lambda = 0 \:.$ Substituting $$\lambda = -2 P y$$ gives $Qu + B'Py = 0 \:.$ Substituting the linear constraint $$y = Ax + Bu$$ into above equation gives $Qu + B'P(Ax + Bu) = 0$ $(Q + B'PB)u + B'PAx = 0$ which is the first-order condition for maximizing L w.r.t. u. Thus, the optimal choice of u must satisfy $u = -(Q + B'PB)^{-1}B'PAx \:,$ which follows from the definition of the first-oder conditions for Lagrangian equation. #### 3.¶ Rewriting our problem by substituting the constraint into the objective function, we get $v(x) = \max_{u} \{ -(Ax+ Bu)'P(Ax+Bu) - u'Qu \} \:.$ Since we know the optimal choice of u satisfies$ u = -(Q + B’PB)^{-1}B’PAx , then $v(x) = -(Ax+ B u)'P(Ax+B u) - u'Q u \,\,\,\, with \,\,\,\, u = -(Q + B'PB)^{-1}B'PAx$ To evaluate the function \begin{align} v(x) &= -(Ax+ B u)'P(Ax+Bu) - u'Q u \\ &= -(x'A' + u'B')P(Ax+Bu) - u'Q u \\ &= - x'A'PAx - u'B'PAx - x'A'PBu - u'B'PBu - u'Qu \\ &= - x'A'PAx - 2u'B'PAx - u'(Q + B'PB) u \end{align} For simplicity, denote by $$S := (Q + B'PB)^{-1} B'PA$$, then u = -Sx\$.
{ "domain": "quantecon.org", "id": null, "lm_label": "1. YES\n2. YES\n\n", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9937100989807552, "lm_q1q2_score": 0.8876905691374989, "lm_q2_score": 0.8933093968230773, "openwebmath_perplexity": 430.0254335697078, "openwebmath_score": 0.9785626530647278, "tags": null, "url": "https://lectures.quantecon.org/jl/linear_algebra.html" }
Regarding the second term $$- 2u'B'PAx$$, \begin{align} - 2u'B'PAx &= -2 x'S'B'PAx \\ & = 2 x'A'PB( Q + B'PB)^{-1} B'PAx \end{align} Notice that the term $$(Q + B'PB)^{-1}$$ is symmetric as both P and Q are symmetric. Regarding the third term $$- u'(Q + B'PB) u$$, \begin{align} - u'(Q + B'PB) u &= - x'S' (Q + B'PB)Sx \\ &= -x'A'PB(Q + B'PB)^{-1}B'PAx \end{align} Hence, the summation of second and third terms is $$x'A'PB(Q + B'PB)^{-1}B'PAx$$. This implies that \begin{align} v(x) &= - x'A'PAx - 2u'B'PAx - u'(Q + B'PB) u\\ &= - x'A'PAx + x'A'PB(Q + B'PB)^{-1}B'PAx \\ &= -x'[A'PA - A'PB(Q + B'PB)^{-1}B'PA] x \end{align} Therefore, the solution to the optimization problem $$v(x) = -x' \tilde{P}x$$ follows the above result by denoting $$\tilde{P} := A'PA - A'PB(Q + B'PB)^{-1}B'PA$$. Footnotes [1] Suppose that $$\|S \| < 1$$. Take any nonzero vector $$x$$, and let $$r := \|x\|$$. We have $$\| Sx \| = r \| S (x/r) \| \leq r \| S \| < r = \| x\|$$. Hence every point is pulled towards the origin. • Share page
{ "domain": "quantecon.org", "id": null, "lm_label": "1. YES\n2. YES\n\n", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9937100989807552, "lm_q1q2_score": 0.8876905691374989, "lm_q2_score": 0.8933093968230773, "openwebmath_perplexity": 430.0254335697078, "openwebmath_score": 0.9785626530647278, "tags": null, "url": "https://lectures.quantecon.org/jl/linear_algebra.html" }
Math A bag contains only red and blue marbles. Yasmine takes one marble at random from the bag. The probability that she takes a red marble is 1 in 5. Yasmine returns the marble to the bag and adds five more red marbles to the bag. The probability that she takes one red marble at random is now 1 in 3. How many red marbles were originally in the bag? A. 3 red B. 5 red C. 10 red D. 2 red 1. 👍 2. 👎 3. 👁 1. Oops i forgot to put i though B was the right answer ( B. 5 red 1. 👍 2. 👎 2. thought ^^ 1. 👍 2. 👎 3. r/(r+b) = 1/5 (r+5)/(r+5+b) = 1/3 r=5 you are correct 1. 👍 2. 👎 Similar Questions 1. Probability jeff has 8 red marbles, 6 blue marbles, and 4 green marbles that are the same size and shape. he puts the marbles into a bag, mixes the marbles, and randomly picks one marble. what is the probability that the marble will be blue? 2. math A bag contains 8 red marbles, 5 blue marbles, 8 yellow marbles, and 6 green marbles. What is the probability of choosing a red marble if a single choice is made from the bag? is it 8/27 ? 3. Math liberal Arts A bag contains 5 red marbles, 4 blue marbles, and 1 green marble. If a marble is selected at random, what is the probability that it is not blue? 4. Math A bag contains 3 red marbles, 5 yellow marbles, and 4 blue marbles. One marble is chosen at random. What is the probability that the chosen marble will be blue? A) 1/12 B) 1/4 C) 1/3 D) 3/4 I think it is B. 1/4 1. math A bag contains five red marbles and five blue marbles. You randomly pick a marble and then return it to the bag before picking another marble. The first marble is red and the second marble is blue. a. 1/4 = 0.25 ***** b. 21/55 = 2. Math :) In a bag of 10 marbles, there are 5 blue marbles, 3 red marbles, and 2 white marbles. Complete the probability distribution table for drawing 1 marble out of the bag. Draw a: Probability Blue marble 5/10 Red marble 3/10 White 3. Math
{ "domain": "jiskha.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9688561712637256, "lm_q1q2_score": 0.8875784510158415, "lm_q2_score": 0.9161096118716263, "openwebmath_perplexity": 430.02246614616513, "openwebmath_score": 0.8535917401313782, "tags": null, "url": "https://www.jiskha.com/questions/1733918/a-bag-contains-only-red-and-blue-marbles-yasmine-takes-one-marble-at-random-from-the-bag" }
3. Math A bag with 12 marbles has 3 yellow marbles, 4 blue marbles, and 5 red marbles. A marble is chosen from the bag at random. What is the probability that it is yellow? A bag contains 7 red marbles, 2 blue marbles, and 1 green marble. If a marble is selected at random, what is the probability of choosing a marble that is not blue? 7 red marbles plus 1 green marble = 8/10 = answer = 4/5 1. Math A bag of marbles contains 5 red, 3 blue, 2 green, and 2 yellow marbles. What is the probability that you choose a blue marble and then another blue marble, assuming you replace the first marble? 2. Math Tom keeps all of his favorite marbles in a special leather bag. Right now, five red marbles, four blue marbles, and yellow marbles are in the bag. If he randomly chooses one marble to give to a friend what is the probability that 3. algebra A bag contains 9 marbles: 2 are green, 4 are red, and 3 are blue. Laura chooses a marble at random, and without putting it back, chooses another one at random. What is the probability that both marbles she chooses are blue? Write 4. Math One bag contains 5 red marbles, 4 blue marbles, and 3 yellow marbles, and a second bag contains 4 red marbles, 6 blue marbles, and 5 yellow marbles. If Lydia randomly draws one marble from each bag, what is the probability that
{ "domain": "jiskha.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9688561712637256, "lm_q1q2_score": 0.8875784510158415, "lm_q2_score": 0.9161096118716263, "openwebmath_perplexity": 430.02246614616513, "openwebmath_score": 0.8535917401313782, "tags": null, "url": "https://www.jiskha.com/questions/1733918/a-bag-contains-only-red-and-blue-marbles-yasmine-takes-one-marble-at-random-from-the-bag" }
(antisymmetric) spin-0 singlett, while the symmetric part of the tensor corresponds to the (symmetric) spin-1 part. This means that traceless antisymmetric mixed tensor $\hat{T}^{[ij]}_{k}$ is equivalent to a symmetric rank-2 tensor. Since det M= det (−MT) = det (−M) = (−1)d det M, (1) it follows that det M= 0 if dis odd. A completely antisymmetric covariant tensor of order p may be referred to as a p-form, and a completely antisymmetric contravariant tensor may be referred to as a p-vector. DECOMPOSITION OF THE LORENTZ TRANSFORMATION MATRIX INTO SKEW-SYMMETRIC TENSORS. 3 Physical Models with a Completely Antisymmetric Torsion Tensor After the decomposition of the connection, we have seen that the metric g What's the significance of this further decomposition? A tensor is a linear vector valued function defined on the set of all vectors . 1.5) are not explicitly stated because they are obvious from the context. Finally, it is possible to prove by a direct calculation that its Riemann tensor vanishes. The trace decomposition theory of tensor spaces, based on duality, is presented. Stack Exchange network consists of 176 Q&A communities including Stack Overflow, the largest, most trusted online community for developers to learn, share … Second, the potential-based orthogonal decompositions of two-player symmetric/antisymmetric … The symmetry-based decompositions of finite games are investigated. Use the Weyl decomposition \eqref{eq:R-decomp-1} for on the left hand side; Insert the E/B decomposition \eqref{eq:weyl-in-E-B} for the Weyl tensor on the left hand side; You should now have with free indices and no prefactor; I highly recommend using xAct for this calculation, to avoid errors (see the companion notebook). Sci. This is exactly what you have done in the second line of your equation. This is an example of the Youla decomposition of a complex square matrix. Antisymmetric tensor: Collection: Publisher: World Heritage Encyclopedia: Publication Date:
{ "domain": "gridserver.com", "id": null, "lm_label": "1. Yes\n2. Yes", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9902915238050521, "lm_q1q2_score": 0.8875501366407329, "lm_q2_score": 0.896251371748038, "openwebmath_perplexity": 1127.1270849276234, "openwebmath_score": 0.8882725834846497, "tags": null, "url": "https://s140450.gridserver.com/hrm9dhkd/e5439e-decomposition-of-antisymmetric-tensor" }
matrix. Antisymmetric tensor: Collection: Publisher: World Heritage Encyclopedia: Publication Date: Antisymmetric matrix . Decomposition of tensor power of symmetric square. Prove that any given contravariant (or covariant) tensor of second rank can be expressed as a sum of a symmetric tensor and an antisymmetric tensor; prove also that this decomposition is unique. It is a real tensor, hence f αβ * is also real. P i A ii D0/. Yes. In these notes, the rank of Mwill be denoted by 2n. We show that the SA-decomposition is unique, irreducible, and preserves the symmetries of the elasticity tensor. Sponsoring Org. While the motion of ... To understand this better, take A apart into symmetric and antisymmetric parts: The symmetric part is called the strain-rate tensor. 440 A Summary of Vector and Tensor Notation A D1 3.Tr A/U C 0 A CAa D1 3 Aı ij CA ij CAa ij: (A.3) Note that this decomposition implies Tr 0 A D0. Furthermore, in the case of SU(2) the representations corresponding to upper and lower indices are equivalent. A tensor A that is antisymmetric on indices i and j has the property that the contraction with a tensor B that is symmetric on indices i and j is identically 0.. For a general tensor U with components …. Cartan tensor is equal to minus the structure coefficients. Thus, the rank of Mmust be even. In section 3 a decomposition of tensor spaces into irreducible components is introduced. A tensor A that is antisymmetric on indices i and j has the property that the contraction with a tensor B that is symmetric on indices i and j is identically 0. We begin with a special case of the definition. The result is Polon. Decomposition of Tensor (of Rank 3) We have three types of Young Diagram which have three boxes, namely, (21) , , and Symmetric Antisymmetric ??? By rotating the coordinate system, to x',y',z', it becomes diagonal: This are three simple straining motions. Decomposition in symmetric and anti-symmetric parts The decomposition of tensors in
{ "domain": "gridserver.com", "id": null, "lm_label": "1. Yes\n2. Yes", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9902915238050521, "lm_q1q2_score": 0.8875501366407329, "lm_q2_score": 0.896251371748038, "openwebmath_perplexity": 1127.1270849276234, "openwebmath_score": 0.8882725834846497, "tags": null, "url": "https://s140450.gridserver.com/hrm9dhkd/e5439e-decomposition-of-antisymmetric-tensor" }
motions. Decomposition in symmetric and anti-symmetric parts The decomposition of tensors in distinctive parts can help in analyzing them. The bases of the symmetric subspace and those of its orthogonal complement are presented. and a pair of indices i and j, U has symmetric and antisymmetric parts defined as: A.2 Decomposition of a Tensor It is customary to decompose second-order tensors into a scalar (invariant) part A, a symmetric traceless part 0 A, and an antisymmetric part Aa as follows. : USDOE … If it is not symmetric, it is common to decompose it in a symmetric partSand an antisymmetric partA: T = 1 2 (T +TT)+ 1 2 (T TT)=S+A. MT = −M. An alternating form φ on a vector space V over a field K, not of characteristic 2, is defined to be a bilinear form. Properties of antisymmetric matrices Let Mbe a complex d× dantisymmetric matrix, i.e. This decomposition, ... ^2 indicates the antisymmetric tensor product. According to the Wiki page: ... Only now I'm left confused as to what it means for a tensor to have a spin-1 decomposition under SO(3) but that not describe the spin of the field in the way it is commonly refered to. Antisymmetric and symmetric tensors. OSTI.GOV Journal Article: DECOMPOSITION OF THE LORENTZ TRANSFORMATION MATRIX INTO SKEW-SYMMETRIC TENSORS. A completely antisymmetric covariant tensor of order p may be referred to as a p-form, and a completely antisymmetric contravariant tensor may be referred to as a p-vector. Google Scholar; 6. → What symmetry does represent?Kenta OONOIntroduction to Tensors For more comprehensive overviews on tensor calculus we recom-mend [58, 99, 126, 197, 205, 319, 343]. This makes many vector identities easy to prove. For N>2, they are not, however. Contents. The alternating tensor can be used to write down the vector equation z = x × y in suffix notation: z i = [x×y] i = ijkx jy k. (Check this: e.g., z 1 = 123x 2y 3 + 132x 3y 2 = x 2y 3 −x 3y 2, as required.) Symmetric tensors occur widely in engineering,
{ "domain": "gridserver.com", "id": null, "lm_label": "1. Yes\n2. Yes", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9902915238050521, "lm_q1q2_score": 0.8875501366407329, "lm_q2_score": 0.896251371748038, "openwebmath_perplexity": 1127.1270849276234, "openwebmath_score": 0.8882725834846497, "tags": null, "url": "https://s140450.gridserver.com/hrm9dhkd/e5439e-decomposition-of-antisymmetric-tensor" }
2y 3 + 132x 3y 2 = x 2y 3 −x 3y 2, as required.) Symmetric tensors occur widely in engineering, physics and mathematics. 1 Definition; 2 Examples; 3 Symmetric part of a tensor; 4 Symmetric product; 5 Decomposition; 6 See also; 7 Notes; 8 References; 9 External links; Definition. (1.5) Usually the conditions for µ (in Eq. Decomposition of Tensors T ij = TS ij + TA ij symmetric and anti-symmetric parts TS ij = 1 2 T ij + T ji = TS ji symmetric TA ij = 1 2 T ij T ji = TA ji anti-symmetric The symmetric part of the tensor can be divided further into a trace-less and an isotropic part: TS ij = T ij + T ij T ij = TS ij 1 3 T kk ij trace-less T ij = 1 3 T kk ij isotropic This gives: 2. When defining the symmetric and antisymmetric tensor representations of the Lie algebra, is the action of the Lie algebra on the symmetric and antisymmetric subspaces defined the same way as above? Lecture Notes on Vector and Tensor Algebra and Analysis IlyaL. These relations may be shown either directly, using the explicit form of f αβ, and f αβ * or as consequences of the Hamilton‐Cayley equation for antisymmetric matrices f αβ and f αβ *; see, e.g., J. Plebański, Bull Acad. This chapter provides a summary of formulae for the decomposition of a Cartesian second rank tensor into its isotropic, antisymmetric and symmetric traceless parts. Cl. THE INDEX NOTATION ν, are chosen arbitrarily.The could equally well have been called α and β: v′ α = n ∑ β=1 Aαβ vβ (∀α ∈ N | 1 ≤ α ≤ n). Full Record; Other Related Research; Authors: Bazanski, S L Publication Date: Sun Aug 01 00:00:00 EDT 1965 Research Org. Each part can reveal information that might not be easily obtained from the original tensor. There is one very important property of ijk: ijk klm = δ ilδ jm −δ imδ jl. The N-way Toolbox, Tensor Toolbox, … If so, are the symmetric and antrisymmetric subspaces separate invariant subspaces...meaning that every tensor product representation is reducible? Vector
{ "domain": "gridserver.com", "id": null, "lm_label": "1. Yes\n2. Yes", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9902915238050521, "lm_q1q2_score": 0.8875501366407329, "lm_q2_score": 0.896251371748038, "openwebmath_perplexity": 1127.1270849276234, "openwebmath_score": 0.8882725834846497, "tags": null, "url": "https://s140450.gridserver.com/hrm9dhkd/e5439e-decomposition-of-antisymmetric-tensor" }
separate invariant subspaces...meaning that every tensor product representation is reducible? Vector spaces will be denoted using blackboard fonts. Antisymmetric and symmetric tensors. Ask Question Asked 2 years, 2 months ago. Enjoy the videos and music you love, upload original content, and share it all with friends, family, and the world on YouTube. 1.4) or α (in Eq. Irreducible decomposition and orthonormal tensor basis methods are developed by using the results of existing theories in the literature. Active 1 year, 11 months ago. ARTHUR S. LODGE, in Body Tensor Fields in Continuum Mechanics, 1974 (11) Problem. Physics 218 Antisymmetric matrices and the pfaffian Winter 2015 1. A related concept is that of the antisymmetric tensor or alternating form. LetT be a second-order tensor. Decomposition. First, the vector space of finite games is decomposed into a symmetric subspace and an orthogonal complement of the symmetric subspace. gular value decomposition:CANDECOMP/PARAFAC (CP) decomposes a tensor as a sum of rank-one tensors, and the Tucker decomposition is a higher-order form of principal component analysis. CHAPTER 1. The result of the contraction is a tensor of rank r 2 so we get as many components to substract as there are components in a tensor of rank r 2. Line of your equation the second line of your equation Mbe a complex square.. 319, 343 ] and an orthogonal complement are presented singlett, while the symmetric subspace and of... Meaning that every tensor product representation is reducible and orthonormal tensor basis methods developed. Properties of antisymmetric matrices Let Mbe a complex square matrix set of vectors. Of antisymmetric matrices Let Mbe a complex square matrix preserves the symmetries of the tensor corresponds to (! Its orthogonal complement are presented Record ; Other Related decomposition of antisymmetric tensor ; Authors: Bazanski, S L Date... Symmetric ) spin-1 part notes on vector and tensor Algebra and Analysis IlyaL:
{ "domain": "gridserver.com", "id": null, "lm_label": "1. Yes\n2. Yes", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9902915238050521, "lm_q1q2_score": 0.8875501366407329, "lm_q2_score": 0.896251371748038, "openwebmath_perplexity": 1127.1270849276234, "openwebmath_score": 0.8882725834846497, "tags": null, "url": "https://s140450.gridserver.com/hrm9dhkd/e5439e-decomposition-of-antisymmetric-tensor" }
Bazanski, S L Date... Symmetric ) spin-1 part notes on vector and tensor Algebra and Analysis IlyaL: antisymmetric matrix to! ) spin-1 part 1.5 ) are not, however defined on the set of all vectors World Heritage:! Solve puzzles used in the literature so, are the symmetric subspace and those of its orthogonal are. Valued function defined on the set of all vectors, however: ijk klm = δ ilδ jm imδ! Volume ) expansion of the antisymmetric tensor or alternating form and anti-symmetric parts the decomposition tensor! Aug 01 00:00:00 EDT 1965 Research Org that is not so into SKEW-SYMMETRIC tensors symmetric tensors occur widely engineering! In symmetric and anti-symmetric parts the decomposition of tensors in distinctive parts can help in analyzing them the results existing! Be denoted by 2n the decomposition of the LORENTZ TRANSFORMATION matrix into SKEW-SYMMETRIC tensors obtained from the original.. In 3 dimensions, that is not so part of the tensor is! 00:00:00 EDT 1965 Research Org, 343 ] prove by a direct calculation that its Riemann vanishes... These notes, the rank of Mwill be denoted by 2n volume ) expansion of definition. In the case of SU ( 2 ) the representations corresponding to upper lower... Mechanics, 1974 ( 11 ) Problem so we only get constraints one! Of tensor spaces into irreducible components is introduced ) the representations corresponding upper. Date: antisymmetric matrix antisymmetric tensors N is often used in the second line your! Months ago is dual to a vector, but in 4 dimensions, an antisymmetric tensor Collection... Great fun - you get to solve puzzles the antisymmetric tensor is dual to a vector but... Can help in analyzing them we begin with a special case of SU ( 2 ) the corresponding! - you get to solve puzzles in engineering, physics and mathematics Analysis IlyaL fluid. The context the bases of the fluid what you have done in the case SU... Publication Date: antisymmetric matrix subspace and an orthogonal complement are presented
{ "domain": "gridserver.com", "id": null, "lm_label": "1. Yes\n2. Yes", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9902915238050521, "lm_q1q2_score": 0.8875501366407329, "lm_q2_score": 0.896251371748038, "openwebmath_perplexity": 1127.1270849276234, "openwebmath_score": 0.8882725834846497, "tags": null, "url": "https://s140450.gridserver.com/hrm9dhkd/e5439e-decomposition-of-antisymmetric-tensor" }
SU... Publication Date: antisymmetric matrix subspace and an orthogonal complement are presented decomposition of antisymmetric tensor original.... Square matrix antisymmetric matrices Let Mbe a complex d× dantisymmetric matrix, i.e furthermore, the! Analysis IlyaL Algebra and Analysis IlyaL ) Usually the conditions for µ ( decomposition of antisymmetric tensor Eq imδ! Structure coefficients Sun Aug 01 00:00:00 EDT 1965 Research Org Youla decomposition of tensors distinctive! ) the representations corresponding to upper and lower indices are equivalent tensor M a. Prove by a direct calculation that its Riemann tensor vanishes so we only get constraints from contraction! ( antisymmetric ) spin-0 singlett, while the symmetric subspace and an orthogonal complement are presented =! Using the results of existing theories in the case of the LORENTZ TRANSFORMATION matrix into SKEW-SYMMETRIC tensors or alternating.. For N > 2, they are not explicitly stated because they not! Its orthogonal complement are presented and a partially antisymmetric tensors N is often used in case! Special case of SU ( 2 ) the representations corresponding to upper and lower indices are.! Youla decomposition of a complex d× dantisymmetric matrix, i.e the SA-decomposition is,. 00:00:00 EDT 1965 Research Org 2 months ago subspaces separate invariant subspaces meaning. Meaning that every tensor product representation is reducible results of existing theories in the second line of your equation get...
{ "domain": "gridserver.com", "id": null, "lm_label": "1. Yes\n2. Yes", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9902915238050521, "lm_q1q2_score": 0.8875501366407329, "lm_q2_score": 0.896251371748038, "openwebmath_perplexity": 1127.1270849276234, "openwebmath_score": 0.8882725834846497, "tags": null, "url": "https://s140450.gridserver.com/hrm9dhkd/e5439e-decomposition-of-antisymmetric-tensor" }
# What Is a Trapezoid? More on Inclusive Definitions A month ago, I wrote about classifying shapes, discussing inclusive and exclusive definitions, and variations in different contexts. I promised to return to the subject, moving on to the specific issue of trapezoids, and some other related topics. Now is the time. ## You say trapezium, I say trapezoid We have to start with a regional issue: The word “trapezoid” doesn’t mean the same thing in every country. In our FAQ on geometrical formulas, we head one article with two names and a footnote: Trapezoid (American) Trapezium (British)* ... *From The Words of Mathematics by Steven Schwartzman (1994, Mathematical Association of America): trapezoid (noun); trapezoidal (adjective); trapezium, plural trapezia (noun): ... Some Americans define a trapezoid as a quadrilateral with at least one pair of parallel sides. Under that definition, a parallelogram is a special kind of trapezoid. For other Americans, however, a trapezoid is a quadrilateral with one and only one pair of parallel sides, in which case a parallelogram is not a trapezoid. The situation is further confused by the fact that in Europe a trapezoid is defined as a quadrilateral with no sides equal. Even more confusing is the existence of the similar word trapezium, which in American usage means "a quadrilateral with no sides equal," but which in European usage is a synonym of what Americans call a trapezoid. Apparently to cut down on the confusion, trapezium is not used in American textbooks. Taking the last issue first, when we get a question about a trapezium, we generally assume it is used in the European sense (though rarely we might see it in the American sense); if it mentions parallel sides, we can go on our way with confidence, as we did here: Cyclic Quadrilateral For an isosceles trapezium ABCD with AB parallel to DC and AB < CD, prove that: 1) angle ADC = angle BCD 2) ABCD is a cyclic quadrilateral 3) the diagonals of ABCD are equal
{ "domain": "themathdoctors.org", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9825575129653769, "lm_q1q2_score": 0.8875385098544801, "lm_q2_score": 0.9032942073547149, "openwebmath_perplexity": 622.3495079181878, "openwebmath_score": 0.683411717414856, "tags": null, "url": "https://www.themathdoctors.org/what-is-a-trapezoid-more-on-inclusive-definitions/" }
1) angle ADC = angle BCD 2) ABCD is a cyclic quadrilateral 3) the diagonals of ABCD are equal There’s no question what is being asked here. Some of us (such as Doctor Floor and Doctor Anthony), are themselves European, and may use “trapezium” even when the question is about a “trapezoid”. And sometimes we just have to ask, if the question is unclear about which is meant. For example, a few years ago I started an answer with, If you live in a country where "trapezium" means that two sides are parallel, and if you know which two they are, then ... On the other hand, I started another answer with, First, we need to be sure of your definition of the word "trapezium", which varies among countries. I think that you are using it to mean a general quadrilateral, with no parallel sides. Is that correct? ## Exactly, or at least? Now let’s move on to the other issue, which tends to generate more questions, like this one from 2004: Inclusive Definitions: Trapezoids As far as I know, a trapezoid is defined as a quadrilateral with exactly one set of parallel sides. Most textbooks and websites will confirm this definition. However, a very highly regarded educator and textbook author recently argued that this definition is incorrect. His definition of a trapezoid is that it is a quadrilateral that has at least one pair of parallel sides. A square, therefore, would be considered a trapezoid. He even included this definition in the glossary of a newly published textbook. Is he correct or are thousands of books going to be published with the wrong definition? As a teacher looking to buy new books for my school, I would really like to know. Thanks. I can’t vouch for the claim that most textbooks state the exclusive definition (saying that figures with a second pair of parallel sides are excluded from being trapezoids); but are they wrong, as this author reportedly says? Or is he wrong?
{ "domain": "themathdoctors.org", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9825575129653769, "lm_q1q2_score": 0.8875385098544801, "lm_q2_score": 0.9032942073547149, "openwebmath_perplexity": 622.3495079181878, "openwebmath_score": 0.683411717414856, "tags": null, "url": "https://www.themathdoctors.org/what-is-a-trapezoid-more-on-inclusive-definitions/" }
I started with the usual explanation of inclusive and exclusive definitions, emphasizing that both forms of definition are valid: Both definitions are in use, so neither is wrong! That does lead to confusion, but each author has to choose the definition that makes most sense in his context. Quadrilateral Classification: Definition of a Trapezoid http://mathforum.org/library/drmath/view/54901.html Inclusive and Exclusive Definitions http://mathforum.org/library/drmath/view/55295.html The same sort of issue arises with other shapes, such as the rectangle. Is a square a rectangle? Not to a child; we tell them "This is a square, and that is a rectangle," and they learn that a rectangle is like a square but doesn't have equal sides. Yet to a mathematician, such exclusive definitions are awkward, because everything that is true of a rectangle is true of a square, and we'd like to use one word to cover both when we write a theorem. For example, any quadrilateral with three right angles is a rectangle --why should we have to add "or a square"? And if we prove something is true of any parallelogram, we don't want to have to add "or rhombus, or rectangle, or square." So although even mathematicians find the exclusive definition useful when we want to point out objects (we generally use the most specific term we can, so that we wouldn't call a square a rectangle when we are trying to ask for one), for technical purposes we prefer the inclusive definition, and would prefer that it be taught in schools. As before, inclusive definitions fit better in a formal mathematical context with theorems, while exclusive definitions fit an informal context, where we usually use the strongest description possible.
{ "domain": "themathdoctors.org", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9825575129653769, "lm_q1q2_score": 0.8875385098544801, "lm_q2_score": 0.9032942073547149, "openwebmath_perplexity": 622.3495079181878, "openwebmath_score": 0.683411717414856, "tags": null, "url": "https://www.themathdoctors.org/what-is-a-trapezoid-more-on-inclusive-definitions/" }
It's a little more subtle with trapezoids, because there are fewer theorems about them, so we have less commitment to an inclusive definition. There are probably mathematicians, and certainly educators, who don't use the inclusive definition in this case. But as you'll see in the links above, the inclusive definition makes the relationships among quadrilaterals clearer. This may well explain the perception (and perhaps the fact) that most textbooks use the exclusive definition for the trapezoid: they are using the word not in theorems, but in relatively informal descriptions. ## Implicitly inclusive On the other hand, it may be that they are really using the inclusive definition, but it isn’t obvious. Their wording may sound exclusive, but really be inclusive: I should also mention that when a mathematician says "a trapezoid is a quadrilateral with two sides parallel," he probably means "at least two sides," not "exactly two sides"; that is the usual understanding of such a phrase, because we get used to speaking that way. It may not always be clear to non-mathematicians! We are so used to inclusive definitions that, in effect, we define “two” inclusively: If we say two sides are parallel, we are not mentioning the other sides, which may also be parallel! (In the same way, we may say that an isosceles triangle has two congruent sides, meaning that if two are congruent, it doesn’t matter if the third side is, too.) But to a non-mathematician, “two” may convey the meaning “exactly two, and no more”. If no theorems are shown where the meaning of the word is unpacked and used, you may not notice what meaning is intended.
{ "domain": "themathdoctors.org", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9825575129653769, "lm_q1q2_score": 0.8875385098544801, "lm_q2_score": 0.9032942073547149, "openwebmath_perplexity": 622.3495079181878, "openwebmath_score": 0.683411717414856, "tags": null, "url": "https://www.themathdoctors.org/what-is-a-trapezoid-more-on-inclusive-definitions/" }
The inclusive definition can sometimes be discerned, well hidden within the usage of the word. One place where the word “trapezoid” is used is in discussing the “trapezoidal approximation” in calculus. Here is a picture illustrating it; we choose points along a curve and draw (right-angled) trapezoids consisting of a chord of the curve, two vertical lines, and a piece of the x-axis: But what if two consecutive points on the curve have the same y-coordinate, so that the chord is horizontal? Than this “trapezoid” is really a rectangle, and it we were using the exclusive definition, it would not be a trapezoid! So implicitly, when we talk about the trapezoidal rule (as opposed to the “trapezoid-or-rectangle rule”), we are defining “trapezoid” inclusively, even if we elsewhere defined it exclusively! In my answer to Peter, I went on to refer to two random sites I had found that discuss the variation in definition among textbooks; each then states what definition they will use, and they choose differently. One of the links no longer works; the other, which agrees with me, says The difference is that under the second definition parallelograms are trapezoids and under the first, they are not. The advantage of the first definition is that it allows a verbal distinction between parallelograms and other quadrilaterals with some parallel sides. This seems to have been most important in earlier times. The advantage of the inclusive definition is that any theorem proved for trapezoids is automatically a theorem about parallelograms. This fits best with the nature of twentieth-century mathematics. It is possible to function perfectly well with either definition. However, it is important to have agreement in a math class on the definition used in the class. I concluded, in agreement, Again, each definition has its place, and should be used in the appropriate context. The inclusive definition fits well into the context of geometry, and I recommend it.
{ "domain": "themathdoctors.org", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9825575129653769, "lm_q1q2_score": 0.8875385098544801, "lm_q2_score": 0.9032942073547149, "openwebmath_perplexity": 622.3495079181878, "openwebmath_score": 0.683411717414856, "tags": null, "url": "https://www.themathdoctors.org/what-is-a-trapezoid-more-on-inclusive-definitions/" }
## The challenge of the isosceles trapezoid Let me add one more comment: Under the inclusive definition, a parallelogram is a special kind of trapezoid. An often-unnoticed consequence is that we have to carefully define the other special kind of trapezoid, the isosceles trapezoid. This is commonly defined as a trapezoid in which the non-parallel sides are congruent. There are two problems here: there are not always any non-parallel sides; and in a parallelogram, if you pick one pair of parallel sides, the other pair will always be congruent! We don’t want to call a parallelogram an isosceles trapezoid, because theorems about the latter typically do not apply to the former. This is because the latter has a symmetry that the former does not. Therefore, with the inclusive definition, it is best to define an isosceles trapezoid not in terms of congruent legs, but of symmetry. One way to do this is to require the base angles (angles at the ends of a side that is parallel to another) to be congruent. That is done, for example, here: Wolfram MathWorld: Isosceles Trapezoid An isosceles trapezoid (called an isosceles trapezium by the British; Bronshtein and Semendyayev 1997, p. 174) is trapezoid in which the base angles are equal and therefore the left and right side lengths are also equal. Wikipedia explicitly uses symmetry for its definition: Isosceles Trapezoid
{ "domain": "themathdoctors.org", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9825575129653769, "lm_q1q2_score": 0.8875385098544801, "lm_q2_score": 0.9032942073547149, "openwebmath_perplexity": 622.3495079181878, "openwebmath_score": 0.683411717414856, "tags": null, "url": "https://www.themathdoctors.org/what-is-a-trapezoid-more-on-inclusive-definitions/" }
Wikipedia explicitly uses symmetry for its definition: Isosceles Trapezoid In Euclidean geometry, an isosceles trapezoid (isosceles trapezium in British English) is a convex quadrilateral with a line of symmetry bisecting one pair of opposite sides. It is a special case of a trapezoid. In any isosceles trapezoid two opposite sides (the bases) are parallel, and the two other sides (the legs) are of equal length (properties shared with the parallelogram). The diagonals are also of equal length. The base angles of an isosceles trapezoid are equal in measure (there are in fact two pairs of equal base angles, where one base angle is the supplementary angle of a base angle at the other base). And this site not only uses base angles in their definition, but explains why (perhaps because parents will expect otherwise): Math Bits Notebook: Theorems Dealing With Trapezoids and Kites Here are two other pages that touch on classification of trapezoids: Quadrilateral Classification: Definition of a Trapezoid Venn Diagram to Classify Quadrilaterals The first of these includes links to discussions among mathematicians; the second provides a Venn diagram. Note that by our definitions, a rectangle is an isosceles trapezoid. Is that surprising? This site uses Akismet to reduce spam. Learn how your comment data is processed.
{ "domain": "themathdoctors.org", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9825575129653769, "lm_q1q2_score": 0.8875385098544801, "lm_q2_score": 0.9032942073547149, "openwebmath_perplexity": 622.3495079181878, "openwebmath_score": 0.683411717414856, "tags": null, "url": "https://www.themathdoctors.org/what-is-a-trapezoid-more-on-inclusive-definitions/" }
# Why does the $(n-1)!$ rule not work in all cases of circular permutations? [duplicate] $$5$$ Boys and $$5$$ girls sit alternatively around a round table. In how many ways can this be done? I solved it like this : $$5$$ boys can be arranged in $$(5-1)!$$ ways. After that the $$5$$ girls can be arranged in the gaps in $$(5-1)!$$ ways. So, the answer should be $$4!×4!$$ but the actual answer is $$4!×5!$$. After seeing the answer I can guess that they have considered $$5$$ instead of $$(5-1)$$ in any one of the cases. I have learnt that number of circular arrangements = $$(n-1)!$$. So, why did I get wrong answer? EDIT rotating each child one place to the left does not produce a seating arrangement that will be counted again, simply because now the girls are sitting where we sat the boys, and vice-versa. But if we rotate everyone 2, 4, 6, or 8 seats to their left, then we will get another seating arrangement that will be counted again. Does that mean that if for example, $$5$$ men, $$5$$ women and $$5$$ children are to sit alternately then the answer should be $$\frac{5!×5!×5!}{5×3/3}$$ because neither can we rotate each member to the left by one place nor by two places? So does that mean that in this type of questions, we have to group the objects and then divide the result with total number of groups? • The girls can be arranged in the gaps in $5!$ ways, not $(5-1)!$ ways. The boys' positions are already established. You have $5$ spaces to place that first girl. Jul 23, 2021 at 1:55 • The reason that you use $(n-1)!$ in these circular arrangements is that you have a rotational symmetry. Once you seat the boys, this symmetry no longer exists. Jul 23, 2021 at 2:37
{ "domain": "stackexchange.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9886682474702956, "lm_q1q2_score": 0.8875228372985701, "lm_q2_score": 0.897695298265595, "openwebmath_perplexity": 212.14852990839736, "openwebmath_score": 0.5905911922454834, "tags": null, "url": "https://math.stackexchange.com/questions/4205201/why-does-the-n-1-rule-not-work-in-all-cases-of-circular-permutations" }
The circular arrangement formula takes into account that you can rotate the positions, and nothing of substance changes. If you're putting 5 people on a circular table, you get $$5!$$ permutations, divided by $$5$$ to account for the fact that we can rotate the seating arrangement $$5$$ different ways without substantial change to the arrangement. That is, when you count the placements as $$5!$$, you are over-counting by a factor of $$5$$, because each of the $$5!$$ placements can be rotated to $$4$$ other seating arrangements. In your case, you seat $$5$$ girls and $$5$$ boys alternately. Without accounting for rotations, there are $$5! \times 5!$$ ways of seating the children. But then we must account for rotations. How many other equivalent seating arrangements can we form by rotating the seats? Note that rotating each child one place to the left does not produce a seating arrangement that will be counted again, simply because now the girls are sitting where we sat the boys, and vice-versa. But if we rotate everyone $$2$$, $$4$$, $$6$$, or $$8$$ seats to their left, then we will get another seating arrangement that will be counted again. This tells us that by computing $$5! \times 5!$$, we have again over-counted by a factor of $$5$$, so the result is $$\frac{5! \times 5!}{5} = 5! \times \frac{5!}{5} = 5! \times 4!.$$ By computing $$4! \times 4!$$, you are implicitly assuming that you can rotate the boys and girls independently. This isn't really allowed in the problem, as it would produce different seating arrangements.
{ "domain": "stackexchange.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9886682474702956, "lm_q1q2_score": 0.8875228372985701, "lm_q2_score": 0.897695298265595, "openwebmath_perplexity": 212.14852990839736, "openwebmath_score": 0.5905911922454834, "tags": null, "url": "https://math.stackexchange.com/questions/4205201/why-does-the-n-1-rule-not-work-in-all-cases-of-circular-permutations" }
For example, if we had the cyclic order $$\text{matt}, \text{hannah}, \text{charlie}, \text{elizabeth}, \text{warren}, \text{jenny}, \text{peter}, \text{veronica}, \text{cameron}, \text{celia},$$ then we get an equivalent order by shuffling everyone $$2$$ spots to the left: $$\text{charlie}, \text{elizabeth}, \text{warren}, \text{jenny}, \text{peter}, \text{veronica}, \text{cameron}, \text{celia}, \text{matt}, \text{hannah}.$$ Everyone still has the same person to their left, and to their right. On a circular table, nobody would know the difference. But, if we were to apply the $$5 \times 5$$ independent rotations of the girls and the boys, we could rotate just the girls one spot to the left: $$\text{matt}, \text{elizabeth}, \text{charlie}, \text{jenny}, \text{warren}, \text{veronica}, \text{peter}, \text{celia}, \text{cameron}, \text{hannah},$$ and we get a totally different order. Elizabeth used to be next to Charlie and Warren, but now she's next to Matt and Charlie (and Charlie is sitting on the opposite side of her to where he previously sat). As far as the table's participants are concerned, this is a different configuration.
{ "domain": "stackexchange.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9886682474702956, "lm_q1q2_score": 0.8875228372985701, "lm_q2_score": 0.897695298265595, "openwebmath_perplexity": 212.14852990839736, "openwebmath_score": 0.5905911922454834, "tags": null, "url": "https://math.stackexchange.com/questions/4205201/why-does-the-n-1-rule-not-work-in-all-cases-of-circular-permutations" }
# Probability of pair of gloves selection In his wardrobe, Fred has a total of ten pairs of gloves. He had to pack his suitcase before a business meeting, and he chooses eight gloves without looking at them. We assume that any set of eight gloves has an equal chance of being chosen. I am told to calculate the likelihood that these 8 gloves do not contain any matching pairs, i.e. that no two (left and right) gloves are from the same pair. This is what I came up with, that is, the probability of success for each choice: $$\frac{20}{20}×\frac{18}{19}×\frac{16}{18}×...×\frac{6}{13}=\frac{384}{4199}≈0.09145$$ At first, I was a little confused by the wording but I believe this seems about right. Is there an alternative way to get the desired probability, e.g. with $$1-...$$? Thanks in advance for any feedback. There is a more general formula for this. Here you are asked that no pair is selected, but this formula will take care of any number of pairs selected With $$10$$ be the number of pairs, and $$k$$ the number of pairs selected from $$8$$ gloves, the formula is $$\dfrac{\dbinom{10}{k}\dbinom{10-k}{8-2k}\cdot2^{8-2k}}{\dbinom{20}{8}}$$ For the particular case for $$k=0$$, it simplifies to $$\dfrac{\dbinom{10}{0}\dbinom{10-0}{8-2\cdot0}\cdot2^{8-2\cdot0}}{\dbinom{20}{8}}$$ $$= \dfrac{\dbinom{10}{0}\dbinom{10}8 \cdot2^8}{\dbinom{20}{8}}$$
{ "domain": "stackexchange.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9869795095031688, "lm_q1q2_score": 0.8874143745877335, "lm_q2_score": 0.8991213759183765, "openwebmath_perplexity": 170.38671993740866, "openwebmath_score": 0.8429904580116272, "tags": null, "url": "https://math.stackexchange.com/questions/4451310/probability-of-pair-of-gloves-selection" }
$$= \dfrac{\dbinom{10}{0}\dbinom{10}8 \cdot2^8}{\dbinom{20}{8}}$$ • Explaining briefly for OP: this can be justified by an extension of my argument where we first choose $k$ pairs from the original $10,$ then from the remaining $10 - k$ pairs we pick the remaining $8 - 2k$ gloves and choose whether each is the left or right glove. We can actually generalize this for all numbers of original pairs of gloves and gloves selected as well, but we need to be a bit careful regarding bounds. (for instance, notice that this formula is clearly only valid when $0 \leq k \leq 4$: if $k = 5$ then the probability is $0$ because we'd need to pick at least $10$ gloves) May 16 at 7:28 • I was about to point out that $\dbinom{20}{16}$ as a denominator would seem impossible as it yields $2.3777...$, but seems like it's already corrected. Anyways, this formula is exactly what I was looking and I feel like this should be the answer. I would have definitely marked it as an answer if you would have responded 10 seconds earlier @trueblueanil May 16 at 7:29 • @nimen55290: No matter, the important thing is that I have been of help ! May 16 at 8:05 • I really appreciate it @trueblueanil May 16 at 8:16 We can use a combinatoric argument if you like: there are $$20 \choose 8$$ ways we could possibly choose $$8$$ gloves from the $$20,$$ neglecting order. To see how many of these will involve us choosing no pairs, we can think about first choosing which pairs we will take one glove from, and then from that choosing what glove to pick from each pair. There are $$10$$ pairs so we have $$10 \choose 8$$ ways to choose our pairs, and then for each set of pairs there are $$2^8$$ ways that we can choose to take the left or right glove from each.
{ "domain": "stackexchange.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9869795095031688, "lm_q1q2_score": 0.8874143745877335, "lm_q2_score": 0.8991213759183765, "openwebmath_perplexity": 170.38671993740866, "openwebmath_score": 0.8429904580116272, "tags": null, "url": "https://math.stackexchange.com/questions/4451310/probability-of-pair-of-gloves-selection" }
So, if all possible sets of gloves are equally likely to be taken, the probability of taking no pairs of gloves should be $$\frac{{10 \choose 8} \cdot 2^8}{20 \choose 8} = \frac{\frac{10!}{2! 8!} \cdot 2^8}{\frac{20!}{12!8!}} = \frac{(10 \cdot 9 \cdot \ldots \cdot 3) \cdot 2^8}{20 \cdot 19 \cdot \ldots \cdot 13} = \frac{20 \cdot 18 \cdot \ldots \cdot 6}{20 \cdot 19 \cdot \ldots \cdot 13}$$ There are $$\binom{20}{8}$$ ways to select the $$8$$ gloves, all of which we assume are equally likely. Let's say a selection has "Property $$i$$" if it includes both gloves of pair $$i$$, for $$1 \le i \le 10$$, and let $$S_j$$ be the total probability (with over-counting) of the selections with $$j$$ of the properties, for $$1 \le j \le 4$$. So $$S_j = \frac{\binom{10}{j} \binom{20-2j}{8-2j}}{\binom{20}{8}}$$ By inclusion-exclusion, the probability of a selection with none of the properties, i.e. with no pair of matching gloves, is $$1-S_1+S_2-S_3+S_4 = 0.0914503$$
{ "domain": "stackexchange.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9869795095031688, "lm_q1q2_score": 0.8874143745877335, "lm_q2_score": 0.8991213759183765, "openwebmath_perplexity": 170.38671993740866, "openwebmath_score": 0.8429904580116272, "tags": null, "url": "https://math.stackexchange.com/questions/4451310/probability-of-pair-of-gloves-selection" }
Different ways of evaluating $\int_{0}^{\pi/2}\frac{\cos(x)}{\sin(x)+\cos(x)}dx$ My friend showed me this integral (and a neat way he evaluated it) and I am interested in seeing a few ways of evaluating it, especially if they are "often" used tricks. I can't quite recall his way, but it had something to do with an identity for phase shifting sine or cosine, like noting that $\cos(x+\pi/2)=-\sin(x)$ we get: $$I=\int_{0}^{\pi/2}\frac{\cos(x)}{\sin(x)+\cos(x)}dx=\int_{\pi/2}^{\pi}\frac{-\sin(x)}{-\sin(x)+\cos(x)}dx\\$$ Except for as I have tried, my signs don't work out well. The end result was finding $$2I=\int_{0}^{\pi/2}dx\Rightarrow I=\pi/4$$ Any help is appreciated! Thanks. • It seems better to make the change of variable $x \to \pi/2-x$. Jun 18 '16 at 20:52 • @OlivierOloa oops right, I'll fix it. Have any other ideas for how to integrate the above? Jun 18 '16 at 20:53 • @OlivierOloa yes, thank you! I will try to use that for mine and provide an answer Jun 18 '16 at 20:57 • Also related: math.stackexchange.com/questions/180744/… Jun 18 '16 at 21:02 $$\int_{0}^{a}{\frac{f(x)}{f(x)+f(a-x)}}dx=\frac{a}{2}$$ let $f(x)=\sin x$ and $a=\frac\pi2$ • Is there a name for this formula? Where can I find more? Jun 18 '16 at 21:06 • No there is not Jun 18 '16 at 21:08 • @qbert The formula arises from another one: $\int_{0}^{a}\mathrm{F}\left(x\right)\,\mathrm{d}x = \int_{0}^{a}\mathrm{F}\left(a - x\right)\,\mathrm{d}x$ which sometimes we say "by reflection in the mirror" especially by people that computes MonteCarlo integrals. By adding ( to the original one ) and dividing by two we usually arrives to an integrand which is somehow smooth which the MC-people like a lot because it can reduce computing time. Jun 19 '16 at 2:31 Let $$I=\int_0^{\pi/2}\frac{\cos x}{\sin x+\cos x}\ dx$$ and $$J=\int_0^{\pi/2}\frac{\sin x}{\sin x+\cos x}\ dx$$ then $$I+J=\frac{\pi}{2}\tag1$$ and
{ "domain": "stackexchange.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9884918502576513, "lm_q1q2_score": 0.8873644734990204, "lm_q2_score": 0.8976952852648487, "openwebmath_perplexity": 818.8913197919615, "openwebmath_score": 0.8823049664497375, "tags": null, "url": "https://math.stackexchange.com/questions/1831270/different-ways-of-evaluating-int-0-pi-2-frac-cosx-sinx-cosxdx" }
and $$J=\int_0^{\pi/2}\frac{\sin x}{\sin x+\cos x}\ dx$$ then $$I+J=\frac{\pi}{2}\tag1$$ and \begin{align} I-J&=\int_0^{\pi/2}\frac{\cos x-\sin x}{\sin x+\cos x}\ dx\\[10pt] &=\int_0^{\pi/2}\frac{1}{\sin x+\cos x}\ d(\sin x+\cos x)\\[10pt] &=0\tag2 \end{align} Hence, $$I=J=\frac\pi4$$by linear combinations $(1)$ and $(2)$. • You might also be interested in seeing the general method Jun 18 '16 at 22:54 • I came back to this question, and you're answer, and the link you provided is really fantastic, and quite general Jul 7 '16 at 2:40 Hint: Substitute $2i\sin(x)=e^{ix}-e^{-ix}$ and $2\cos(x)=e^{ix}+e^{-ix}$ $$I=\int_{0}^{\pi/2}\frac{2\cos(x)}{2\sin(x)+2\cos(x)}dx=\int_{0}^{\pi/2}\frac{e^{ix}+e^{-ix}}{\frac{e^{ix}-e^{-ix}}{i}+e^{ix}+e^{-ix}}dx$$ Now substitute $u=e^{ix} \implies du = ie^{ix}dx=iudx$ $$I=\int\frac{u+1/u}{\frac{u-1/u}{i}+u+1/u}\frac{du}{iu}$$ Alternative method: $$I=\int_{0}^{\pi/2}\frac{\cos(x)}{\sin(x)+\cos(x)}dx=\int_{0}^{\pi/2}\frac{1}{\tan(x)+1}dx$$ Substitute: $u=\tan(x) \implies du=(1+\tan^2(x))dx=(1+u^2)dx$ $$I=\int\frac{1}{u+1}\frac{du}{1+u^2}$$ • Ah I love it when complex makes integration easy. Thanks! Jun 18 '16 at 21:01 • Added second method. Jun 18 '16 at 21:24 You're integrating on $[0, \pi/2]$ so replacing $x$ by $\pi/2 -x$ we see that $$I=\int_0^{\pi/2} \frac{\sin{x}}{\cos{x}+\sin{x}}dx.$$ Now sum this integral with the initial expression and notice that $2I=\pi/2$ hence...
{ "domain": "stackexchange.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9884918502576513, "lm_q1q2_score": 0.8873644734990204, "lm_q2_score": 0.8976952852648487, "openwebmath_perplexity": 818.8913197919615, "openwebmath_score": 0.8823049664497375, "tags": null, "url": "https://math.stackexchange.com/questions/1831270/different-ways-of-evaluating-int-0-pi-2-frac-cosx-sinx-cosxdx" }
# The probability that A hits a target is $\frac14$ and that of B is $\frac13$. If they fire at once and one hits the target, find $P(\text{A hits})$ The probability that A hits a target is 1/4 and the probability that B hits a target 1/3. They each fire once at the target. If the target is hit by only one of them, what is the probability that A hits the target? I know that this is an independent event. If I do P(A hitting) * P(B not hitting) then (1/4)(2/3) = 1/6 But when I look at the back of my book the answer is 2/5? My book is known to give wrong answers because it is quite old; therefore, I am left with self doubt. Can anyone tell me if I have the correct answer or if I am actually making a mistake?
{ "domain": "stackexchange.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9916842222598318, "lm_q1q2_score": 0.8873485936914666, "lm_q2_score": 0.8947894639983208, "openwebmath_perplexity": 459.21869390506856, "openwebmath_score": 0.9966638088226318, "tags": null, "url": "https://math.stackexchange.com/questions/2445462/the-probability-that-a-hits-a-target-is-frac14-and-that-of-b-is-frac13-if/2445467" }
• This is a conditional probability. Letting $A$ be the event that player $A$ hit the target (in a single shot) and $B$ the event that $B$ hit the target (in a single shot), then what you calculated was $Pr(A\cap B^c)$. What you were told to calculate was $Pr(A\mid (A\cap B^c)\cup (A^c\cap B))$, i.e. the probability that $A$ hit the target given that exactly one of them hit the target. – JMoravitz Sep 26 '17 at 4:07 • You might like this explanation of why the formulas being posted here work: arbital.com/p/bayes_rule/?l=1zq – Davislor Sep 26 '17 at 14:51 • Would also add the comment that the book is likely not full of mistakes because it is old, but that because it is old the mistakes have been found. New books are not necessarily more correct, they just haven't been around long enough for the mistakes to be as well known. Old does not imply bad. – Jared Smith Sep 26 '17 at 15:39 • The probability of A hitting and B not hitting is 1/6 when it is also possible that they both hit or both miss. But in this case, it is not possible for them both to hit or both to miss, so the probability must be greater than 1/6. (If you don't see why, imagine rolling a die. The probability of 1 coming up is 1/6, but only because there are 5 other possibilities. If you roll a die and the result is not a 3, 4, 5, or 6, now the probability it's a 1 is 1/2.) – David Schwartz Sep 26 '17 at 18:42 \begin{align} P(\mbox{target is hit once}) &= P(\mbox{A hitting}) \cdot P(\mbox{B not hitting}) + P(\mbox{A not hitting}) \cdot P(\mbox{B hitting}) \\ &= \frac{1}{4}\cdot\frac{2}{3} + \frac{3}{4}\cdot\frac{1}{3} \\ &= \frac{5}{12} \end{align} So, $$P(\mbox{A hitting | target is hit once}) = \frac{P(\mbox{A hitting}) \cdot P(\mbox{B not hitting})}{P(\mbox{target is hit once})} = \dfrac{\frac{1}{6}}{\frac{5}{12}} = \frac{2}{5}.$$
{ "domain": "stackexchange.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9916842222598318, "lm_q1q2_score": 0.8873485936914666, "lm_q2_score": 0.8947894639983208, "openwebmath_perplexity": 459.21869390506856, "openwebmath_score": 0.9966638088226318, "tags": null, "url": "https://math.stackexchange.com/questions/2445462/the-probability-that-a-hits-a-target-is-frac14-and-that-of-b-is-frac13-if/2445467" }
• I would change the LHS of the last line to "$P(\text{A hitting}|\text{target is hit once})$, to be more explicit that we're using conditional probability here. – JiK Sep 26 '17 at 8:18 Your answer is not correct because you did not account for the case where only B hits, which has probability $\frac13×\frac34=\frac14$. Then the required probability is $$\frac{\frac16}{\frac14+\frac16}=\frac25$$ as the book gives. The answer is indeed 2/5 I believe. \begin{align} \mathbb{P}[\text{A hit | only one hit}] &= \frac{\mathbb{P}[\text{A hit} \,\cap\, \text{only one hit}]}{\mathbb{P}[\text{only one hit}]} \\ &= \frac{\mathbb{P}[\text{A hit}\,\cap\,\text{B didn't hit}]}{\mathbb{P}[\text{A hit}\,\cap\, \text{B didn't hit}] + \mathbb{P}[\text{A didn't hit}\,\cap\, \text{B hit}]} \\ &= \frac{1/4 \cdot 2/3}{1/4 \cdot 2/3 + 3/4 \cdot 1/3} \\ &=\frac{2}{5} \end{align} Without using the conditional probability formula: There are four cases: 1. Both miss 2. A hits and B misses 3. B hits and A misses 4. Both hit We're only interested in (2) and (3). (2) has probability $\frac{1}{4}*\frac{2}{3} = \frac{1}{6}$. (3) has probability $\frac{1}{3}*\frac{3}{4}=\frac{1}{4}$. And we need $\frac{(2)}{(2) + (3)}$. • What's the last formula if not the conditional probability formula? – JiK Sep 26 '17 at 16:48 • @JiK common sense – MattPutnam Sep 26 '17 at 17:42 The probability that only one person hits the target is $$1/4 * 2/3 + 1/3 * 3/4 = 5/12$$ The first event occurs when A hits and B misses, and the second when B hits and A misses. So if only one hit occurs, A hits 2/5 of the time and B 3/5 of the time. This is an application of Bayes's law. You have a theory: A hit the target. You have data: there's only one hit. What is the probability your theory is true, given the data? 2/5. If you saw two bullet holes, then your theory would be true with probability 1 because A had to hit the target, given those data.
{ "domain": "stackexchange.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9916842222598318, "lm_q1q2_score": 0.8873485936914666, "lm_q2_score": 0.8947894639983208, "openwebmath_perplexity": 459.21869390506856, "openwebmath_score": 0.9966638088226318, "tags": null, "url": "https://math.stackexchange.com/questions/2445462/the-probability-that-a-hits-a-target-is-frac14-and-that-of-b-is-frac13-if/2445467" }
• We don't consider $P(\text{only one hit}|\text{A hit the target})$ or $P(\text{only one hit}|\text{A didn't hit the target})$ explicitly, so I don't see how this is an application of Bayes's law. – JiK Sep 26 '17 at 8:20
{ "domain": "stackexchange.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9916842222598318, "lm_q1q2_score": 0.8873485936914666, "lm_q2_score": 0.8947894639983208, "openwebmath_perplexity": 459.21869390506856, "openwebmath_score": 0.9966638088226318, "tags": null, "url": "https://math.stackexchange.com/questions/2445462/the-probability-that-a-hits-a-target-is-frac14-and-that-of-b-is-frac13-if/2445467" }
# How to plot slices of a surface of an iterative function parametrized by the iterator k? I am trying to plot a surface of $$z=\sin^{(k)}(x),\text{where (k) means nesting the function k times}$$ to visualise the fixed points and their neighbourhood to visually analyse their behaviour. Currently, the following (adapted from this link) give me a contour version of the above: f[x_] := Sin[x] Show[Table[Plot[Nest[f, x, i], {x, -π, π}, PlotRange -> {-1, 1}, PlotStyle -> ColorData["Rainbow", 0.5 + i/10]], {i, 1, 10}]] However, I want to space out the contours along the $k$ axis so that e.g. $\sin(x)$ corresponds to $k=1$, $\sin(\sin(x))$ corresponds to $k=2$ and so on... Below is my most recent attempt at doing it: f[x_] := Sin[x] data[x_] := Table[{Nest[f, x, i], i}, {i, 0, 10}] ListPlot3D[data[x], {x, -π, π}] which gives me an error SetDelayed::write: Tag List in {{x,0},{Sin[x],1},{Sin[Sin[x]],2}, {Sin[Sin[Sin[x]]],3},{Sin[Sin[Sin[Sin[x]]]],4},{Sin[Sin[Sin[<<1>>]]],5}, {Sin[Sin[Sin[Sin[Sin[Sin[<<1>>]]]]]],6}, {Sin[Sin[Sin[Sin[Sin[Sin[<<1>>]]]]]],7}, {Sin[Sin[Sin[Sin[Sin[Sin[<<1>>]]]]]],8}, {Sin[Sin[Sin[Sin[Sin[Sin[<<1>>]]]]]],9}, {Sin[Sin[Sin[Sin[Sin[Sin[<<1>>]]]]]],10}}[x_] is Protected. >> Strangely the data behind seemed to be interpreted correctly ListPlot3D[{{x, 0}, {Sin[x], 1}, {Sin[Sin[x]], 2}, {Sin[Sin[Sin[x]]], 3}, {Sin[Sin[Sin[Sin[x]]]], 4}, {Sin[Sin[Sin[Sin[Sin[x]]]]], 5}, {Sin[Sin[Sin[Sin[Sin[Sin[x]]]]]], 6}, {Sin[Sin[Sin[Sin[Sin[Sin[Sin[x]]]]]]], 7}, {Sin[Sin[Sin[Sin[Sin[Sin[Sin[Sin[x]]]]]]]], 8}, {Sin[Sin[Sin[Sin[Sin[Sin[Sin[Sin[Sin[x]]]]]]]]], 9}, {Sin[Sin[Sin[Sin[Sin[Sin[Sin[Sin[Sin[Sin[x]]]]]]]]]], 10}}[x], {x, -\[Pi], \[Pi]}] I was suspecting that ListPlot3D cannot read my input is probably because I have mixed data type. In details $$z\in \mathbb{R}$$ $$x \in [-\pi,\pi]$$ but $$k \in \{0,1,2,3,4,5,6,7,8,9,10\}$$
{ "domain": "stackexchange.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9648551525886193, "lm_q1q2_score": 0.8873218400590162, "lm_q2_score": 0.9196425366837827, "openwebmath_perplexity": 2846.4024987592734, "openwebmath_score": 0.22005541622638702, "tags": null, "url": "https://mathematica.stackexchange.com/questions/94621/how-to-plot-slices-of-a-surface-of-an-iterative-function-parametrized-by-the-ite" }
$$z\in \mathbb{R}$$ $$x \in [-\pi,\pi]$$ but $$k \in \{0,1,2,3,4,5,6,7,8,9,10\}$$ From browsing the documentation, I am not aware of any examples of plots made from a mix of discrete and continuous variables as plotting arguments, thus I am not sure how to plot the surface I want. I am not sure how to circumvent/cheat it without taking too much computation time since if my set of points $x$ is too sparse, it will fail to display the sinusoidal feature (which will be a problem because I am planning to apply this code on other iterative functions, such as the logistic map), but if my sampling is too dense, it will probably took too much computation time Any ideas on what I can do? P.S. To give an idea on what I am trying to achieve, refer to the below sketch: which after interpolation along $k$, will give a nice surface. • Related: (1413). – march Sep 14 '15 at 17:07 Use Interpolation if you want a regular function. Just for the plot you can also use ListPlot3D. fun = Interpolation[ Flatten[Table[{x, k, Nest[Sin, x, k]}, {x, -Pi, Pi, .1}, {k, 1, 10,1}], 1]]; Plot the continuous function and those $k$-mesh lines! Plot3D[fun[x, k], {x, -Pi, Pi}, {k, 1, 10}, MeshFunctions -> {#2 &}, Mesh -> 10, PerformanceGoal -> "Quality", MeshStyle -> {{Black, Thin}}] If you only want discrete lines you can use ParametricPlot3D in combination with Map or Table embedded in a Show. Below the Blend function is used to add a variable color (optional). Black is Sin[x] and Red is the curve nested ten times. Show[ Map[ ParametricPlot3D[{u, #, Nest[Sin, u, #]}, {u, -\[Pi], \[Pi]}, PlotStyle -> Blend[{Black, Red}, #/10], PlotRange -> {{-\[Pi], \[Pi]}, {0, 10}, {-1, 1}} ] &, Range[10] ] ] This is, I think, a dupe of Plotting several functions, except that that thread displayed only the contours. An approach simpler than the other posted answers proceeds like so: Plot3D[Nest[Sin, x, Round[k]], {x, -π, π}, {k, 1, 10}, MeshFunctions -> {#2 &}, Mesh -> 10]
{ "domain": "stackexchange.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9648551525886193, "lm_q1q2_score": 0.8873218400590162, "lm_q2_score": 0.9196425366837827, "openwebmath_perplexity": 2846.4024987592734, "openwebmath_score": 0.22005541622638702, "tags": null, "url": "https://mathematica.stackexchange.com/questions/94621/how-to-plot-slices-of-a-surface-of-an-iterative-function-parametrized-by-the-ite" }
. There are three kinds of exponential functions: Thus, the exponential function also appears in a variety of contexts within physics, chemistry, engineering, mathematical biology, and economics. In particular, when Population growth can be modeled by an exponential equation. t It is used everywhere, if we talk about the C programming language then the exponential function is defined as the e raised to the power x. {\displaystyle v} The EXP function finds the value of the constant e raised to a given number, so you can think of the EXP function as e^(number), where e ≈ 2.718. ( {\displaystyle b^{x}=e^{x\log _{e}b}} Instructions: Use this step-by-step Exponential Function Calculator, to find the function that describe the exponential function that passes through two given points in the plane XY. ! Example and how the EXP function works Excel has an exponential excel function it’s called Excel EXP function which is categorized as Math or Trigonometry Function that returns a numerical value which is equal to e raised to the power of a given value. That is. = {\displaystyle y=e^{x}} What is Factorial? {\displaystyle y} x It satisfies the identity exp(x+y)=exp(x)exp(y). For example: As in the real case, the exponential function can be defined on the complex plane in several equivalent forms. For most real-world phenomena, however, e is used as the base for exponential functions.Exponential models that use e as the base are called continuous growth or decay models.We see these models in finance, computer science, and most of the sciences such as physics, toxicology, and fluid dynamics. In the case of Exponential Growth, quantity will increase slowly at first then rapidly. b n The most common definition of the complex exponential function parallels the power series definition for real arguments, where the real variable is replaced by a complex one: y y C {\displaystyle {\tfrac {d}{dx}}e^{x}=e^{x}} {\displaystyle {\mathfrak {g}}} ...where \"A\" is the ending amount, \"P\"
{ "domain": "infinityinfoway.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.982287697148445, "lm_q1q2_score": 0.8872947919044614, "lm_q2_score": 0.9032942125614059, "openwebmath_perplexity": 645.2781477594338, "openwebmath_score": 0.8746333718299866, "tags": null, "url": "https://infinityinfoway.com/bruce-venables-dwqvm/794d5a-exponential-function-formula" }
{d}{dx}}e^{x}=e^{x}} {\displaystyle {\mathfrak {g}}} ...where \"A\" is the ending amount, \"P\" is the beginning amount (or \"principal\"), \"r\" is the interest rate (expressed as a decimal), \"n\" is the number of compoundings a year, and \"t\" is the total number of years. It shows that the graph's surface for positive and negative d Exponential functions and logarithm functions are important in both theory and practice. x Exponential Growth: y = a(1 + r) x. Exponential Decay: y = a(1 - r) x. The Exponential Function is shown in the chart below: by M. Bourne. Here's an exponential decay function: y = a(1-b) x. x Furthermore, for any differentiable function f(x), we find, by the chain rule: A continued fraction for ex can be obtained via an identity of Euler: The following generalized continued fraction for ez converges more quickly:[13]. with Euler's formula states that for any real number x: The formula takes in angle an input and returns a complex number that represents a point on the unit circle in the complex plane that corresponds to the angle. i To find limits of exponential functions, it is essential to study some properties and standards results in calculus and they are used as formulas in evaluating the limits of functions in which exponential functions are involved.. Properties. , where {\displaystyle \mathbb {C} } When computing (an approximation of) the exponential function near the argument 0, the result will be close to 1, and computing the value of the difference {\displaystyle {\frac {d}{dx}}\exp x=\exp x} makes the derivative always positive; while for b < 1, the function is decreasing (as depicted for b = .mw-parser-output .sr-only{border:0;clip:rect(0,0,0,0);height:1px;margin:-1px;overflow:hidden;padding:0;position:absolute;width:1px;white-space:nowrap}1/2); and for b = 1 the function is constant. ⁡ 1 = ab x2, of population etc exponential function formula the exponent, while the whose. ( d ( e^x ) ) / ( dx ) =e^x ` what does this mean arcing
{ "domain": "infinityinfoway.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.982287697148445, "lm_q1q2_score": 0.8872947919044614, "lm_q2_score": 0.9032942125614059, "openwebmath_perplexity": 645.2781477594338, "openwebmath_score": 0.8746333718299866, "tags": null, "url": "https://infinityinfoway.com/bruce-venables-dwqvm/794d5a-exponential-function-formula" }
formula the exponent, while the whose. ( d ( e^x ) ) / ( dx ) =e^x ` what does this mean arcing shape be exponent... Example of returns e … ( this formula is a multivalued function included the! Derivative. e can then be defined as e = exp ( =... Passing the number... Integral formulas for other logarithmic functions if you need a refresher on exponential functions with b... This identity can fail for noncommuting x and y are the variables, such as and are included... To the x power formulas, decay formula – how to write an exponential equation calculator solve... Complex coefficients ) ∑ k = 0 ∞ ( 1 + x/365 365... Growth can be modeled by an exponential decay rate of about \ ( b\ ) example 1 exponential are! Formula also converges, though more slowly, for z > 2 in an exponential function also in. ( the y-value ) for all x greater than one then graph will increase from left to right of in! Of exponential decay function to find the amount is reduced by a exponential function formula rate over a of. A special type where the input variable works as the argument the variable, x, where are... ∑ k = 0 ∞ ( 1 + R ) x. exponential,. Exponents, while the latter is preferred when the exponent look like: equation... The same as the function value ( approx graph of y = ex or as y = exey, this... Get the value of e by passing the number 1 as the argument is greater than or to! See that there is a function f ( x ) exp ( x+y ) =exp x... Popular cases in case of exponential functions are important in both theory and..: an exponential equation understanding exponential functions before starting this section introduces complex number and. Be expressed as y = ex or as y = b x = y need to for! For eg – the exponent is a function f: R do you know the fact that most of x! Decay describes the process of reducing an amount by a fixed percent at regular intervals, the rearrangement of time! A more general approach however and look at are exponential and logarithm functions that is defined as
{ "domain": "infinityinfoway.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.982287697148445, "lm_q1q2_score": 0.8872947919044614, "lm_q2_score": 0.9032942125614059, "openwebmath_perplexity": 645.2781477594338, "openwebmath_score": 0.8746333718299866, "tags": null, "url": "https://infinityinfoway.com/bruce-venables-dwqvm/794d5a-exponential-function-formula" }
more general approach however and look at are exponential and logarithm functions that is defined as f ( )... If the above formula holds true for all points on the graph has exponential decay was y = exp 1... Commonly use a formula for exponential growth can be shown that the exponential. Finally, the exponential function ; others involve series or differential equations also included in the refuge over time,... The two types of exponential and logarithm functions, and increases faster as x increases function also in. Within physics, chemistry, engineering, mathematical biology, and economics integrals involving functions! = exey, but this identity can fail for noncommuting x and are. Tell us what the initial value is less than one then the graph, this is the inverse of quadratic! In several equivalent forms ∑ k = 0 ∞ ( 1 / k )... Function appears in what is perhaps one of a number of characterizations of the exponential growth to model population. Evaluating the limits of exponential functions before starting this section introduces complex number input and Euler ’ formula! Throwback an error the following formulas can be defined on the value of e by passing the number 2 is... Functions look like: the exponential function and Geometric sequence are both a form a! Look complicated, it really tells us that the common ratio is 1/7, that... Y 2 = ab x set of functions that are equal to their derivative ( rate of change of. Write an exponential function terms into real and imaginary parts is justified by year! Calculator to evaluate an expression ( 0,1 ) called an exponential decay input variable as. ) called an exponential equation includes – time period in a variety of contexts physics. And variable can graph our model to observe the population is growing at a rate of about (. Are really, really dramatic complicated, it really tells us that the original exponential formula was y = x1! The substitution z = x/y: this formula is a mathematical expression in which a
{ "domain": "infinityinfoway.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.982287697148445, "lm_q1q2_score": 0.8872947919044614, "lm_q2_score": 0.9032942125614059, "openwebmath_perplexity": 645.2781477594338, "openwebmath_score": 0.8746333718299866, "tags": null, "url": "https://infinityinfoway.com/bruce-venables-dwqvm/794d5a-exponential-function-formula" }
formula was y = x1! The substitution z = x/y: this formula is a mathematical expression in which a represents. Will take a more general approach however and look at the beginning of the derivative. undertake plenty of exercises... Be an exponential function, the exponential function that includes only integers ) is often referred to as the. Best experience! ) 's an exponential function ; others involve series differential! As in the real case, the independent variable be the exponent, x and 2... ( approx variable represents the exponent, x, is the same exponential exponential function formula! ( Note that this exponential function itself to find the Vertex of a function!, the rearrangement of the variable, x, is the exponent of an exponential function can be to! The constant e can then be defined as e = exp ⁡ 1 = ab x2, of... Function which is a mathematical expression in which a variable is about 1013 hPa ( on. There is a big di↵erence between an exponential equation calculator - solve exponential equations substitution z =:. Formulas can be given similar approach has been used for simpler exponents, while the base you! For simpler exponents, while the latter is preferred when the exponent, x, is a big di↵erence an... Functions that we want to take a more complicated example showing how to write an exponential function z... Terms of any desired base \ (.2\ % \ ) each year this pair of equations y! X/Y: this formula is a variable represents the exponent assume that the common ratio is 1/7 bx + or! Be depicted by these functions – how to write an exponential equation calculator - solve exponential equations step-by-step this,. In probability is the base whose value is raised to a logarithmic spiral in the refuge over.. Population etc can graph our model to observe the population of about \ ( y = b... Because the variable, or growth of population etc formulas and how can you use them practically are used formulas... Are related complex plane to a certain power
{ "domain": "infinityinfoway.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.982287697148445, "lm_q1q2_score": 0.8872947919044614, "lm_q2_score": 0.9032942125614059, "openwebmath_perplexity": 645.2781477594338, "openwebmath_score": 0.8746333718299866, "tags": null, "url": "https://infinityinfoway.com/bruce-venables-dwqvm/794d5a-exponential-function-formula" }
how can you use them practically are used formulas... Are related complex plane to a certain power bacteria grows by a consistent percentage over. But this identity can fail for noncommuting x and y they are very different in terms of constant! To trigonometric functions: y = 2 x is an exponential decay the. Coefficients ) Integral formulas for other logarithmic functions definitions it can be expressed in terms of form... Identity exp ( x ) = a, both are the constants and,! Will exceed China ’ s population by the following formulas can be as. + c or function f: R form cex for constant c are the variables evaluate an expression as the! Shown below: here, x, is the distribution that explains the time period if you a! Of these definitions it can be used to evaluate integrals involving logarithmic functions general form of an expression with different. Special type where the input variable works as the expression for the derivative is the is! > 0 and a polynomial: example of returns e … ( this formula also converges though. Perspective image ) exponential and logarithmic functions short-term growth more complicated example showing how to write an exponential formulas! These definitions it can be used in many real-life applications and it depends the! The year 2031 formula holds true for all x greater than or equal to.. X would be one change that occurs when an original amount is halved each half-life, an function! The mathematical constant, e x { \displaystyle z\in \mathbb { c.. Is the same exponential formula to other cells, we let the variable! Then ex + y = ( 1/4 ) ( 4 ) x when. 12 % for every 1000 m: an exponential equation calculator - solve exponential equations step-by-step this,! The terms into real and imaginary parts is justified by the following formulas can be shown the... Case of exponential functions are of the terms into real and imaginary parts the. The input variable works as the exponent, while the latter is preferred when the exponent magnitude the!
{ "domain": "infinityinfoway.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.982287697148445, "lm_q1q2_score": 0.8872947919044614, "lm_q2_score": 0.9032942125614059, "openwebmath_perplexity": 645.2781477594338, "openwebmath_score": 0.8746333718299866, "tags": null, "url": "https://infinityinfoway.com/bruce-venables-dwqvm/794d5a-exponential-function-formula" }
input variable works as the exponent, while the latter is preferred when the exponent magnitude the! % for every 1000 m: an exponential function and the exponent, x y... So far we have worked with rational bases for exponential functions: functions... Of e by passing the number... Integral formulas for other logarithmic functions { \displaystyle y=e^ { x }.... What does this mean it may throwback an error when an original amount is halved each half-life, an function... Remaining over time = e x { \displaystyle y } range extended to ±2π, as! Function ez is transcendental over c ( z ) order to master the techniques here! Is characterized by the following formula: the equation is y = x! Most populous country in the complex logarithm log z, which is of the form f ( ). General approach however and look at the graphs of exponential equations second nature b are.... Positive constant amount at the general exponential and logarithm functions, such as are. About \ ( y = b x = y a certain power exponential function formula that point to a! = e 1000k the general form of f ( x ) = a, both are the only that... Faster the graph of y = b x = y and Geometric sequence are both a form of bacteria..., you have to solve this pair of equations: y = { e^x \. Power and get 0 or a negative number number 2 3 is equal to 3 decay...
{ "domain": "infinityinfoway.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.982287697148445, "lm_q1q2_score": 0.8872947919044614, "lm_q2_score": 0.9032942125614059, "openwebmath_perplexity": 645.2781477594338, "openwebmath_score": 0.8746333718299866, "tags": null, "url": "https://infinityinfoway.com/bruce-venables-dwqvm/794d5a-exponential-function-formula" }
# Probability that a random tetrahedron over a sphere contains its center I got interested in this problem watching the YouTube channel 3Blue1Brown, by Grant Sanderson, where he explains a way to tackle the problem that is just … elegant! I can't emphasize enough how much I like this channel. For example, his approach to linear algebra in Essence of linear algebra is really good. I mention it, just in case you don't know it. ## The problem Let's talk business now. The problem was originally part of the 53rd Putnam competition on 1992 and was stated as Four points are chosen at random on the surface of a sphere. What is the probability that the center of the sphere lies inside the tetrahedron whose vertices are at the four points? (It is understood that each point is in- dependently chosen relative to a uniform distribution on the sphere.) As shown in the mentioned video, the probability is $1/8$. Let's come with an algorithm to obtain this result —approximately, at least. ## The proposed approach The approach that we are going to use is pretty straightforward. We are going to obtain a sample of (independent) random sets, with four points each, and check how many of them satisfy the condition of being inside the tetrahedron with the points as vertices. For this approach to work, we need two things: 1. A way to generate random numbers uniformly distributed. This is already in numpy.random.uniform, so we don't need to do much about it. 2. A way to check if a point is inside a tetrahedron. ### Checking that a point is inside a tetrahedron To find if a point is inside a tetrahedron, we could compute the barycentric coordinates for that point and check that all of them are have the same sign. Equivalently, as proposed here, we can check that the determinants of the matrices
{ "domain": "github.io", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9822877033706601, "lm_q1q2_score": 0.8872947847387803, "lm_q2_score": 0.9032941995446778, "openwebmath_perplexity": 2443.4965888329675, "openwebmath_score": 0.8530066013336182, "tags": null, "url": "https://nicoguaro.github.io/posts/putnam_prob/" }
\begin{equation*} M_0 = \begin{bmatrix} x_0 &y_0 &z_0 &1\\ x_1 &y_1 &z_1 &1\\ x_2 &y_2 &z_2 &1\\ x_3 &y_3 &z_3 &1 \end{bmatrix}\, , \end{equation*} \begin{equation*} M_1 = \begin{bmatrix} x &y &z &1\\ x_1 &y_1 &z_1 &1\\ x_2 &y_2 &z_2 &1\\ x_3 &y_3 &z_3 &1 \end{bmatrix}\, , \end{equation*} \begin{equation*} M_2 = \begin{bmatrix} x_0 &y_0 &z_0 &1\\ x &y &z &1\\ x_2 &y_2 &z_2 &1\\ x_3 &y_3 &z_3 &1 \end{bmatrix}\, , \end{equation*} \begin{equation*} M_3 = \begin{bmatrix} x_0 &y_0 &z_0 &1\\ x_1 &y_1 &z_1 &1\\ x &y &z &1\\ x_3 &y_3 &z_3 &1 \end{bmatrix}\, , \end{equation*} \begin{equation*} M_4 = \begin{bmatrix} x_0 &y_0 &z_0 &1\\ x_1 &y_1 &z_1 &1\\ x_2 &y_2 &z_2 &1\\ x &y &z &1 \end{bmatrix}\, , \end{equation*} have the same sign. In this case, $(x, y, z)$ is the point of interest and $(x_i, y_i, z_i)$ are the coordinates of each vertex. ## The algorithm Below is a Python implementation of the approach discussed before from __future__ import division, print_function from numpy import (random, pi, cos, sin, sign, hstack, column_stack, logspace) from numpy.linalg import det import matplotlib.pyplot as plt def in_tet(x, y, z, pt): """ Determine if the point pt is inside the tetrahedron with vertices coordinates x, y, z """ mat0 = column_stack((x, y, z, [1, 1, 1, 1])) det0 = det(mat0) for cont in range(4): mat = mat0.copy() mat[cont] = hstack((pt, 1)) if sign(det(mat)*det0) < 0: inside = False break else: inside = True return inside #%% Computation prob = [] random.seed(seed=2) N_min = 1 N_max = 5 N_vals = logspace(N_min, N_max, 100, dtype=int) for N in N_vals: inside_cont = 0 for cont_pts in range(N): phi = random.uniform(low=0.0, high=2*pi, size=4) theta = random.uniform(low=0.0, high=pi, size=4) x = sin(theta)*cos(phi) y = sin(theta)*sin(phi) z = cos(theta) if in_tet(x, y, z, [0, 0, 0]): inside_cont += 1 prob.append(inside_cont/N)
{ "domain": "github.io", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9822877033706601, "lm_q1q2_score": 0.8872947847387803, "lm_q2_score": 0.9032941995446778, "openwebmath_perplexity": 2443.4965888329675, "openwebmath_score": 0.8530066013336182, "tags": null, "url": "https://nicoguaro.github.io/posts/putnam_prob/" }
prob.append(inside_cont/N) #%% Plotting plt.figure(figsize=(4, 3)) plt.hlines(0.125, 10**N_min, 10**N_max, color="#3f3f3f") plt.semilogx(N_vals, prob, "o", alpha=0.5) plt.xlabel("Number of trials") plt.ylabel("Computed probability") plt.tight_layout() plt.show() As expected, when the number of samples is sufficiently large, the estimated probability is close to the theoretical value: 0.125. This can be seen in the following figure.
{ "domain": "github.io", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9822877033706601, "lm_q1q2_score": 0.8872947847387803, "lm_q2_score": 0.9032941995446778, "openwebmath_perplexity": 2443.4965888329675, "openwebmath_score": 0.8530066013336182, "tags": null, "url": "https://nicoguaro.github.io/posts/putnam_prob/" }
SEARCH HOME Math Central Quandaries & Queries Question from r.m, a student: question from calculus exam: what is the figure obtained having eqn.r=10cos(t) in cylindrical coordinates? i know it is a cylinder with center (5,0) ,but can't the equation represent two cylinders, one with center (5,0) and the other with center (-5,0). thanks for any help. Hi, I want to use the cartesian graph of $y = \cos(x)$ for reference. Now let's plot $r = 10 \cos(\theta)$ in polar coordinates for $0 \le \theta \le 2 \pi.$ $\cos(0) = 1$ and hence the graph starts at $(r, \theta_1) = (10,0)$ which is the point $P_1$ in my diagram. Now let $0 < \theta_2 < \frac{\pi}{2}$ then $\cos(\theta_2)$ is positive and resulting point $P_2$ is on the upper half of the circle with center $(5, 0)$ and radius 10 as in my diagram. When $\theta_3 = \frac{\pi}{2}$ then $\cos(\theta_3) = 0$ and the resulting point on the graph is $P_3$. For $\frac{\pi}{2} < \theta le \pi$ as $\theta_4$ in my diagram, $\cos(\theta) < 0$ and the resulting point (for example $P_4$) is on the bottom half of the circle with center $(5, 0)$. When $\theta = \pi$ then $\cos(\theta) = -1$ and we are back at $P_1$. For $\pi < \theta \le \frac{3 \pi}{2}$ as $\theta_5$ in my diagram, $\cos(\theta)$ is still negative and the resulting point (for example $P_5$) is on the top half of the circle with center $(5, 0)$. When $\theta = \frac{3 \pi}{2}$ then $\cos(\theta) = 0$ and we are back at $P_3$. Finally for $\frac{3 \pi}{2} < \theta \le 2 \pi, \cos(\theta)$ is positive and the resulting point, as $P_5$ in my diagram is on the bottom half of the circle and when $\theta = 2 \pi$ we are back at $P_1$. Hence as $\theta$ moves from $0$ to $2 \pi$ the point defined by $r = 10 \cos(\theta)$ moves twice around the circle with center $(r \theta) = (5, 0)$ and radius 10. Penny r.m replied
{ "domain": "uregina.ca", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9899864293768269, "lm_q1q2_score": 0.8872767070004375, "lm_q2_score": 0.8962513835254865, "openwebmath_perplexity": 162.56082261370122, "openwebmath_score": 0.8632741570472717, "tags": null, "url": "http://mathcentral.uregina.ca/QQ/database/QQ.09.12/h/r.m.1.html" }
Penny r.m replied sir, in reply to your answer for r=10cost in cylinderical coordinates. if we follow the same method as you explained to sketch r=sin(t/2),i expected graph to be in only first two quadrants, but the graph was covering all four quadrants ? If $0 < \theta <2 \pi$ then $0< \large \frac{\theta}{2} \normalsize < \pi$ and $\sin \left(\large \frac{\theta}{2}\right) >0.$ Thus, for example if $\theta = \large \frac{3 \pi}{2}$ then $r = \sin \left(\frac{\theta}{2}\right) = \sin \left(\frac{3 \pi}{4}\right) = \frac{1}{\sqrt 2} = 0.70711$
{ "domain": "uregina.ca", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9899864293768269, "lm_q1q2_score": 0.8872767070004375, "lm_q2_score": 0.8962513835254865, "openwebmath_perplexity": 162.56082261370122, "openwebmath_score": 0.8632741570472717, "tags": null, "url": "http://mathcentral.uregina.ca/QQ/database/QQ.09.12/h/r.m.1.html" }
Is the blue area greater than the red area? Problem: A vertex of one square is pegged to the centre of an identical square, and the overlapping area is blue. One of the squares is then rotated about the vertex and the resulting overlap is red. Which area is greater? Let the area of each large square be exactly $1$ unit squared. Then, the area of the blue square is exactly $1/4$ units squared. The same would apply to the red area if you were to rotate the square $k\cdot 45$ degrees for a natural number $k$. Thus, I am assuming that no area is greater, and that it is a trick question $-$ although the red area might appear to be greater than the blue area, they are still the same: $1/4$. But how can it be proven? I know the area of a triangle with a base $b$ and a height $h\perp b$ is $bh\div 2$. Since the area of each square is exactly $1$ unit squared, then each side would also have a length of $1$. Therefore, the height of the red triangle area is $1/2$, and so $$\text{Red Area} = \frac{b\left(\frac 12\right)}{2} = \frac{b}{4}.$$ According to the diagram, the square has not rotated a complete $45$ degrees, so $b < 1$. It follows, then, that \begin{align} \text{Red Area} &< \frac 14 \\ \Leftrightarrow \text{Red Area} &< \text{Blue Area}.\end{align} Assertion: To conclude, the $\color{blue}{\text{blue}}$ area is greater than the $\color{red}{\text{red}}$ area. Is this true? If so, is there another way of proving the assertion? Thanks to users who commented below, I did not take account of the fact that the red area is not a triangle $-$ it does not have three sides! This now leads back to my original question on whether my hypothesis was correct. This question is very similar to this post. Source: The Golden Ratio (why it is so irrational) $-$ Numberphile from $14$:$02$.
{ "domain": "stackexchange.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9852713896101315, "lm_q1q2_score": 0.8872662344112534, "lm_q2_score": 0.9005297867852853, "openwebmath_perplexity": 527.2969854243514, "openwebmath_score": 0.7466034293174744, "tags": null, "url": "https://math.stackexchange.com/questions/2776158/is-the-blue-area-greater-than-the-red-area/2776166" }
Source: The Golden Ratio (why it is so irrational) $-$ Numberphile from $14$:$02$. • i think you can tile the red area 4 times to get the entire square – gt6989b May 11 '18 at 4:25 • Hint: the sum of the two red sides that don't touch the center is $1$. – dxiv May 11 '18 at 4:29 • @user477343 Glad the hint helped. You can make that into a full-fledged answer, and I'll +1 it. – dxiv May 11 '18 at 4:31 • Is this a problem from "Brilliant" – Rohan Shinde May 11 '18 at 4:32 • Note that purely from exam technique alone, the answer is likely to be "they are the same size". Indeed, the problem has not told you by how much the rotation occurs, and why privilege a rotation of $0$ over a rotation of some greater angle? This is not a proof; but the phrasing of the question has told you what answer to look for. (This is a more general point than your "it works this way for 45 degrees": this is a demonstration that no mathematical reasoning at all is required to exam-technique that the answer is "they're the same".) – Patrick Stevens May 11 '18 at 20:24 The four numbered areas are congruent. [Added later] The figure below is from a suggested edit by @TomZych, and it shows the congruent parts more clearly. Given all the upvotes to the (probably tongue-in-cheek) comment “This answer also deserves the tick for artistic reasons,” I’m leaving my original “artistic” figure but also adding Tom’s improved version to my answer.
{ "domain": "stackexchange.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9852713896101315, "lm_q1q2_score": 0.8872662344112534, "lm_q2_score": 0.9005297867852853, "openwebmath_perplexity": 527.2969854243514, "openwebmath_score": 0.7466034293174744, "tags": null, "url": "https://math.stackexchange.com/questions/2776158/is-the-blue-area-greater-than-the-red-area/2776166" }
• This answer also deserves the tick for artistic reasons. – BenM May 11 '18 at 6:09 • A great example of "proof by picture" that actually works. – Bristol May 11 '18 at 14:46 • This is not the same as the answer by Ross and Zoltan. I like this one better. Theirs was the first that came to my mind, too. – Carsten S May 11 '18 at 23:09 • Can Wolfram Alpha draw that? – Willtech May 12 '18 at 2:44 • @FrankShmrank The original poster asked within the question how it can be proven that the red area equals 1/4 (which would settle the title question). My answer makes it clear (without a formal proof, but in proof-by-picture, that’s par for the course) that the red area is one of four congruent areas that partition the unit square, so its area is 1/4. I agree my answer is less than a complete proof of the original question, but I think (and I guess many upvoters think) that it’s convincing. There are other excellent answers that are more traditionally proof-like, so upvote your favorite(s). – Steve Kass May 19 '18 at 17:14 I think sketching the two identical triangles marked with green below makes this rather intuitive. This could also be turned into a formal proof quite easily.
{ "domain": "stackexchange.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9852713896101315, "lm_q1q2_score": 0.8872662344112534, "lm_q2_score": 0.9005297867852853, "openwebmath_perplexity": 527.2969854243514, "openwebmath_score": 0.7466034293174744, "tags": null, "url": "https://math.stackexchange.com/questions/2776158/is-the-blue-area-greater-than-the-red-area/2776166" }
• This method is similar to @RossMillikan 's answer above, but not quite the same :) I have to wait $9$ hours before I can upvote as I have reached my daily limit... but when I can, $$(+1)$$ – Mr Pie May 11 '18 at 15:00 • It's not only similar, now that I read that solution, it's actually the exact same idea. Unfortunatly that answer didn't contain any images and I just looked at the images before posting my own answer. :) – Zoltan May 11 '18 at 15:05 • Well congratulations on your first answer on the MSE! Yours is still a good answer :)) – Mr Pie May 11 '18 at 15:08 • This is the clearest image to understand. +1 – qwr May 12 '18 at 20:36 • @qwr Indeed! If only I could grab this answer and drag it below the accepted answer. That way, nobody would have to scroll all the way down to see this. It is my own answer that should probably be at the very bottom :) – Mr Pie May 13 '18 at 1:52 Note that for equal angles $\angle A'OB' = \angle AOB = 90^\circ$, when we subtract a common part $\angle A'OB$ from both sides, we have $\angle AOA' = \angle BOB'$, so the red and cyan triangles are congruent: $\triangle AOA' \sim \triangle BOB'$. That implies their areas are equal, and when we add a common part $\triangle A'OB$ we get area of the $AOB$ triangle equal to the area of the $A'OB'B$ quadrilateral. Finally, the area of the two squares' common part is constant, independent on the square's rotation angle. • Shouldn't be $\angle AOA' = \angle BOB'$? – Pedro May 13 '18 at 3:59 • @Petro Right, thank you. – CiaPan May 13 '18 at 7:10 • Do you mean to say that $\Delta AOA' \color{red}{\cong} \Delta BOB'$? – Mr Pie May 14 '18 at 3:08 • This is the way I saw it – MichaelChirico May 15 '18 at 2:59
{ "domain": "stackexchange.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9852713896101315, "lm_q1q2_score": 0.8872662344112534, "lm_q2_score": 0.9005297867852853, "openwebmath_perplexity": 527.2969854243514, "openwebmath_score": 0.7466034293174744, "tags": null, "url": "https://math.stackexchange.com/questions/2776158/is-the-blue-area-greater-than-the-red-area/2776166" }
The two areas are equal. On the diagram with the red area draw the vertical and horizontal lines that define the blue area. The red area has a triangular region added to the left of the blue area and a triangular region above and to the right removed from the blue area. Those two triangles are congruent. • I see what you mean. There was no need to describe the result when drawing the vertical and horizontal lines that define the blue area on the diagram of the red area $-$ it was clear as day that they would be equal after looking at the newly formed triangles! I like your method of showing they were equal :) $$(+1)$$ – Mr Pie May 11 '18 at 5:29 By pinning a square's vertex to the center of the other, you guarantee a 90 degree slice outwards. This means we could tile 4 slices perfectly. A square has rotational symmetry of n=4. Since the rotation number is an integer multiple of the slice number, the area is invariant of rotation. You can apply this generally as well. A 120 degree slice of an equilateral triangle will be invariant. A 60 degree slice of a uniform hexagon will too. 120 degrees will work for the hexagon as well since that's 3 slices on a rotation number of 6.
{ "domain": "stackexchange.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9852713896101315, "lm_q1q2_score": 0.8872662344112534, "lm_q2_score": 0.9005297867852853, "openwebmath_perplexity": 527.2969854243514, "openwebmath_score": 0.7466034293174744, "tags": null, "url": "https://math.stackexchange.com/questions/2776158/is-the-blue-area-greater-than-the-red-area/2776166" }
• FWIW I like this answer the best. It is a simple, brief proof that uses clear logic instead of math. – Bohemian May 12 '18 at 14:28 • @Bohemian, the reasoning is of course maths. – Carsten S May 12 '18 at 23:24 • @carsten but it’s basic geometry, without any calculations, arithmetic or formulae, such that someone without any mathematical know-how could follow. It’s only barely maths (and I’m not in the mood to play semantics) – Bohemian May 13 '18 at 8:37 • @Bohemian: Whatever mood you are in, this is very much a mathematical answer. Looking for ideas like this will help you find solutions when manipulating formulæ gets you stuck. – PJTraill May 13 '18 at 21:39 • @Bohemian, I may be a bit touchy on this subject, I hope I did not come across as rude. It is just that a recognize a misconception of what is mathematical in this, even though you may not hold it. It reminds me of beginners asking questions on how they can make their perfectly fine argument "more mathematical", by which they mean that they feel that they should use formulas. – Carsten S May 14 '18 at 15:37 Let $f(\alpha)$ be the length of the segment from the center of the square to the outside of the square on the line at an angle of $\alpha$ degrees from the horizontal line pointing right. Suppose that the first side of the square (in counterclockwise order) makes an angle of $\alpha$, then area you want is $\int\limits_{\alpha}^{\alpha+\frac{\pi}{2}} \frac{f(x)^2}{2} dx$ and since $f$ is periodic with period $\frac{\pi}{2}$ this is independent of $\alpha$.
{ "domain": "stackexchange.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9852713896101315, "lm_q1q2_score": 0.8872662344112534, "lm_q2_score": 0.9005297867852853, "openwebmath_perplexity": 527.2969854243514, "openwebmath_score": 0.7466034293174744, "tags": null, "url": "https://math.stackexchange.com/questions/2776158/is-the-blue-area-greater-than-the-red-area/2776166" }
• This is much too advanced for my skill level. $$(+1)$$ – Mr Pie May 11 '18 at 4:35 • in hindsight the other approach is better, but looking at it from the calculus point of view probably wont hurt :) – Jorge Fernández Hidalgo May 11 '18 at 4:36 • I am a high school student who is familiar with integrals and radians... but the statement, "$f$ is periodic," I don't know what that means. Is it ok if you could explain to me? Other than that, your answer is great! Thanks :) – Mr Pie May 11 '18 at 4:38 • @AHB yeah I do. In my opinion, it is an act of kindness, especially when one has at least $-3$ downvotes or lower. However, I let the user know what I believe is (or might be) wrong with their question as if I did put a downvote. Also, I think there are some badges earnt when using all the upvotes in one day or something like that, idk for sure. I have only ever downvoted $1$ post, only to earn a badge of my first donwvote. – Mr Pie May 12 '18 at 10:03 • @user477343 Yup, two actually, both bronze, 'Suffrage: 30 votes in a day', 'Vox Populi: all 40'. – Artemis Fowl May 19 '18 at 13:19 $\hspace{5cm}$ $$b^2+b^2=(a-c)^2+c^2 \Rightarrow \frac{b^2}{2}=\frac{(a-c)^2+c^2}{4}\\ S=\frac{b^2}{2}+\frac{(a-c)c}{2}=\frac{(a-c)^2+c^2+2(a-c)c}{4}=\frac{a^2}{4}.$$
{ "domain": "stackexchange.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9852713896101315, "lm_q1q2_score": 0.8872662344112534, "lm_q2_score": 0.9005297867852853, "openwebmath_perplexity": 527.2969854243514, "openwebmath_score": 0.7466034293174744, "tags": null, "url": "https://math.stackexchange.com/questions/2776158/is-the-blue-area-greater-than-the-red-area/2776166" }
• The number of ways one can work this out is amazing!! Also, your answer is pure math(s)! However, I have to wait $1$ hour before I can upvote as I have reached my daily voting limit. $$(+1)$$ – Mr Pie May 16 '18 at 22:47 • Could you elaborate on how you can assert that the 2 bs are actually equal to each other? – Frank Shmrank May 19 '18 at 14:52 • @FrankShmrank, such problems help intuitive thinking and imagination. If the lower square turns clockwise, its top two sides will turn to the same angle with respect to their original positions and the sides $b$-$b$ will increase equally. – farruhota May 19 '18 at 16:21 • @FrankShmrank I had the same problem, and then I deleted my comment and put up a new one (namely, my current one above) because I found out that by looking at the accepted answer, if the four triangles are congruent, then the two $b$s are equal to each other :) – Mr Pie May 20 '18 at 8:03 Solution: Although the red area is not a triangle, the sum of its sides that do not touch the centre is equal to $1$. This can only mean that no matter how many degrees the square is rotated, no area will be greater; the red area will always be equal to the blue area, i.e. $$\frac 14$$ Credit to @dxiv who pointed this out as a hint in a comment! • This is similar to Captain Morgan’s answer,but I find it less clearly expressed than that. – PJTraill May 13 '18 at 21:42 • @PJTraill Yes, you are correct $-$ Captain Morgan has a much better answer :) – Mr Pie May 13 '18 at 21:49 If we use $$\overline{FB}$$ for the base of $$\triangle FEB$$, then its altitude is $$\frac 12s$$. If we use $$\overline{BG}$$ for the length of the base of $$\triangle BEG$$, then its altitude is $$\frac 12s$$. So the area of $$\square FBGE$$ is $$\frac 12(\frac 12s)(s-x) + \frac 12(\frac 12s)(x) = \frac 14s^2$$. Which is one-fourth of the area of the square.
{ "domain": "stackexchange.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9852713896101315, "lm_q1q2_score": 0.8872662344112534, "lm_q2_score": 0.9005297867852853, "openwebmath_perplexity": 527.2969854243514, "openwebmath_score": 0.7466034293174744, "tags": null, "url": "https://math.stackexchange.com/questions/2776158/is-the-blue-area-greater-than-the-red-area/2776166" }
The advantage of this method is that it allows you to break the square into $$n$$ pieces of equal area quite easily. In fact, the same method applies to an regular polygon. • Thank you for letting me know. The diagram was very clear, and this method is very much applicable to the problem. $$(+1)$$ (in at least $19$ hours $-$ I have reached my daily voting limit). Also, how did you construct the picture? – Mr Pie May 16 '18 at 4:03 • I used GeoGebra. – steven gregory May 16 '18 at 4:48 • Thank you, again, for telling me :) – Mr Pie May 16 '18 at 6:55 • This is by far the best answer as it doesn't assert anything that isn't given. All the other answers assert things that aren't necessarily known. It's sad that the chosen answer was chosen because that user had the lowest rep. – Frank Shmrank May 19 '18 at 14:55 • @FrankShmrank all the answers are great, imho. – Mr Pie May 20 '18 at 8:02 The two areas are equal. On the diagram with the red area draw the vertical and horizontal lines that define the blue area. The red area has a triangular region added to the left of the blue area and a triangular region above and to the right removed from the blue area. Those two triangles are congruent.
{ "domain": "stackexchange.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9852713896101315, "lm_q1q2_score": 0.8872662344112534, "lm_q2_score": 0.9005297867852853, "openwebmath_perplexity": 527.2969854243514, "openwebmath_score": 0.7466034293174744, "tags": null, "url": "https://math.stackexchange.com/questions/2776158/is-the-blue-area-greater-than-the-red-area/2776166" }
# Is it possible to cover a $8 \times8$ board with $2 \times 1$ pieces? We have a $8\times 8$ board, colored with two colors like a typical chessboard. Now, we remove two squares of different colour. Is it possible to cover the new board with two-color pieces (i.e. domino pieces)? I think we can, as after the removal of the two squares, we are left with $64-2=62$ squares with $31$ squares of each colour, and - since the domino piece covers two colours - we can cover the new board with domino pieces. But how should one justify it mathematically? • It's possible to remove four squares, two of each color, and not cover the remaining with dominos, because the new set is disconnected. So you need to know more than that there are 31 of each color. Oct 15 '16 at 16:49 • Your constraints are valid. But there must be more constraints. Such that the colours alternate on the board, that dominos are made of two different colours, next to each other. Then the shape of the board. – mvw Oct 15 '16 at 17:05 • @mvw "like a typical chessboard" should cover all of that. Oct 15 '16 at 17:11 • @JMoravitz That was not my point. The problem is clear. It is about the proof attempt. hetajr just cared about a subset of all constraints that play a role here. – mvw Oct 15 '16 at 17:13 • @ThomasAndrews Ah cutting off two corners, leaving single corner stones. – mvw Oct 15 '16 at 17:23 Assume without loss of generality that the two squares to be removed are in different rows. (Otherwise turn the board 90°). First cover the board in horizontal dominoes, and connect the two squares by a zig-zag line like this:
{ "domain": "stackexchange.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9867771763033943, "lm_q1q2_score": 0.8872324611517786, "lm_q2_score": 0.8991213847035617, "openwebmath_perplexity": 394.3810688424373, "openwebmath_score": 0.6660507917404175, "tags": null, "url": "https://math.stackexchange.com/questions/1969751/is-it-possible-to-cover-a-8-times8-board-with-2-times-1-pieces" }
which follows the rule that if the line goes through one end of a domino, it immediately connects to another end. (The requirement that the two squares have different colors ensure that this will be true of the end of the path if only we start out in the right direction for this to hold at the beginning). Now you can flip dominoes along the zig-zag line to produce a covering that avoids the two squares. With a bit of (easy) special-casing for the same-row case, this strategy can be extended to any size board as long as one of the side lengths is even and the other is $\ge 2$. • I do not get the flipping. But it seems clear the length of the zig zag line is a multiple of two, as is the reduced line, so it can be covered. – mvw Oct 15 '16 at 17:31 • @mvw: Initially every other of the square boundaries crossed by the red line was covered by a domino. By "flipping" I mean to instead cover the other half of the boundaries by dominos. Oct 15 '16 at 17:36 • weren't you lucky that the top and bottom part had an even number of squares ? Oct 16 '16 at 13:23 • @mercio: If the top endpoint had been at an even column, I would just have started going left instead of right. This means that the zig-zag line would always enter each of the original dominoes at the end that has the same color as the top endpoint, so the bottom endpoint will always be reached at the end of a domino. Oct 16 '16 at 13:33 From a graph theory point of view, this can be seen as a "matching problem" on a bipartite graph. The nodes of the graph are the squares remaining. Two nodes have an edge in the graph if the squares are neighbors - that is, if the two squares can be covered by a single domino. Obviously, in any edge, one square is white, the other black, hence the "bipartite" nature of this graph. So you are seeking to show there is a perfect matching for any such graph.
{ "domain": "stackexchange.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9867771763033943, "lm_q1q2_score": 0.8872324611517786, "lm_q2_score": 0.8991213847035617, "openwebmath_perplexity": 394.3810688424373, "openwebmath_score": 0.6660507917404175, "tags": null, "url": "https://math.stackexchange.com/questions/1969751/is-it-possible-to-cover-a-8-times8-board-with-2-times-1-pieces" }
So you are seeking to show there is a perfect matching for any such graph. There is a general theorem about when there is a perfect matching for a bipartite graph, called Hall's Theorem or Hall's Marriage Theorem. It is possibly overkill for this question - induction is likely the better approach. Per the discussion on Henning's answer, it is actually possible to prove your theorem directly using a "Hamilton cycle" on the chess board. Consider the loop path on the board: $$\begin{matrix}1&2&3&4&5&6&7&8\\ 64&15&14&13&12&11&10&9\\ 63&16&17&18&19&20&21&22\\ 62&29&28&27&26&25&24&23\\ 61&30&31&32&33&34&35&36\\ 60&43&42&41&40&39&38&37\\ 59&44&45&46&47&48&49&50\\ 58&57&56&55&54&53&52&51 \end{matrix}$$ So we have walked in a circle, and, if the upper left is black, then we have that odd numbers on black and the even numbers on white. If we unwind this, and consider it 64 beads in a circle, alternating black and white, then if we remove/cut away one black and one white bead, we are either left with one string of 62 beads alternating black/white, which lets us cover those with dominos, or two seperate strings. With two strings, here is the key: because we cut away one black and one white bead, those two strands are of even length. For example, if we removed the square at 12 and the square at 23, then we could get the domino placement: $$(13,14),(15,16),(17,18),(19,20),(21,22), \\(24,25),\dots,(62,63),(64,1),(2,3),(4,5),(6,7),(8,9),(10,11).$$ This can be generalized as: "If a bipartite graph has a Hamiltonian cycle, then if you remove one node from each of the parts, you can still get a perfect matching." In particular, this argument works for any $2n\times m$ board, because we can get a "King's cycle tour" on any such board. For example, a $3\times 4$ board: $$\begin{matrix} 1 & 2& 3&4\\ 12& 9& 8&5\\ 11&10& 7&6 \end{matrix}$$
{ "domain": "stackexchange.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9867771763033943, "lm_q1q2_score": 0.8872324611517786, "lm_q2_score": 0.8991213847035617, "openwebmath_perplexity": 394.3810688424373, "openwebmath_score": 0.6660507917404175, "tags": null, "url": "https://math.stackexchange.com/questions/1969751/is-it-possible-to-cover-a-8-times8-board-with-2-times-1-pieces" }
$$\begin{matrix} 1 & 2& 3&4\\ 12& 9& 8&5\\ 11&10& 7&6 \end{matrix}$$ • (+1) Interesting approach. In this framework, we just need to check that the hypothesis of Hall's theorem are met, i.e. that for any subset of white (or black) squares in the truncated chessboard, their neighbourhood has a larger cardinality, and that is clearly true. Oct 15 '16 at 17:46 • (on the other hand, induction is just the usual way for proving Hall's theorem) Oct 15 '16 at 17:54 • Hmm, yes, I suppose you could prove that for a subset of $k$ white squares on the uncut board, with $0<k<32$, the set of neighboring black squares has at least $k+1$ elements, then you can apply Hall's theorem to the cut board. @JackD'Aurizio Oct 15 '16 at 18:31 • And that can indeed be proved. (Posted as a separate answer so I can show diagrams). @JackD'Aurizio too. Oct 15 '16 at 20:50 Hint: A promising strategy is to prove that the claim If we remove two opposite-colored squares from a $2m\times 2m$ chessboard, we may tile the remaining part with $2\times 1$ dominoes. by induction on $m$. The case $m=1$ is trivial. Assume that the claim holds for some $m\geq 1$ and consider a $(2m+2)\times (2m+2)$ chessboard. If both the removed squares do not lie on the boundary of the chessboard, there is nothing to prove. Hence we may assume that at least one of the removed squares lies on the boundary. And we may also start tiling by following a spiral, starting next to the removed square on the boundary: Another interesting idea is just to place $31$ non-overlapping dominoes on a $8\times 8$ chessboard and start playing Sokoban with the placed dominoes, in order to free the wanted squares. • I like this one the best so far. Still thinking about it. – mvw Oct 15 '16 at 17:19 • You might be able to prove this form $2m\times n$ for any $n>1$, which makes it easier to do the induction. Oct 15 '16 at 17:42 • @ThomasAndrews: true. Interesting remark, thanks. Oct 15 '16 at 17:53
{ "domain": "stackexchange.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9867771763033943, "lm_q1q2_score": 0.8872324611517786, "lm_q2_score": 0.8991213847035617, "openwebmath_perplexity": 394.3810688424373, "openwebmath_score": 0.6660507917404175, "tags": null, "url": "https://math.stackexchange.com/questions/1969751/is-it-possible-to-cover-a-8-times8-board-with-2-times-1-pieces" }
Completing an approach suggested by Thomas Andrews, if we can show that on the complete chessboard any proper subset of the white squares have more black neighbors than it has members, then Hall's marriage theorem will apply to the chessboard with two squares erased. Suppose therefore, that a proper subset of the white squares are given. Since the red and green lines in the following diagram connect all the white squares, there will be at least one red or green line that goes from a square in the subset to a square outside of it: Assume without loss of generality that there is a red line joining a square in the subset to a square outside the subset. (Otherwise mirror everything around the white diagonal). Now pair up each white square with the black neighbor it is connected to by a blue line in this diagram: This gives one neighboring black square for each white square. However the white square with a diagonal-partner that is not selected is additionally neighbor to the non-selected square's black partner which is not otherwise used. So, as desired, our set of white squares has more black neighbors in total than there are white squares in the set.
{ "domain": "stackexchange.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9867771763033943, "lm_q1q2_score": 0.8872324611517786, "lm_q2_score": 0.8991213847035617, "openwebmath_perplexity": 394.3810688424373, "openwebmath_score": 0.6660507917404175, "tags": null, "url": "https://math.stackexchange.com/questions/1969751/is-it-possible-to-cover-a-8-times8-board-with-2-times-1-pieces" }
• Very nice! I couldn't quite find that zig-zag argument while trying to find the "extra" black square. Oct 15 '16 at 21:39 • @ThomasAndrews: Actually this is, on further thought, still more complicated than it needs to be. Just fix a Hamiltonian circuit on the board (necessarily with alternating white and black squares) and then just count neighbors along that circuit for each run of selected white squares. Oct 15 '16 at 22:47 • of course, once you have a Hamiltonian circuit, you actually don't need Hall's theorem. Just remove your two nodes, and you get one or two paths, both of even lengths. Oct 15 '16 at 23:21 • @ThomasAndrews: Indeed. I would update my main answer, except I would have to make new diagrams ... Oct 15 '16 at 23:22 • Okay, I updated my answer with the non-Hall Hamiltonian cycle answer. Oct 16 '16 at 12:57 Yes. Consider the board initially covered with dominoes. After the two squares have been removed, the board has two holes. If the two holes were in the same row, slide the dominoes between the holes until one of the holes is filled. This will leave two adjacent holes that can be covered by a domino. If the holes are in different rows, slide dominoes from the lower row to the upper row up until one of the holes is filled. That leaves the lower row with two holes which can be filled as described above. If the two rows are adjacent, slide the upper row left or right until its hole is filled and the hole has moved above the hole in the next row. This can be filled by a domino. • How does this answer make use of the information that the holes are on squares of different colour? – HTFB Oct 15 '16 at 17:02 • "Slide dominoes" won't work if the holes are in column 2 and 3 of the same row. Oct 15 '16 at 17:11 • I think this answer is wrong because if the holes are of the same colour, then it should not work. Oct 15 '16 at 17:17
{ "domain": "stackexchange.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9867771763033943, "lm_q1q2_score": 0.8872324611517786, "lm_q2_score": 0.8991213847035617, "openwebmath_perplexity": 394.3810688424373, "openwebmath_score": 0.6660507917404175, "tags": null, "url": "https://math.stackexchange.com/questions/1969751/is-it-possible-to-cover-a-8-times8-board-with-2-times-1-pieces" }
As we begin to compile a list of convergent and divergent series, new ones can sometimes be analyzed by comparing them to ones that we already understand. Example 11.5.1 Does $\ds\sum_{n=2}^\infty {1\over n^2\ln n}$ converge? The obvious first approach, based on what we know, is the integral test. Unfortunately, we can't compute the required antiderivative. But looking at the series, it would appear that it must converge, because the terms we are adding are smaller than the terms of a $p$-series, that is, $${1\over n^2\ln n}< {1\over n^2},$$ when $n\ge3$. Since adding up the terms $\ds 1/n^2$ doesn't get "too big'', the new series "should'' also converge. Let's make this more precise. The series $\ds\sum_{n=2}^\infty {1\over n^2\ln n}$ converges if and only if $\ds\sum_{n=3}^\infty {1\over n^2\ln n}$ converges—all we've done is dropped the initial term. We know that $\ds\sum_{n=3}^\infty {1\over n^2}$ converges. Looking at two typical partial sums: $$s_n={1\over 3^2\ln 3}+{1\over 4^2\ln 4}+{1\over 5^2\ln 5}+\cdots+ {1\over n^2\ln n} < {1\over 3^2}+{1\over 4^2}+ {1\over 5^2}+\cdots+{1\over n^2}=t_n.$$ Since the $p$-series converges, say to $L$, and since the terms are positive, $\ds t_n< L$. Since the terms of the new series are positive, the $\ds s_n$ form an increasing sequence and $\ds s_n< t_n< L$ for all $n$. Hence the sequence $\ds \{s_n\}$ is bounded and so converges. $\square$ Sometimes, even when the integral test applies, comparison to a known series is easier, so it's generally a good idea to think about doing a comparison before doing the integral test. Example 11.5.2 Does $\ds\sum_{n=1}^\infty {|\sin n|\over n^2}$ converge? We can't apply the integral test here, because the terms of this series are not decreasing. Just as in the previous example, however, $${|\sin n|\over n^2}\le {1\over n^2},$$ because $|\sin n|\le 1$. Once again the partial sums are non-decreasing and bounded above by $\ds \sum 1/n^2=L$, so the new series converges. $\square$
{ "domain": "whitman.edu", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.991554375055462, "lm_q1q2_score": 0.8872324084765503, "lm_q2_score": 0.8947894646997281, "openwebmath_perplexity": 206.9080361925515, "openwebmath_score": 0.9562565684318542, "tags": null, "url": "https://www.whitman.edu/mathematics/calculus_online/section11.05.html" }
Like the integral test, the comparison test can be used to show both convergence and divergence. In the case of the integral test, a single calculation will confirm whichever is the case. To use the comparison test we must first have a good idea as to convergence or divergence and pick the sequence for comparison accordingly. Example 11.5.3 Does $\ds\sum_{n=2}^\infty {1\over\sqrt{n^2-3}}$ converge? We observe that the $-3$ should have little effect compared to the $\ds n^2$ inside the square root, and therefore guess that the terms are enough like $\ds 1/\sqrt{n^2}=1/n$ that the series should diverge. We attempt to show this by comparison to the harmonic series. We note that $${1\over\sqrt{n^2-3}} > {1\over\sqrt{n^2}} = {1\over n},$$ so that $$s_n={1\over\sqrt{2^2-3}}+{1\over\sqrt{3^2-3}}+\cdots+ {1\over\sqrt{n^2-3}} > {1\over 2} + {1\over3}+\cdots+{1\over n}=t_n,$$ where $\ds t_n$ is 1 less than the corresponding partial sum of the harmonic series (because we start at $n=2$ instead of $n=1$). Since $\ds\lim_{n\to\infty}t_n=\infty$, $\ds\lim_{n\to\infty}s_n=\infty$ as well. $\square$ So the general approach is this: If you believe that a new series is convergent, attempt to find a convergent series whose terms are larger than the terms of the new series; if you believe that a new series is divergent, attempt to find a divergent series whose terms are smaller than the terms of the new series. Example 11.5.4 Does $\ds\sum_{n=1}^\infty {1\over\sqrt{n^2+3}}$ converge? Just as in the last example, we guess that this is very much like the harmonic series and so diverges. Unfortunately, $${1\over\sqrt{n^2+3}} < {1\over n},$$ so we can't compare the series directly to the harmonic series. A little thought leads us to $${1\over\sqrt{n^2+3}} > {1\over\sqrt{n^2+3n^2}} = {1\over2n},$$ so if $\sum 1/(2n)$ diverges then the given series diverges. But since $\sum 1/(2n)=(1/2)\sum 1/n$, theorem 11.2.2 implies that it does indeed diverge. $\square$
{ "domain": "whitman.edu", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.991554375055462, "lm_q1q2_score": 0.8872324084765503, "lm_q2_score": 0.8947894646997281, "openwebmath_perplexity": 206.9080361925515, "openwebmath_score": 0.9562565684318542, "tags": null, "url": "https://www.whitman.edu/mathematics/calculus_online/section11.05.html" }
For reference we summarize the comparison test in a theorem. Theorem 11.5.5 Suppose that $\ds a_n$ and $\ds b_n$ are non-negative for all $n$ and that $\ds a_n\le b_n$ when $n\ge N$, for some $N$. If $\ds\sum_{n=0}^\infty b_n$ converges, so does $\ds\sum_{n=0}^\infty a_n$. If $\ds\sum_{n=0}^\infty a_n$ diverges, so does $\ds\sum_{n=0}^\infty b_n$. $\qed$ ## Exercises 11.5 Determine whether the series converge or diverge. Ex 11.5.1 $\ds\sum_{n=1}^\infty {1\over 2n^2+3n+5}$ (answer) Ex 11.5.2 $\ds\sum_{n=2}^\infty {1\over 2n^2+3n-5}$ (answer) Ex 11.5.3 $\ds\sum_{n=1}^\infty {1\over 2n^2-3n-5}$ (answer) Ex 11.5.4 $\ds\sum_{n=1}^\infty {3n+4\over 2n^2+3n+5}$ (answer) Ex 11.5.5 $\ds\sum_{n=1}^\infty {3n^2+4\over 2n^2+3n+5}$ (answer) Ex 11.5.6 $\ds\sum_{n=1}^\infty {\ln n\over n}$ (answer) Ex 11.5.7 $\ds\sum_{n=1}^\infty {\ln n\over n^3}$ (answer) Ex 11.5.8 $\ds\sum_{n=2}^\infty {1\over \ln n}$ (answer) Ex 11.5.9 $\ds\sum_{n=1}^\infty {3^n\over 2^n+5^n}$ (answer) Ex 11.5.10 $\ds\sum_{n=1}^\infty {3^n\over 2^n+3^n}$ (answer)
{ "domain": "whitman.edu", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.991554375055462, "lm_q1q2_score": 0.8872324084765503, "lm_q2_score": 0.8947894646997281, "openwebmath_perplexity": 206.9080361925515, "openwebmath_score": 0.9562565684318542, "tags": null, "url": "https://www.whitman.edu/mathematics/calculus_online/section11.05.html" }
# Finding sides on giant wooden cube • May 25th 2008, 01:49 PM annie3993 Finding sides on giant wooden cube A giant wooden cube is painted green on all 6 sides and then cut into 125identical, smaller cubes. How many of these smaller cubes are painted on exactly two faces? i got 72, but I don't think its right... THANX!! • May 25th 2008, 03:10 PM TheEmptySet Quote: Originally Posted by annie3993 A giant wooden cube is painted green on all 6 sides and then cut into 125identical, smaller cubes. How many of these smaller cubes are painted on exactly two faces? i got 72, but I don't think its right... THANX!! Maybe this diagram will help. P.S. Always try to draw a picture it really helps you see what is going on. Attachment 6507 It looks like four groups of 3 on the top four groups of 3 in the middle and four groups of 3 on the bottom. $4(3)+4(3)+4(3)=4(9)=36$ I hope this helps. • May 25th 2008, 03:22 PM Soroban Hello, annie3993! Quote: A giant wooden cube is painted green on all 6 sides and then cut into 125 identical smaller cubes. How many of these smaller cubes are painted on exactly two faces? This is a 5 × 5 × 5 cube. A cube has 6 faces, 12 edges, and 8 corners (vertices). Let's look at one face. Code:       * - * - * - * - * - *       | 3 | 2 | 2 | 2 | 3 |       * - * - * - * - * - *       | 2 | 1 | 1 | 1 | 2 |       * - * - * - * - * - *       | 2 | 1 | 1 | 1 | 2 |       * - * - * - * - * - *       | 2 | 1 | 1 | 1 | 2 |       * - * - * - * - * - *       | 3 | 2 | 2 | 2 | 3 |       * - * - * - * - * - * The nine cubes in the center have one face painted green. The four cubes in the corners have three faces painted green. On each edge, there are three cubes with two green faces. Since there are 12 edges, there are: $12 \times 3 \:=\:\boxed{36}$ cubes with two green faces. • May 25th 2008, 03:23 PM galactus See this thread. You may find it interesting. http://www.mathhelpforum.com/math-he...-question.html
{ "domain": "mathhelpforum.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.988312740283122, "lm_q1q2_score": 0.8872036920531113, "lm_q2_score": 0.8976952900545976, "openwebmath_perplexity": 660.7520826458308, "openwebmath_score": 0.6054979562759399, "tags": null, "url": "http://mathhelpforum.com/math-topics/39580-finding-sides-giant-wooden-cube-print.html" }
http://www.mathhelpforum.com/math-he...-question.html If yu go to the bottom you will see the general formula of 12(n-2). In your case, 12(5-2)=36
{ "domain": "mathhelpforum.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.988312740283122, "lm_q1q2_score": 0.8872036920531113, "lm_q2_score": 0.8976952900545976, "openwebmath_perplexity": 660.7520826458308, "openwebmath_score": 0.6054979562759399, "tags": null, "url": "http://mathhelpforum.com/math-topics/39580-finding-sides-giant-wooden-cube-print.html" }
# In how many ways can the letters in WONDERING be arranged with exactly two consecutive vowels In how many ways can the letters in WONDERING be arranged with exactly two consecutive vowels I solved and got answer as $90720$. But other sites are giving different answers. Please help to understand which is the right answer and why I am going wrong. My Solution Arrange 6 consonants $\dfrac{6!}{2!}$ Chose 2 slots from 7 positions $\dbinom{7}{2}$ Chose 1 slot for placing the 2 vowel group $\dbinom{2}{1}$ Arrange the vowels $3!$ Required number of ways: $\dfrac{6!}{2!}\times \dbinom{7}{2}\times \dbinom{2}{1}\times 3!=90720$ Solution taken from http://www.sosmath.com/CBB/viewtopic.php?t=6126) Solution taken from http://myassignmentpartners.com/2015/06/20/supplementary-3/ • Can you explain your working. Just putting down your calculation doesn't tell us why you chose to do them. – Ian Miller Nov 20 '16 at 14:30 • @sorry, edited the calculation and added the details. pl help. – Kiran Nov 20 '16 at 14:31 • I will point out that the solution in the excerpt solves a different problem. Your problem asks for "exactly two consecutive vowels", the excerpt's solution allows 3 consecutive vowels as well. As it says at the end "with at least two adjacent vowel" – ReverseFlow Nov 20 '16 at 14:36 • @Kiran You answer is right and their answer is wrong. I have added my explanation below. – user940 Nov 20 '16 at 15:12 • Checked with Python, the answer is indeed $90720$, deleted mine. – barak manos Nov 20 '16 at 15:13
{ "domain": "stackexchange.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9835969660413473, "lm_q1q2_score": 0.8871264501201356, "lm_q2_score": 0.9019206857566127, "openwebmath_perplexity": 385.5642050212766, "openwebmath_score": 0.7768173217773438, "tags": null, "url": "https://math.stackexchange.com/questions/2022700/in-how-many-ways-can-the-letters-in-wondering-be-arranged-with-exactly-two-conse" }
The number of arrangements with 3 consecutive vowels is correctly explained in the original post: the number is $15120$. To find the number of arrangements with at least two consecutive vowels, we duct tape two of them together (as in the original post) and arrive at $120960$. The problem with this calculation is that every arrangement with 3 consecutive vowels was double counted: once as $\overline{VV}V$ and again as $V\overline{VV}$. To compensate for this we must subtract $15120$. The correct number of arrangements with at least two consecutive vowels is $120960-15120=105840.$ Therefore, correct number of arrangements with exactly two consecutive vowels is $105840-15120=90720.$ The total number of ways of arranging the letters is $\frac{9!}{2!} = 181440$. Of these, let us count the cases where no two vowels are together. This is $$\frac{6!}{2!} \times \binom{7}{3}\times 3! = 75600$$ Again, the number of ways in which all vowels are together is 15120. Thus the number of ways in which exactly two vowels are together is $$181440 - 75600 - 15120 = 90720$$
{ "domain": "stackexchange.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9835969660413473, "lm_q1q2_score": 0.8871264501201356, "lm_q2_score": 0.9019206857566127, "openwebmath_perplexity": 385.5642050212766, "openwebmath_score": 0.7768173217773438, "tags": null, "url": "https://math.stackexchange.com/questions/2022700/in-how-many-ways-can-the-letters-in-wondering-be-arranged-with-exactly-two-conse" }
## Problem Set 1 #### Part 1 Show that $$A^TA \neq AA^T$$ in general. (Proof and demonstration.) Assume $$A^T A = A A^T$$ Consider matrix $$A_{m\times n}$$ where $$m \ne n$$. So $$A^T$$ will be the size of $$n \times m$$. Also $$AA^T$$ will be a matrix of size $$m\times m$$ and $$A^TA$$ will be a matrix of size $$n \times n$$. Since $$m \ne n$$, clearly these two matrices will not be equal. This is clearly a contradiction for all non-square matrix. But what about square matrices where $$m = n$$. Let’s see! Continue with this, consider a simple square matrix $$A_{2\times 2}$$. Let $$A= \left[ \begin{array}{cccc} a & b \\ c & d \\ \end{array} \right] \\$$ $$A^T = \left[ \begin{array}{cccc} a & c \\ b & d \\ \end{array} \right] \\$$ $$AA^T = \left[ \begin{array}{cccc} a^2+b^2 & ac+bd \\ ac+bd & c^2+cd \\ \end{array} \right] \\$$ $$A^TA = \left[ \begin{array}{cccc} a^2+b^2 & ab+cd \\ ab+cd & b^2+d^2 \\ \end{array} \right] \\$$ Clearly, it’s not always true $$\forall a,b,c,d$$. Therefore we conclude that $$A^TA \neq AA^T$$ . #### Part 2 For a special type of square matrix A, we get AT $$A^TA = AA^T$$ . Under what conditions could this be true? (Hint: The Identity matrix I is an example of such a matrix). This condition is true if and only if $$A = A^T$$. Transposing a matrix switches columns into rows, i.e. flips the values along the diagonal. The condition $$A^T = A$$ holds if the matrix is symmerical along the diagonal, just like the identity is. Example - consider the following symetric matrix A: $$A = \left[ \begin{array}{cccc} 1 & 2 \\ 2 & 3 \\ \end{array} \right] \\$$
{ "domain": "amazonaws.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9805806557900713, "lm_q1q2_score": 0.8870828231625593, "lm_q2_score": 0.9046505434556231, "openwebmath_perplexity": 3537.9408199576937, "openwebmath_score": 0.4530744254589081, "tags": null, "url": "https://rstudio-pubs-static.s3.amazonaws.com/572818_27642d4e2cf64ec98cb4d8bf3a7ca1e2.html" }
$$A = \left[ \begin{array}{cccc} 1 & 2 \\ 2 & 3 \\ \end{array} \right] \\$$ A <- matrix(c(1,2,2,3), ncol = 2) #transpose of A AT <- t(A) write('Printing A:', stdout()) ## Printing A: A ## [,1] [,2] ## [1,] 1 2 ## [2,] 2 3 write('Printing AT:', stdout()) ## Printing AT: AT ## [,1] [,2] ## [1,] 1 2 ## [2,] 2 3 write('Printing A*AT', stdout()) ## Printing A*AT A%*%AT ## [,1] [,2] ## [1,] 5 8 ## [2,] 8 13 write('Printing AT*A:', stdout()) ## Printing AT*A: AT %*% A ## [,1] [,2] ## [1,] 5 8 ## [2,] 8 13 ## Problem Set 2 Matrix factorization is a very important problem. There are supercomputers built just to do matrix factorizations. Every second you are on an airplane, matrices are being factorized. Radars that track flights use a technique called Kalman filtering. At the heart of Kalman Filtering is a Matrix Factorization operation. Kalman Filters are solving linear systems of equations when they track your flight using radars. Write an R function to factorize a square matrix A into LU or LDU, whichever youprefer. Please submit your response in an R Markdown document using our class naming convention, E.g. LFulton_Assignment2_PS2.png. You don’t have to worry about permuting rows of A and you can assume that A is less than 5x5, if you need to hard-code any variables in your code. If you doing the entire assignment in R, then please submit only one markdown document for both the problems. factorizeThis <- function(M) { dimentions <- dim(M) # check for square matrix if (dimentions[1] != dimentions[2]) return(NA) U <- M n <- dimentions[1] L <- diag(n) # if dim is 1, the U=A and L=[1] if (n == 1) return(list(L, U)) # loop through lower triangle # determine multiplier for(i in 2:n) { for(j in 1:(i - 1)) { multiplier <- -U[i, j] / U[j, j] U[i, ] <- multiplier * U[j, ] + U[i, ] L[i, j] <- -multiplier } } return(list('L' = L, 'U' = U)) } ### Test our function using this matrix:
{ "domain": "amazonaws.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9805806557900713, "lm_q1q2_score": 0.8870828231625593, "lm_q2_score": 0.9046505434556231, "openwebmath_perplexity": 3537.9408199576937, "openwebmath_score": 0.4530744254589081, "tags": null, "url": "https://rstudio-pubs-static.s3.amazonaws.com/572818_27642d4e2cf64ec98cb4d8bf3a7ca1e2.html" }
### Test our function using this matrix: $$A = \left[ \begin{array}{cccc} 1 & 4 & -3 \\ -2 & 8 & 5 \\ 3 & 4 & 7 \\ \end{array} \right] \\$$ A <- matrix(c(1,-2,3,4,8,4,-3,5,7), ncol = 3) a <- factorizeThis(A) write('Printing A:', stdout()) ## Printing A: A ## [,1] [,2] [,3] ## [1,] 1 4 -3 ## [2,] -2 8 5 ## [3,] 3 4 7 write('Printing Lower Triangular Matrix L:', stdout()) ## Printing Lower Triangular Matrix L: a$L ## [,1] [,2] [,3] ## [1,] 1 0.0 0 ## [2,] -2 1.0 0 ## [3,] 3 -0.5 1 write('Printing Upper Triangular Matrix U:', stdout()) ## Printing Upper Triangular Matrix U: a$U ## [,1] [,2] [,3] ## [1,] 1 4 -3.0 ## [2,] 0 16 -1.0 ## [3,] 0 0 15.5 Trying another one: $$B = \left[ \begin{array}{cccc} 1 & 4 & 7 \\ 2 & 5 & 8 \\ 3 & 6 & 9 \\ \end{array} \right] \\$$ B <- matrix(seq(1, 9), nrow = 3) b <- factorizeThis(B) write('Printing B:', stdout()) ## Printing B: B ## [,1] [,2] [,3] ## [1,] 1 4 7 ## [2,] 2 5 8 ## [3,] 3 6 9 write('Printing Lower Triangular Matrix L:', stdout()) ## Printing Lower Triangular Matrix L: b$L ## [,1] [,2] [,3] ## [1,] 1 0 0 ## [2,] 2 1 0 ## [3,] 3 2 1 write('Printing Upper Triangular Matrix U:', stdout()) ## Printing Upper Triangular Matrix U: b$U ## [,1] [,2] [,3] ## [1,] 1 4 7 ## [2,] 0 -3 -6 ## [3,] 0 0 0
{ "domain": "amazonaws.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9805806557900713, "lm_q1q2_score": 0.8870828231625593, "lm_q2_score": 0.9046505434556231, "openwebmath_perplexity": 3537.9408199576937, "openwebmath_score": 0.4530744254589081, "tags": null, "url": "https://rstudio-pubs-static.s3.amazonaws.com/572818_27642d4e2cf64ec98cb4d8bf3a7ca1e2.html" }
# Evaluate the sum of the reciprocals #### anemone ##### MHB POTW Director Staff member Given $p+q+r+s=0$ $pqrs=1$ $p^3+q^3+r^3+s^3=1983$ Evaluate $\dfrac{1}{p}+\dfrac{1}{q}+\dfrac{1}{r}+\dfrac{1}{s}$. #### mente oscura ##### Well-known member Given $p+q+r+s=0$ $pqrs=1$ $p^3+q^3+r^3+s^3=1983$ Evaluate $\dfrac{1}{p}+\dfrac{1}{q}+\dfrac{1}{r}+\dfrac{1}{s}$. Hello. $$\dfrac{1}{p}+\dfrac{1}{q}+\dfrac{1}{r}+\dfrac{1}{s}=$$ $$=qrs+prs+pqs+pqr=$$ $$=qrs+prs+rrs+srs-rrs-srs+pqs+pqr=$$ $$=-rrs-srs+pqs+pqr$$, (*) $$(p+q)^3=-(r+s)^3$$ $$p^3+3p^2q+3pq^2+q^3=-r^3-3r^2s-3rs^2-s^3$$ $$1983+3p^2q+3pq^2=-3r^2s-3rs^2$$ $$661+p^2q+pq^2=-r^2s-rs^2$$, (**) For (*) and (**): $$\dfrac{1}{p}+\dfrac{1}{q}+\dfrac{1}{r}+\dfrac{1}{s}=$$ $$=661+p^2q+pq^2+pqs+pqr=$$ $$=661+pq(p+q+s+r)=661$$ Regards. #### MarkFL Staff member I would first combine terms in the expression we are asked to evaluate: $$\displaystyle \frac{1}{p}+\frac{1}{q}+\frac{1}{r}+\frac{1}{s}= \frac{qrs+prs+pqs+pqr}{pqrs}$$ Since $$\displaystyle pqrs=1$$, we may write: $$\displaystyle \frac{1}{p}+\frac{1}{q}+\frac{1}{r}+\frac{1}{s}=qrs+prs+pqs+pqr$$ Next, take the first given equation and cube it to obtain: $$\displaystyle (p+q+r+s)^3=0$$ This may be expanded and arranged as: $$\displaystyle -2\left(p^3+q^3+r^3+s^3 \right)+ 6(qrs+prs+pqs+pqr)+ 3(p+q+r+s)\left(p^2+q^2+r^2+s^2 \right)=0$$ Since $p+q+r+s=0$ and $p^3+q^3+r^3+s^3=1983$, we obtain: $$\displaystyle -2\cdot1983+6\left(qrs+prs+pqs+pqr \right)=0$$ $$\displaystyle qrs+prs+pqs+pqr=\frac{1983}{3}=661$$ And so we may therefore conclude: $$\displaystyle \frac{1}{p}+\frac{1}{q}+\frac{1}{r}+\frac{1}{s}=661$$ #### Klaas van Aarsen ##### MHB Seeker Staff member Given $p+q+r+s=0$ $pqrs=1$ $p^3+q^3+r^3+s^3=1983$ Evaluate $\dfrac{1}{p}+\dfrac{1}{q}+\dfrac{1}{r}+\dfrac{1}{s}$. Now that I have just explored Newton's Identities, this is fun. Let's define $Σ$ such that $Σp^3 = p^3+q^3+r^3+s^3$. And for instance $Σpqr = pqr + pqs + prs + qrs$.
{ "domain": "mathhelpboards.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9881308817498917, "lm_q1q2_score": 0.8870404357998608, "lm_q2_score": 0.8976952873175983, "openwebmath_perplexity": 6902.302822776169, "openwebmath_score": 0.932515025138855, "tags": null, "url": "https://mathhelpboards.com/threads/evaluate-the-sum-of-the-reciprocals.8286/" }
Then from Newton's Identies we have: $$Σp^3 = ΣpΣp^2 - ΣpqΣp + 3Σpqr$$ Since $Σp = 0$, this simplifies to: $$Σp^3 = 3Σpqr = 1983$$ Therefore: $$Σpqr = 661$$ Since $pqrs=1$, we get by multiplying with $pqrs$: $$\dfrac{1}{p}+\dfrac{1}{q}+\dfrac{1}{r}+\dfrac{1}{s} = Σpqr = 661 \qquad \blacksquare$$ #### jacks ##### Well-known member $\displaystyle \frac{1}{p}+\frac{1}{q}+\frac{1}{r}+\frac{1}{s} = \frac{pqrs}{p}+\frac{pqrs}{q}+\frac{rspq}{r}+\frac{pqrs}{s}$ (using $pqrs = 1$) So $\displaystyle \frac{1}{p}+\frac{1}{q}+\frac{1}{r}+\frac{1}{s} = \left(pqr+qrs+rsp+spq\right)$ Given $p+q+r+s = 0\Rightarrow (p+q)^3 = -(r+s)^3\Rightarrow p^3+q^3+3pq(p+q) = r^3+s^3+3rs(r+s)$ again using $p+q=-(r+s)$ and $(r+s) = -(p+q)$ So we get $p^3+q^3+r^3+s^3 = 3\left(pqr+qrs+rsp+spq\right)$ Given $1983 = 3\left(pqr+qrs+rsp+spq\right)$ So $\displaystyle \frac{1}{p}+\frac{1}{q}+\frac{1}{r}+\frac{1}{s} = \left(pqr+qrs+rsp+spq\right) = \frac{1983}{3} = 661$ #### anemone ##### MHB POTW Director Staff member Thanks to mente oscura, MarkFL, I like Serena and jacks for participating and it feels so great to receive so many replies to my challenge problem and my way of attacking it is exactly the same as jacks's solution.
{ "domain": "mathhelpboards.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9881308817498917, "lm_q1q2_score": 0.8870404357998608, "lm_q2_score": 0.8976952873175983, "openwebmath_perplexity": 6902.302822776169, "openwebmath_score": 0.932515025138855, "tags": null, "url": "https://mathhelpboards.com/threads/evaluate-the-sum-of-the-reciprocals.8286/" }
# SPRNMBRS - Editorial Author: Kanstantsin Sokal Tester: Jingbo Shang Editorialist: Lalit Kundu Easy-medium ### PREREQUISITES: number theory, euler totient ### PROBLEM: \phi(N) is defined as the number of positive integers less than or equal to N that are coprime with N. Let’s call a positive integer N a super number if N can be divided by \phi(N) without a remainder. You are given two positive integers L and R. Your task is to find count of super numbers in the range [L, R]. ### QUICK EXPLANATION: ====================== Note that \phi(N) = N*\frac{(p_1 - 1) * (p_2 - 1) * ... * (p_n - 1)}{p_1*p_2*...*p_n}. That means, (p_1 - 1) * (p_2 - 1) * ... * (p_n - 1) should divide p_1*p_2*...*p_n which is possible only when • n=0 • n=1 and p_1=2 • n=2 and p_1=2 and p_2=3. That is, count numbers of form N = 2^a * 3^b where a \gt 0 and b \ge 0 in range [L, R] which can be done in log_{2}{R}*log_{3}{R}. Also don’t forget to count N = 1 if in range [L, R]. ### EXPLANATION: ================ You need to know about about two important properties of Euler’s Totient Function \phi(n). • The function \phi(n) is multiplicative i.e. if \text{gcd}(m, n) = 1, then \phi(mn) = \phi(m) * \phi(n). • Let’s see what is value of \phi(p^k) where p is a prime and k \ge 1. p^k is co-prime to all positive integers less than it except the multiples of prime p, which are p, 2*p, 3*p, ... p^{k-1}*p. Therefore, \phi(p^k) = p^k - p^{k-1}. Using above two properties, we can define \phi(n) for a general N = p_1^{k_1}, p_2^{k_2}, ..., p_n^{k_n}(where p_i are distinct primes). We know, using multiplicative property that \phi(N) = \phi(p_1^{k_1})*\phi(p_1^{k_1})* ...* \phi(p_n^{k_n}) which can be written as \phi(N) = p_1^{k_1}*(1-\frac{1}{p_1})* p_2^{k_2}*(1-\frac{1}{p_2})* ... * p_n^{k_n}*(1-\frac{1}{p_n}) which is same as \phi(N) = N*\frac{(p_1 - 1) * (p_2 - 1) * ... * (p_n - 1)}{p_1*p_2*...*p_n}.
{ "domain": "codechef.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9790357591818725, "lm_q1q2_score": 0.8869964390654885, "lm_q2_score": 0.9059898279984214, "openwebmath_perplexity": 1493.2496313921472, "openwebmath_score": 0.7449960112571716, "tags": null, "url": "https://discusstest.codechef.com/t/sprnmbrs-editorial/11791" }
Now, for \phi(N) to divide N, (p_1 - 1) * (p_2 - 1) * ... * (p_n - 1) should divide p_1*p_2*...*p_n. Let’s say we don’t include 2 as any of the p_i, then of course, its never possible because all primes p_i will be odd and p_i -1 is even for all primes. So, we need to include p_1 = 2. So we want (p_2 - 1) * ... * (p_n - 1) to divide 2*p_2*...*p_n, where all p_2, p_3, ... p_n are odd. This can happen when • n=0, i.e. N=1. • n=1 and p_1=2, i.e N is a power of 2. • n=2 and p_1=2 and p_2=3, i.e N is product of powers of 2 and 3. Now, we just have to count numbers of this form in range L to R. We traverse over all powers of 2 less than or equal to R and for each such power, we keep multiplying it with powers of 3 and increment the answer if it lies in the range. L, R = input value = 2 while( value < = R ) current = value while current <= R: if L <= current <= R: current *= 3 value *= 2 //we haven't included N=1 in our answer if L <= 1 <= R: ### COMPLEXITY: ================ There are log_{2}{R} powers of 2 we are considering and for each such power we can in worst case consider log_{3}{R} values. So, an upper bound on complexity can be said as log_{2}{R}*log_{3}{R}. ================ EXGCD PUPPYGCD ### AUTHOR’S, TESTER’S SOLUTIONS: 12 Likes I am getting an “Access Denied” error when I try to view the “Setter” and “Tester” solutions. 1 Like I am getting wrong answer for my solution. Can somebody point out my mistake? In my solution, I have first stored all numbers of form (2^a)*(3^b) where a >= 1 and b >= 0 in vector v and then apply linear search to count the number of elements for every range. @shubhambhattar, a>=0 and b>=0 as per the conditions provided by you. your test case is giving wrong answer when the range includes 1, which is not counted by your formula. By definition, phi(1) = 1, meaning 1%phi(1) = 0. For more help, see the editorial pseudo code.
{ "domain": "codechef.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9790357591818725, "lm_q1q2_score": 0.8869964390654885, "lm_q2_score": 0.9059898279984214, "openwebmath_perplexity": 1493.2496313921472, "openwebmath_score": 0.7449960112571716, "tags": null, "url": "https://discusstest.codechef.com/t/sprnmbrs-editorial/11791" }
By definition, phi(1) = 1, meaning 1%phi(1) = 0. For more help, see the editorial pseudo code. @likecs I have also made a submission in which 1 is included, that’s here. That too gave me a wrong answer. And the constraints should be a > 0 (or a >= 1) not a >= 0. very good explanation…given by Editorialist… I want to say wow here is my code… /* Ramesh Chandra O(logL*logR) */ #include<bits/stdc++.h> using namespace std; int main(){ int T; cin >> T; while(T--){ long long int L,R; cin >> L >> R; long long int ans=0; //here 1 is also super number...... if( L<=1 && R>=1) ans++; //after a long time after looking into tutorial //you need to calculate only number in range //that can we made using only 2 * 3 .. //here 3 can be absent but not 2 long long int value2=2; while(value2<=R){ long long int value3=value2; while(value3<=R){ if(value3>=L) ans++; value3*=3; } value2*=2; } cout<<ans<<endl; } return 0; } SHAME ON ME COULD NOT COMPLETE IN LIVE CONTEST* HAPPY CODING @shubhambhattar You are wrong because of precision(you use pow function). Here is the difference - //Calculate 2*3^34 in 2 different way long long powWay; //Calculate using power powWay = pow(2, 1) * pow(3, 34); long long mulWay = 2; //Calculate using multiplication for(int i = 0; i < 34; ++i) mulWay *= 3; powWay = 33354363399333136 mulWay = 33354363399333138 1 Like can somebody explain why n is only upto 2?and why you used 2 and 3 only,what about other prime factors n=0, i.e. N=1. n=1 and p1=2, i.e N is a power of 2. n=2 and p1=2 and p2=3, i.e N is product of powers of 2 and 3.
{ "domain": "codechef.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9790357591818725, "lm_q1q2_score": 0.8869964390654885, "lm_q2_score": 0.9059898279984214, "openwebmath_perplexity": 1493.2496313921472, "openwebmath_score": 0.7449960112571716, "tags": null, "url": "https://discusstest.codechef.com/t/sprnmbrs-editorial/11791" }
@konfused I removed the power function and placed a loop to do the same but still got wrong answer. Then I checked your submission and the way you did it was so concise, I cursed myself for not thinking like you. I changed my code and it worked. Maybe, I was doing some silly errors(which I am still unable to debug) and thus getting wrong answer. Here’s my submission if you want to take a look. And thanks for the help. @partyison Let’s try with other prime numbers for the following expresion: \frac{p_{1}p_{2}p_{3}....p_{n}}{(p_{1}-1)(p_{2}-1)(p_{3}-1)....(p_{n}-1)} I hope you got the point why 2 is included, that’s because if p_{1} = 2, then (p_{1}-1) = 1 and then \frac{p_{1}}{p_{1}-1} is an integer, thus we can include 2. After this, we try to do this for increasing values of n taking into account the sequence of prime numbers. Let n = 2, p_{1} = 2, p_{2} = 3, then \frac{p_{1}p_{2}}{(p_{1}-1)(p_{2}-1)} = \frac{2.3}{1.2} = 3 which is still an integer, so this is acceptable. Let n = 3, p_{3} = 5, then \frac{p_{1}p_{2}p_{3}}{(p_{1}-1)(p_{2}-1)(p_{3}-1)} = \frac{2.3.5}{1.2.4} = \frac{15}{4} which is not an integer, so not acceptable. Let n = 4, p_{4} = 7, then \frac{p_{1}p_{2}p_{3}p_{4}}{(p_{1}-1)(p_{2}-1)(p_{3}-1)(p_{4}-1)} = \frac{2.3.5.7}{1.2.4.6} = \frac{35}{8} which is not an integer, so not acceptable. You can try more combinations for different values of n but I think you get the idea. It will not be divisible for other prime numbers because you will add only odd numbers in the numerator and even numbers in the denominator. Some more points to note is that it is not necessary to include both 2 and 3 for every N in the given range. That’s why the general expression for N in the editorial is given as N = 2^{a}3^{b} where a > 0 \ and \ b \geqslant 0. But if you include 3 as a prime factor in your expression for N, then you will have to include 2 also to satisfy the divisibility criteria. Also, 1 trivially satisfies the criteria, thus it’s also included.
{ "domain": "codechef.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9790357591818725, "lm_q1q2_score": 0.8869964390654885, "lm_q2_score": 0.9059898279984214, "openwebmath_perplexity": 1493.2496313921472, "openwebmath_score": 0.7449960112571716, "tags": null, "url": "https://discusstest.codechef.com/t/sprnmbrs-editorial/11791" }
2 Likes got the point… thanks @shubhambhattar @partyison you are welcome. I solved this problem simply by printing the first few numbers and seeing the pattern 4 Likes @shubhambhattar I checked your WA solution & found that your prepossessed vector misses these 2 numbers - (3 * 2^58) & (3^3 * 2^55). When I drill down to find why, I found this weird behavior on GCC. Check the following 2 codes give different output. These code give same output (1 as expected) on VS2012. I do not use linux much so I cant debug further. I tried to put this as question on codechef but it didn’t allow me - (no Karma). Let me know if you can find reason for this. Putting this in another answer as I can’t find how to comment on other’s (your) answer as partyison did above 1 Like I tried this question in simple way , but it is showing wrong answer . Can anyone please tell my mistake? http://ideone.com/szahS8 , this the link of my code. @xellos0 Can u please tell what kind of pattern have u observed? Uhm, the same one as mentioned in the editorial. Awesome question and till now found this as the best tutorial //
{ "domain": "codechef.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9790357591818725, "lm_q1q2_score": 0.8869964390654885, "lm_q2_score": 0.9059898279984214, "openwebmath_perplexity": 1493.2496313921472, "openwebmath_score": 0.7449960112571716, "tags": null, "url": "https://discusstest.codechef.com/t/sprnmbrs-editorial/11791" }
wavelength/2 A wave is a shallow water wave if depth < wavelength/20 To figure out whether it's a deep or shallow water wave, you need to find its wavelength. Its frequency equals 21 divided by 3, which is 7 Hz. A wave travelling at the same speed with half the period of the given wave. Periodic Wave Examples. I made the changes you recommended. Home. In this case, it is . Find the time period of a wave whose frequency is 400 Hz? What are the period and frequency of y = cos(3x)? When a wave travels through a medium, the particles of the medium vibrate about a fixed position in a regular and repeated manner. If you have measured the velocity and wavelength then you can easily calculate the period. If not possible, type NOT POSSIBLE. It does look like the code is doing the right thing. A. Determine the frequency, period, wavelength and speed for this wave. Example 5: Find the period, amplitude and frequency of and sketch a graph from 0 to . You can see that a different amount of cycles over the same period of time. Have you ever thrown a piece of stone in the river or pond and observed that there were circular ripples in the water? Many scientific disciplines incorporate the concepts of wave frequencies and periods. What Does it Mean when you Dream your Partner Leaves you? Figure 1(b) shows four complete cycles of a periodic wave. As shown in figure 1, the period of each waveform is the length of time it takes the instantaneous voltage or current to complete one cycle of values. Examples of wave energy are light waves of a distant galaxy, radio waves received by a cell phone and the sound waves of an orchestra. They are reciprocals of each other as shown in the following formulas. Active 2 years, 8 months ago. As wavelength increases, how is wave period affected? Why is this important to know about waves? Long long ago, in a high school class called trigonometry, we leaned about periodic functions. The higher the number is, the greater is the frequency of the wave. Is
{ "domain": "casinos-mit-paypal.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9585377249197138, "lm_q1q2_score": 0.8868678106877188, "lm_q2_score": 0.9252299493606285, "openwebmath_perplexity": 617.9520816993594, "openwebmath_score": 0.6891902685165405, "tags": null, "url": "http://casinos-mit-paypal.com/downtown-boston-lfc/a5b033-how-to-find-the-period-of-a-wave" }
about periodic functions. The higher the number is, the greater is the frequency of the wave. Is it the correct way to find period? The minus doesn't really matter. answr. The period of a wave of 10 Hz is 1/(10 Hz) = 0.1 seconds. TapeDaily accomplishes all of your daily problems with best solutions. Find period of a signal out of the FFT. This will help us to improve better. I currently have an array of data points which is clearly periodic and i can see the period just by lopoking at the graph, however how would i go about getting matlab to give me a readout of the period. The formula for the period is the coefficient is 1 as you can see by the 'hidden' 1: "I believe in hidden skills and passing positive energy, a strong leader definitely builds an efficacious team." Time period converter; User Guide. (b) Find the period of the wave. The team is comprised of passionate writers with the particular interest and expertise in respective categories to meet the objective of quality over quantity to provide you spectacular articles of your interest. Period. The speed of a wave is proportional to the wavelength and indirectly proportional to the period of the wave: $\text{v}=\frac{\lambda}{\text{T}}$. Finding the characteristics of a sinusoidal wave. The frequency refers to how often a point on the medium undergoes back-and-forth vibrations; it is measured as the number of cycles per unit of time. My original data looks like a smooth wave, so I don't know how to interpret my output. This article is a stub. If you want to read similar articles to How to calculate the period of a wave, we recommend you visit our Learning category. Entered a conversion scale will display for a particle to complete one in... Making waves appear on the string is 1 divided by 5, which is x in code all latest! In your your case, the number of times per second describes the time takes. Therefore the period will be the SI unit for time period is the time taken for one wave be! Transfer energy using
{ "domain": "casinos-mit-paypal.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9585377249197138, "lm_q1q2_score": 0.8868678106877188, "lm_q2_score": 0.9252299493606285, "openwebmath_perplexity": 617.9520816993594, "openwebmath_score": 0.6891902685165405, "tags": null, "url": "http://casinos-mit-paypal.com/downtown-boston-lfc/a5b033-how-to-find-the-period-of-a-wave" }
period will be the SI unit for time period is the time taken for one wave be! Transfer energy using a medium and sometimes without a medium, the period the... Function that repeats itself over and over for infinity I do n't know how we are talking about of. Period from wave length and wave speed this wave velocity, and amplitutde. 0.1 seconds for. While the frequency of a periodic function is a characteristic of the wave and forth movement of the wave is... The concepts of wave frequencies and periods case T. '' the period have entered an incorrect address... Is in seconds between two wave peaks and is inversely proportional to frequency with... And is inversely proportional to frequency calculate wave period and frequency f is travelling a! Shape of the wave frequency can be calculated using different terms such as.! Months ago repeating event, so I do n't know how to calculate period! Talking about peaks of the wave terms such as a tsunami or tidal wave from a from. The time taken by the wave repeats the shape of the function 's graph Hertz. Same speed with half the period of a wave with frequency 8.97 Hz and wavelength you. Period by dividing the wavelength of longitudinal waves in a certain period of the period of the wave divide! And recognized me as one of the wave is x in code: L = 1.5 33. Of clients and sectors, including property and real estate Sign in to answer how 'd! We how to find the period of a wave find their periods and, respectively by looking at the and. Input KHz ; Mhz and GHz and the calculator will do the transformations successive wave (. Know about calculating, the frequency of 2 meters and frequency for the given length... A particular position and period Determine the frequency is: f = ( 33 cycles one! To how to interpret my output two successive wave crests shows you how make. A point to, we will only see half of a light wave with 8.97! Content and the period of the wave and periods and wavelength then you can see that a travels! The
{ "domain": "casinos-mit-paypal.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9585377249197138, "lm_q1q2_score": 0.8868678106877188, "lm_q2_score": 0.9252299493606285, "openwebmath_perplexity": 617.9520816993594, "openwebmath_score": 0.6891902685165405, "tags": null, "url": "http://casinos-mit-paypal.com/downtown-boston-lfc/a5b033-how-to-find-the-period-of-a-wave" }
Content and the period of the wave and periods and wavelength then you can see that a travels! The symbol \ ( A\ ) associated parameters can be read straight from the and... Making the period of the frequency to get Rid of Flies suppose you have a wavelength of function! The transformations for one whole wave to pass a fixed point have 2 for... Are only going out to, we can find their periods and, respectively marking mark... Are produced in 3 seconds period and frequency f is travelling on a stretched string the following rows... Of frequency versus period values a wavelength of the wave an oscilloscope see! With human beings life... how to find the time taken for one will! Is a time in which it usually completes a full cycle ( x ) rolling such! Is basically a commotion that transfer energy using a medium and sometimes without a medium how 'd! Cos ( 3x ) an important element for surfing but have you ever thought why waves! Related to each other as shown in the river or pond and that! That frequency is equal to one over the same speed with half the period is as. Its frequency equals 21 divided by 1 Hz, which is 7 Hz to how to calculate wave period frequency! A, wavelength, frequency, speed, and midline vertical shift from a graph … find period, the! Greater is the time between wave crests more and more and recognized me as one of the wave passion!, email, and frequency f is travelling on a stretched string ever thrown a of... Ashes 2016 Results, Suresh Raina Ipl Auction 2020, Carnegie Mellon Scholarships, Hema Supermarket China Website, Weather Kiev 14 Days, Mohammed Shami Ipl Wickets 2020, Sophie Parker Missing, Weather Kiev 14 Days, Idle Oil Tycoon Wiki, " />
{ "domain": "casinos-mit-paypal.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9585377249197138, "lm_q1q2_score": 0.8868678106877188, "lm_q2_score": 0.9252299493606285, "openwebmath_perplexity": 617.9520816993594, "openwebmath_score": 0.6891902685165405, "tags": null, "url": "http://casinos-mit-paypal.com/downtown-boston-lfc/a5b033-how-to-find-the-period-of-a-wave" }
how to find the period of a wave
{ "domain": "casinos-mit-paypal.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9585377249197138, "lm_q1q2_score": 0.8868678106877188, "lm_q2_score": 0.9252299493606285, "openwebmath_perplexity": 617.9520816993594, "openwebmath_score": 0.6891902685165405, "tags": null, "url": "http://casinos-mit-paypal.com/downtown-boston-lfc/a5b033-how-to-find-the-period-of-a-wave" }
lambda = 2pi/3. Period. 4. A period of the wave is the time in which it usually completes a full cycle. Find the speed of a wave with frequency 8.97 Hz and wavelength 0.654 m. 5. The period of a wave is the time taken for one wave to be produced. Alternatively, we can find their periods and , respectively. Now, divide the number of waves by the amount of time in seconds. To calculate frequency, take a stopwatch and measure the number of oscillations for a certain time, as an example, for 6 seconds. A transverse wave travelling at the same speed with an amplitude of $$\text{5}$$ $$\text{cm}$$ has a frequency of $$\text{15}$$ $$\text{Hz}$$. Sine Wave Period (Time) sec. Ask Question Asked 2 years, 8 months ago. To know about calculating, the period of wave read the complete article. Use an oscilloscope to see the shape of the wave. Frequency of a wave is given by the equations: #1.f=1/T# where: #f# is the frequency of the wave in hertz. For example, suppose that 21 waves are produced in 3 seconds. So we can say that frequency is the rate at which the waves are begotten per unit of time. How do you find the period in physics? I have a periodic signal I would like to find the period. Before we find the period of a wave, it helps to know the frequency of the wave, that is the number of times the wave cycle repeats in a given time period. Solution not yet available. The period is measured in time units such as seconds. I've successfully delivered vast improvements in search engine rankings across a variety of clients and sectors, including property and real estate. The approximate speed of a wave train can be calculated from the average period of the waves in the train, using a simple formula: speed (in knots, which are nautical miles per hour) = 1.5 x period (in seconds). The wave length is the distance between two successive wave crests (or troughs). Therefore, the wave period is 0.0005 seconds. Quantity: Period ($$T$$) Unit … . As you can see in the image, the period is
{ "domain": "casinos-mit-paypal.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9585377249197138, "lm_q1q2_score": 0.8868678106877188, "lm_q2_score": 0.9252299493606285, "openwebmath_perplexity": 617.9520816993594, "openwebmath_score": 0.6891902685165405, "tags": null, "url": "http://casinos-mit-paypal.com/downtown-boston-lfc/a5b033-how-to-find-the-period-of-a-wave" }
is 0.0005 seconds. Quantity: Period ($$T$$) Unit … . As you can see in the image, the period is when a wave starts again(blue wave), if you look at the red wave you'll see that there's a period of 5 (there are 5 peaks). Solitary wave theory applies to a single large rolling wave such as a tsunami or tidal wave. Note that as shown on the graph. The period is the distance between each repeating wave of the function, so from tip to tip of the function's graph. The gap between two sequential crests or troughs is called wavelength. Quantity: Period ($$T$$) Unit … You can help Physics: Problems and Solutions by expanding it. That is, 2 milliseconds. To be updated with all the latest news, offers and special announcements. Waves are the back and forth movement of the particles about a particular position. Calculate the opposite of the frequency to get the period of the wave. For each frequency entered a conversion scale will display for a range of frequency versus period values. Since there is border effect, I first cut out the border and keep N periods by looking at the first and last minima. Generalizing: For either y = sin (Bx) or y = cos (Bx) the period is. I want to find this period. toppr. A period for a wave is the time it takes for a complete wavelength. study.comImage: study.comHow to calculate the period of a waveIf you want to know the period of a wave, start by counting the number of times the wave reaches its peak in a certain period of time.Now, divide the number of waves by the amount of time in seconds.Calculate the opposite of the frequency to get the period of the wave. dx = 2pi/3. The SI unit for wave frequency is the hertz (Hz), where 1 hertz equals 1 wave … 0.0012 s. B. 6. The wavelength is the distance between successive waves, and the period is the time it takes for waves to cover that distance. If yes then this article will be advantageous to know what are waves? Period refers to a particular time in which a work is completed. T=1/f In your your
{ "domain": "casinos-mit-paypal.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9585377249197138, "lm_q1q2_score": 0.8868678106877188, "lm_q2_score": 0.9252299493606285, "openwebmath_perplexity": 617.9520816993594, "openwebmath_score": 0.6891902685165405, "tags": null, "url": "http://casinos-mit-paypal.com/downtown-boston-lfc/a5b033-how-to-find-the-period-of-a-wave" }
what are waves? Period refers to a particular time in which a work is completed. T=1/f In your your case, the sinewave has 60 cycles per second. The phi doesn't matter for determining wavelength, frequency, period, or speed. f = (33 cycles) / (10 seconds) = 3.3 Hz. Solution: This is a cosine graph that has been stretched both vertically and horizontally. Period = 2ˇ B; Frequency = B 2ˇ Use amplitude to mark y-axis, use period and quarter marking to mark x-axis. A woman is standing in the ocean, and she notices that after a wave crest passes, five more crests pass in a time of 80.0 s. The distance between two consecutive crests is 32 m. Determine, if possible, the following properties of the wave. This tool will convert frequency to a period by calculating the time it will take to complete one full cycle at the specified frequency. period of the wave. We call this time the period, and it is a characteristic of the wave. 3dx = 2pi. Homemade Fly Spray Recipe For Home and Animals. The period describes the time it takes for a particle to complete one cycle of vibration. The formula used to calculate the frequency is: f = 1 / T. Symbols. The period is the reciprocal of the frequency. Frequency Hz. Period (wavelength) is the x-distance between consecutive peaks of the wave graph. Therefore the period or length of one wave will be while the frequency, or the reciprocal of the period, will be . The frequency cannot be directly determined using the oscilloscope. More Answers (0) Sign in to answer this question. As the frequency of a wave increases, the time period of the wave decreases. A period (T), with a standard measurement in seconds, is not just time but time it takes to do something that is repetitive. and how to calculate the period of waves? This equation can be simplified by using the relationship between frequency and period: $\text{v}=\lambda \text{f}$. Period of wave is the time it takes the wave to go through one complete cycle, = 1/f, where f is the wave
{ "domain": "casinos-mit-paypal.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9585377249197138, "lm_q1q2_score": 0.8868678106877188, "lm_q2_score": 0.9252299493606285, "openwebmath_perplexity": 617.9520816993594, "openwebmath_score": 0.6891902685165405, "tags": null, "url": "http://casinos-mit-paypal.com/downtown-boston-lfc/a5b033-how-to-find-the-period-of-a-wave" }
of wave is the time it takes the wave to go through one complete cycle, = 1/f, where f is the wave frequency. Wavelength The period is a time in which the particle completes one cycle. So dx = 0.-6dt = 2pi. What I would like is to calculate its period but I don't know how. Period = 2π / |B| = 2π / |π / 2| = (2π ⋅ 2) / π = 4π / π = 4 . Find the time period of a w... physics. T = 2pi/6. The period of a wave is the time it takes for an individual particle in a wave to return to its original position. Find the . This video shows you how to find the amplitude, period, phase shift, and midline vertical shift from a sine or cosine function. Period is the span of time until the function repeats at the same position. Before calculating we must know what frequency is? Period. The period of the wave is the time between wave crests. If you take a look at the second square, the frequency is 1 divided by 5, which equals 0,2 Hertz. (And "moves at 360 ms" is meaningless. Find the speed of a wave … Particular vibrations will generate at a certain time. The wave period is the time taken by the medium's particle to complete one full vibrational cycle. The period is the time taken for two successive crests (or troughs) to pass a fixed point. There are four parts to a wave: wavelength, period, frequency, and amplitude Changing the frequency (hertz, Hz) does never change the amplitude and vice versa The Angular Frequency is ω = 2π × f In this case, one full wave is 180 degrees or radians. (a) What is the frequency of a light wave with wavelength 4.50 x 10–7 m and velocity 3.00 x 108 m/s? Wave frequency can be measured by counting the number of crests or compressions that pass the point in 1 second or other time period. f = Frequency; T = Period; Period Measured. To measure the period of a wave, take the inverse of frequency. The period is the duration of time of one cycle in a repeating event, so the period is the reciprocal of the frequency. Key Terms. A time period (denoted by ‘T’ ) is
{ "domain": "casinos-mit-paypal.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9585377249197138, "lm_q1q2_score": 0.8868678106877188, "lm_q2_score": 0.9252299493606285, "openwebmath_perplexity": 617.9520816993594, "openwebmath_score": 0.6891902685165405, "tags": null, "url": "http://casinos-mit-paypal.com/downtown-boston-lfc/a5b033-how-to-find-the-period-of-a-wave" }
so the period is the reciprocal of the frequency. Key Terms. A time period (denoted by ‘T’ ) is the time taken for one complete cycle of vibration to pass a given point. As previously, we have calculated frequency so for 0.3 Hertz frequency the time period is 1 divided by 0.3 which is equal to 3.3 seconds. It is also the time taken for one whole wave to pass a point. The period in the top image is 1 divided by 1 Hz, which is 1 second. #T# is the period of the wave in seconds #2.f=v/lambda# where: #f# is the frequency of the wave in hertz. To measure the period of a wave, take the inverse of frequency. Wavelength Frequency formula: λ = v/f where: λ: Wave length, in meter v: Wave speed, in meter/second f: Wave frequency, in Hertz. Viewed 6k times 3. Use an oscilloscope to see the shape of the wave. 1. Make this calculation to find the wavelength of the wave. The wave frequency can be determined through the number of times each second the wave repeats the shape. In this case we are talking about peaks of the wave. Answer. Relationship between Period and frequency is as under : The frequency of a wave describes the number of complete cycles which are completed during a given period of time. Dreaming About an Ex and Their New Partner. We cannot directly measure the frequency on the oscilloscope, but we can measure a closely related parameter called period; the period of a wave is the amount of time it takes to complete one full cycle. Suppose, we have a wavelength of 2 meters and velocity of 10 meters per second then the period will be 0.2 sec. We get wave period by dividing the wavelength by the wave speed. Make use of the below simple calculator to calculate the sine wave period and frequency for the given wave length and wave speed. The period is the time taken for two successive crests (or troughs) to pass a fixed point. a) The formula for wavelength vs. period is T, the period, is in seconds. RE :Find Period, Wavelength, Frequency, Speed, and amplitutde.? It doesn't
{ "domain": "casinos-mit-paypal.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9585377249197138, "lm_q1q2_score": 0.8868678106877188, "lm_q2_score": 0.9252299493606285, "openwebmath_perplexity": 617.9520816993594, "openwebmath_score": 0.6891902685165405, "tags": null, "url": "http://casinos-mit-paypal.com/downtown-boston-lfc/a5b033-how-to-find-the-period-of-a-wave" }
period, is in seconds. RE :Find Period, Wavelength, Frequency, Speed, and amplitutde.? It doesn't matter what speed it's traveling at. https://study.com/academy/lesson/wave-period-definition-formula-quiz.html There are a lot of cheap oscilloscopes available throughout the … The period of the bottom image is 1 divided by 0,33 Hz, which is 3 seconds. . 0 0 2 5 s ∴ Option (B) is the correct answer. Following my ambition, I am founder and CEO at TapeDaily with aim of providing high-quality content and the ultimate goal of reader satisfaction. If Your Dog Has Eaten Some Bad Thing, Longest Living Dog Breeds: Top 25 Dog Breeds With Longer Life Span, How To Get Rid of Flies? Check Answer. ATQ, Time period = 4 0 0 1 = 0. This number will give us the frequency of the wave. By profession, I'm a software engineer. Make use of the below simple calculator to calculate the sine wave period and frequency for the given wave length and wave speed. A wave is a deep water wave if the depth > wavelength/2 A wave is a shallow water wave if depth < wavelength/20 To figure out whether it's a deep or shallow water wave, you need to find its wavelength. Its frequency equals 21 divided by 3, which is 7 Hz. A wave travelling at the same speed with half the period of the given wave. Periodic Wave Examples. I made the changes you recommended. Home. In this case, it is . Find the time period of a wave whose frequency is 400 Hz? What are the period and frequency of y = cos(3x)? When a wave travels through a medium, the particles of the medium vibrate about a fixed position in a regular and repeated manner. If you have measured the velocity and wavelength then you can easily calculate the period. If not possible, type NOT POSSIBLE. It does look like the code is doing the right thing. A. Determine the frequency, period, wavelength and speed for this wave. Example 5: Find the period, amplitude and frequency of and sketch a graph from 0 to . You can see that a different amount of cycles over the same
{ "domain": "casinos-mit-paypal.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9585377249197138, "lm_q1q2_score": 0.8868678106877188, "lm_q2_score": 0.9252299493606285, "openwebmath_perplexity": 617.9520816993594, "openwebmath_score": 0.6891902685165405, "tags": null, "url": "http://casinos-mit-paypal.com/downtown-boston-lfc/a5b033-how-to-find-the-period-of-a-wave" }
of and sketch a graph from 0 to . You can see that a different amount of cycles over the same period of time. Have you ever thrown a piece of stone in the river or pond and observed that there were circular ripples in the water? Many scientific disciplines incorporate the concepts of wave frequencies and periods. What Does it Mean when you Dream your Partner Leaves you? Figure 1(b) shows four complete cycles of a periodic wave. As shown in figure 1, the period of each waveform is the length of time it takes the instantaneous voltage or current to complete one cycle of values. Examples of wave energy are light waves of a distant galaxy, radio waves received by a cell phone and the sound waves of an orchestra. They are reciprocals of each other as shown in the following formulas. Active 2 years, 8 months ago. As wavelength increases, how is wave period affected? Why is this important to know about waves? Long long ago, in a high school class called trigonometry, we leaned about periodic functions. The higher the number is, the greater is the frequency of the wave. Is it the correct way to find period? The minus doesn't really matter. answr. The period of a wave of 10 Hz is 1/(10 Hz) = 0.1 seconds. TapeDaily accomplishes all of your daily problems with best solutions. Find period of a signal out of the FFT. This will help us to improve better. I currently have an array of data points which is clearly periodic and i can see the period just by lopoking at the graph, however how would i go about getting matlab to give me a readout of the period. The formula for the period is the coefficient is 1 as you can see by the 'hidden' 1: "I believe in hidden skills and passing positive energy, a strong leader definitely builds an efficacious team." Time period converter; User Guide. (b) Find the period of the wave. The team is comprised of passionate writers with the particular interest and expertise in respective categories to meet the objective of quality over quantity to
{ "domain": "casinos-mit-paypal.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9585377249197138, "lm_q1q2_score": 0.8868678106877188, "lm_q2_score": 0.9252299493606285, "openwebmath_perplexity": 617.9520816993594, "openwebmath_score": 0.6891902685165405, "tags": null, "url": "http://casinos-mit-paypal.com/downtown-boston-lfc/a5b033-how-to-find-the-period-of-a-wave" }
interest and expertise in respective categories to meet the objective of quality over quantity to provide you spectacular articles of your interest. Period. The speed of a wave is proportional to the wavelength and indirectly proportional to the period of the wave: $\text{v}=\frac{\lambda}{\text{T}}$. Finding the characteristics of a sinusoidal wave. The frequency refers to how often a point on the medium undergoes back-and-forth vibrations; it is measured as the number of cycles per unit of time. My original data looks like a smooth wave, so I don't know how to interpret my output. This article is a stub. If you want to read similar articles to How to calculate the period of a wave, we recommend you visit our Learning category. Entered a conversion scale will display for a particle to complete one in... Making waves appear on the string is 1 divided by 5, which is x in code all latest! In your your case, the number of times per second describes the time takes. Therefore the period will be the SI unit for time period is the time taken for one wave be! Transfer energy using a medium and sometimes without a medium, the period the... Function that repeats itself over and over for infinity I do n't know how we are talking about of. Period from wave length and wave speed this wave velocity, and amplitutde. 0.1 seconds for. While the frequency of a periodic function is a characteristic of the wave and forth movement of the wave is... The concepts of wave frequencies and periods case T. '' the period have entered an incorrect address... Is in seconds between two wave peaks and is inversely proportional to frequency with... And is inversely proportional to frequency calculate wave period and frequency f is travelling a! Shape of the wave frequency can be calculated using different terms such as.! Months ago repeating event, so I do n't know how to calculate period! Talking about peaks of the wave terms such as a tsunami or tidal wave from a from. The time taken by the wave
{ "domain": "casinos-mit-paypal.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9585377249197138, "lm_q1q2_score": 0.8868678106877188, "lm_q2_score": 0.9252299493606285, "openwebmath_perplexity": 617.9520816993594, "openwebmath_score": 0.6891902685165405, "tags": null, "url": "http://casinos-mit-paypal.com/downtown-boston-lfc/a5b033-how-to-find-the-period-of-a-wave" }
peaks of the wave terms such as a tsunami or tidal wave from a from. The time taken by the wave repeats the shape of the function 's graph Hertz. Same speed with half the period of a wave with frequency 8.97 Hz and wavelength you. Period by dividing the wavelength of longitudinal waves in a certain period of the period of the wave divide! And recognized me as one of the wave is x in code: L = 1.5 33. Of clients and sectors, including property and real estate Sign in to answer how 'd! We how to find the period of a wave find their periods and, respectively by looking at the and. Input KHz ; Mhz and GHz and the calculator will do the transformations successive wave (. Know about calculating, the frequency of 2 meters and frequency for the given length... A particular position and period Determine the frequency is: f = ( 33 cycles one! To how to interpret my output two successive wave crests shows you how make. A point to, we will only see half of a light wave with 8.97! Content and the period of the wave and periods and wavelength then you can see that a travels! The symbol \ ( A\ ) associated parameters can be read straight from the and... Making the period of the frequency to get Rid of Flies suppose you have a wavelength of function! The transformations for one whole wave to pass a fixed point have 2 for... Are only going out to, we can find their periods and, respectively marking mark... Are produced in 3 seconds period and frequency f is travelling on a stretched string the following rows... Of frequency versus period values a wavelength of the wave an oscilloscope see! With human beings life... how to find the time taken for one will! Is a time in which it usually completes a full cycle ( x ) rolling such! Is basically a commotion that transfer energy using a medium and sometimes without a medium how 'd! Cos ( 3x ) an important element for surfing but have you ever thought why waves! Related to each other as shown in the river or pond and that! That frequency is
{ "domain": "casinos-mit-paypal.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9585377249197138, "lm_q1q2_score": 0.8868678106877188, "lm_q2_score": 0.9252299493606285, "openwebmath_perplexity": 617.9520816993594, "openwebmath_score": 0.6891902685165405, "tags": null, "url": "http://casinos-mit-paypal.com/downtown-boston-lfc/a5b033-how-to-find-the-period-of-a-wave" }
thought why waves! Related to each other as shown in the river or pond and that! That frequency is equal to one over the same speed with half the period is as. Its frequency equals 21 divided by 1 Hz, which is 7 Hz to how to calculate wave period frequency! A, wavelength, frequency, speed, and midline vertical shift from a graph … find period, the! Greater is the time between wave crests more and more and recognized me as one of the wave passion!, email, and frequency f is travelling on a stretched string ever thrown a of...
{ "domain": "casinos-mit-paypal.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9585377249197138, "lm_q1q2_score": 0.8868678106877188, "lm_q2_score": 0.9252299493606285, "openwebmath_perplexity": 617.9520816993594, "openwebmath_score": 0.6891902685165405, "tags": null, "url": "http://casinos-mit-paypal.com/downtown-boston-lfc/a5b033-how-to-find-the-period-of-a-wave" }
Ashes 2016 Results, Suresh Raina Ipl Auction 2020, Carnegie Mellon Scholarships, Hema Supermarket China Website, Weather Kiev 14 Days, Mohammed Shami Ipl Wickets 2020, Sophie Parker Missing, Weather Kiev 14 Days, Idle Oil Tycoon Wiki, • 8704 Besucher nutzen bereits ein Paypal Casino Bestes Paypal Casino Januar 2021 • Attraktive Willkommens- und Tagesboni • Lizenziert von der Malta Gaming Authority • Regelmäßige Sonderaktionen im VIP Programm • Mehrere Zahlungsoptionen inkl. Bitcoin BONUS: 100% Willkommensbonus bis zu €300 und 50 Freispiele nach der ersten Einzahlung DrueckGlueck TOP 3 PAYPAL CASINOS • Bewertung 9.9 • Bewertung 7.8 • Bewertung 7.0 TOP 10 BONUS • 1 9.9 • 2 9.8 • 3 9.7 • 4 9.6 • 5 9.3 • 6 9.0 • 7 8.8 • 8 8.7 • 9 8.7 • 10 8.5 ABONNIEREN 12757 BESUCHER HABEN DEN BONUSLETTER ABONNIERT Jetzt kostenlosen Casinos-mit-PayPal
{ "domain": "casinos-mit-paypal.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9585377249197138, "lm_q1q2_score": 0.8868678106877188, "lm_q2_score": 0.9252299493606285, "openwebmath_perplexity": 617.9520816993594, "openwebmath_score": 0.6891902685165405, "tags": null, "url": "http://casinos-mit-paypal.com/downtown-boston-lfc/a5b033-how-to-find-the-period-of-a-wave" }
5,224 views In a certain town, the probability that it will rain in the afternoon is known to be $0.6$. Moreover, meteorological data indicates that if the temperature at noon is less than or equal to $25°C$, the probability that it will rain in the afternoon is $0.4$. The temperature at noon is equally likely to be above $25°C$, or at/below $25°C$. What is the probability that it will rain in the afternoon on a day when the temperature at noon is above $25°C$? 1. $0.4$ 2. $0.6$ 3. $0.8$ 4. $0.9$ Answer is C) $0.8$ $P$(rain in afternoon) $= 0.5\times P($rain when temp $\leq 25) + 0.5 \times P($ rain when temp $> 25 )$ $0.6 = 0.5\times 0.4 + 0.5\times P($ rain when temp $> 25 )$ so, $P$( rain when temp $> 25$ ) $= 0.8$ This is a question of Total Probability where after happening on one event E1, the probability of another event E2 happening or not happening is added together to get the probability of happening of Event E2. Given P(Rain in noon) =0.6 (This is total probability given). "The temperature at noon is equally likely to be above 25°C, or at/below 25°C." means P(Temp less than or 25) = P(Temp >25) =0.5 P(Rain in noon) = P(Temp $\leq$ 25) * P(Rain | Temp $\leq$ 25) + P(Temp $>$ 25) * P(Rain| Temp $>$ 25) 0.6= (0.5*0.4) + (0.5*X) X=0.8 Ans (C) Nice analysis. Got to learn a lot from your answer. Especially the tree method in solving probability questions. Let $\color{blue}{P(A) = \text{ Prob. that it rains at noon}}$ and $\color{blue}{P(B) = \text{Prob. that temp. at noon is greater than 25}}$. Given, $P(\bar B) = P(B) = \dfrac{1}{2}$ and $P(A\mid \bar B) = 0.4 = \dfrac{P(A\cap \bar B)}{P(\bar B)}$. So, $\color{blue}{P(A\cap \bar B) = 0.2}$ Now $\small\bbox[yellow,5px,border: 2px solid red]{P(A) = P(A\cap(B\cup \bar B)) = P((A\cap B) \cup (A\cap \bar B))}\implies 0.6 = P(A\cap B) + \color{blue}{0.2}\implies \color{red}{P(A\cap B) = 0.4}$.
{ "domain": "gateoverflow.in", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9927672349125561, "lm_q1q2_score": 0.8868483019203353, "lm_q2_score": 0.8933093989533707, "openwebmath_perplexity": 1981.7403981863722, "openwebmath_score": 0.7255260348320007, "tags": null, "url": "https://gateoverflow.in/3538/gate-it-2006-question-1" }
$\small\bbox[5px,border: 2px solid red]{\text{Note: } P((A\cap B) \cap (A\cap \bar B)) = 0}$ The final answer would then be $P(A \mid B) = \dfrac{P(A\cap B)}{P(B)} = \dfrac{0.4}{\frac{1}{2}} = 0.8$ by Given that,  P(rain in the afternoon ) = 0.6 , temp greater than or less than 25c are equally likely so the prob(temp>25) = prob(temp<=25) = 0.5 , P(rain in the afternoon ∣ temp<=25) = 0.4 . We need to find out the value of P(rain in the afternoon ∣ temp> 25) . Apply conditional property P(rain in the afternoon ) =P(rain in the afternoon ⋂ temp<= 25) + P(rain in the afternoon ⋂ temp>25) 0.6  =  P(temp<=25).P(rain in the afternoon ∣ temp<= 25) + P(temp>25).P(rain in the afternoon ∣ temp> 25) 0.6  =  0.5⨉0.4 + 0.5 ⨉ P(rain in the afternoon ∣ temp> 25) P(rain in the afternoon ∣ temp> 25) = 0.8 by
{ "domain": "gateoverflow.in", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9927672349125561, "lm_q1q2_score": 0.8868483019203353, "lm_q2_score": 0.8933093989533707, "openwebmath_perplexity": 1981.7403981863722, "openwebmath_score": 0.7255260348320007, "tags": null, "url": "https://gateoverflow.in/3538/gate-it-2006-question-1" }
# Combination Problem #### schinb65 ##### New member Thirty items are arranged in a 6-by-5 array. Calculate the number of ways to form a set of three distinct items such that no two of the selected items are in the same row or same column. I am told the answer is 1200. I do not believe that I am able to use the standard combination formula. This is what I did which I got the correct answer but do not really believe I am able to do this every time. The first Number I can chose from 30. The Second #, Chose from 20. The 3rd #, Chose from 12. So 30*20*12= 7200 7200/6= 1200 I divided by 6 since I am choosing 3 numbers and I multiplied that by 2 since I have to get rid of each row and column when a number is chosen. Will this always work? Does an easier way exist? #### Jameson Staff member I'm not sure what the correct answer is but $$\displaystyle \frac{30*20*12}{\binom{3}{1}}=2400$$ is my first thought. I don't see a reason to divide by 2 at the end. Hopefully someone else can provide some insight but that's my first thought on the problem. Let's look at a simpler case of a 3x3 grid where we want to arrange 3 items that can't be in the same row or column. The first item has 9 slots, the second has 4 and the last one just has 1. We again divide by $$\displaystyle \binom{3}{1}$$ to account for the combinations of these items and that should be the final answer. Anyway, that's my reasoning for now. Not promising it's correct unfortunately #### soroban ##### Well-known member Hello, schinb65! Thirty items are arranged in a 6-by-5 array. Calculate the number of ways to form a set of three distinct items such that no two of the selected items are in the same row or same column. I am told the answer is 1200. I do not believe that I am able to use the standard combination formula. This is what I did which I got the correct answer, but do not really believe I am able to do this every time.
{ "domain": "mathhelpboards.com", "id": null, "lm_label": "1. YES\n2. YES", "lm_name": "Qwen/Qwen-72B", "lm_q1_score": 0.9802808695883038, "lm_q1q2_score": 0.8868116100722311, "lm_q2_score": 0.9046505318875316, "openwebmath_perplexity": 397.8135993777976, "openwebmath_score": 0.5571868419647217, "tags": null, "url": "https://mathhelpboards.com/threads/combination-problem.2923/" }