URL
stringlengths 15
1.68k
| text_list
sequencelengths 1
199
| image_list
sequencelengths 1
199
| metadata
stringlengths 1.19k
3.08k
|
---|---|---|---|
https://facebook.github.io/prophet/docs/non-daily_data.html | [
"## Sub-daily data\n\nProphet can make forecasts for time series with sub-daily observations by passing in a dataframe with timestamps in the `ds` column. The format of the timestamps should be YYYY-MM-DD HH:MM:SS - see the example csv here. When sub-daily data are used, daily seasonality will automatically be fit. Here we fit Prophet to data with 5-minute resolution (daily temperatures at Yosemite):\n\n``````1\n2\n3\n4\n5\n6\n# R\nm <- prophet(df, changepoint.prior.scale=0.01)\nfuture <- make_future_dataframe(m, periods = 300, freq = 60 * 60)\nfcst <- predict(m, future)\nplot(m, fcst)\n``````\n``````1\n2\n3\n4\n5\n6\n# Python\nm = Prophet(changepoint_prior_scale=0.01).fit(df)\nfuture = m.make_future_dataframe(periods=300, freq='H')\nfcst = m.predict(future)\nfig = m.plot(fcst)\n``````",
null,
"The daily seasonality will show up in the components plot:\n\n``````1\n2\n# R\nprophet_plot_components(m, fcst)\n``````\n``````1\n2\n# Python\nfig = m.plot_components(fcst)\n``````",
null,
"## Data with regular gaps\n\nSuppose the dataset above only had observations from 12a to 6a:\n\n``````1\n2\n3\n4\n5\n6\n7\n8\n# R\ndf2 <- df %>%\nmutate(ds = as.POSIXct(ds, tz=\"GMT\")) %>%\nfilter(as.numeric(format(ds, \"%H\")) < 6)\nm <- prophet(df2)\nfuture <- make_future_dataframe(m, periods = 300, freq = 60 * 60)\nfcst <- predict(m, future)\nplot(m, fcst)\n``````\n``````1\n2\n3\n4\n5\n6\n7\n8\n# Python\ndf2 = df.copy()\ndf2['ds'] = pd.to_datetime(df2['ds'])\ndf2 = df2[df2['ds'].dt.hour < 6]\nm = Prophet().fit(df2)\nfuture = m.make_future_dataframe(periods=300, freq='H')\nfcst = m.predict(future)\nfig = m.plot(fcst)\n``````",
null,
"The forecast seems quite poor, with much larger fluctuations in the future than were seen in the history. The issue here is that we have fit a daily cycle to a time series that only has data for part of the day (12a to 6a). The daily seasonality is thus unconstrained for the remainder of the day and is not estimated well. The solution is to only make predictions for the time windows for which there are historical data. Here, that means to limit the `future` dataframe to have times from 12a to 6a:\n\n``````1\n2\n3\n4\n5\n# R\nfuture2 <- future %>%\nfilter(as.numeric(format(ds, \"%H\")) < 6)\nfcst <- predict(m, future2)\nplot(m, fcst)\n``````\n``````1\n2\n3\n4\n5\n# Python\nfuture2 = future.copy()\nfuture2 = future2[future2['ds'].dt.hour < 6]\nfcst = m.predict(future2)\nfig = m.plot(fcst)\n``````",
null,
"The same principle applies to other datasets with regular gaps in the data. For example, if the history contains only weekdays, then predictions should only be made for weekdays since the weekly seasonality will not be well estimated for the weekends.\n\n## Monthly data\n\nYou can use Prophet to fit monthly data. However, the underlying model is continuous-time, which means that you can get strange results if you fit the model to monthly data and then ask for daily forecasts. Here we forecast US retail sales volume for the next 10 years:\n\n``````1\n2\n3\n4\n5\n6\n# R\nm <- prophet(df, seasonality.mode = 'multiplicative')\nfuture <- make_future_dataframe(m, periods = 3652)\nfcst <- predict(m, future)\nplot(m, fcst)\n``````\n``````1\n2\n3\n4\n5\n6\n# Python\nm = Prophet(seasonality_mode='multiplicative').fit(df)\nfuture = m.make_future_dataframe(periods=3652)\nfcst = m.predict(future)\nfig = m.plot(fcst)\n``````",
null,
"This is the same issue from above where the dataset has regular gaps. When we fit the yearly seasonality, it only has data for the first of each month and the seasonality components for the remaining days are unidentifiable and overfit. This can be clearly seen by doing MCMC to see uncertainty in the seasonality:\n\n``````1\n2\n3\n4\n# R\nm <- prophet(df, seasonality.mode = 'multiplicative', mcmc.samples = 300)\nfcst <- predict(m, future)\nprophet_plot_components(m, fcst)\n``````\n``````1\n2\n3\n4\n# Python\nm = Prophet(seasonality_mode='multiplicative', mcmc_samples=300).fit(df, show_progress=False)\nfcst = m.predict(future)\nfig = m.plot_components(fcst)\n``````\n``````1\n2\nWARNING:pystan:481 of 600 iterations saturated the maximum tree depth of 10 (80.2 %)\nWARNING:pystan:Run again with max_treedepth larger than 10 to avoid saturation\n``````",
null,
"The seasonality has low uncertainty at the start of each month where there are data points, but has very high posterior variance in between. When fitting Prophet to monthly data, only make monthly forecasts, which can be done by passing the frequency into `make_future_dataframe`:\n\n``````1\n2\n3\n4\n# R\nfuture <- make_future_dataframe(m, periods = 120, freq = 'month')\nfcst <- predict(m, future)\nplot(m, fcst)\n``````\n``````1\n2\n3\n4\n# Python\nfuture = m.make_future_dataframe(periods=120, freq='MS')\nfcst = m.predict(future)\nfig = m.plot(fcst)\n``````",
null,
"In Python, the frequency can be anything from the pandas list of frequency strings here: https://pandas.pydata.org/pandas-docs/stable/user_guide/timeseries.html#timeseries-offset-aliases . Note that `MS` used here is month-start, meaning the data point is placed on the start of each month.\n\nIn monthly data, yearly seasonality can also be modeled with binary extra regressors. In particular, the model can use 12 extra regressors like `is_jan`, `is_feb`, etc. where `is_jan` is 1 if the date is in Jan and 0 otherwise. This approach would avoid the within-month unidentifiability seen above. Be sure to use `yearly_seasonality=False` if monthly extra regressors are being added.\n\n## Holidays with aggregated data\n\nHoliday effects are applied to the particular date on which the holiday was specified. With data that has been aggregated to weekly or monthly frequency, holidays that don’t fall on the particular date used in the data will be ignored: for example, a Monday holiday in a weekly time series where each data point is on a Sunday. To include holiday effects in the model, the holiday will need to be moved to the date in the history dataframe for which the effect is desired. Note that with weekly or monthly aggregated data, many holiday effects will be well-captured by the yearly seasonality, so added holidays may only be necessary for holidays that occur in different weeks throughout the time series.\n\nEdit on GitHub"
] | [
null,
"https://facebook.github.io/prophet/static/non-daily_data_files/non-daily_data_4_0.png",
null,
"https://facebook.github.io/prophet/static/non-daily_data_files/non-daily_data_7_0.png",
null,
"https://facebook.github.io/prophet/static/non-daily_data_files/non-daily_data_10_0.png",
null,
"https://facebook.github.io/prophet/static/non-daily_data_files/non-daily_data_13_0.png",
null,
"https://facebook.github.io/prophet/static/non-daily_data_files/non-daily_data_16_0.png",
null,
"https://facebook.github.io/prophet/static/non-daily_data_files/non-daily_data_19_1.png",
null,
"https://facebook.github.io/prophet/static/non-daily_data_files/non-daily_data_22_0.png",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.8234726,"math_prob":0.96399236,"size":6227,"snap":"2023-40-2023-50","text_gpt3_token_len":1634,"char_repetition_ratio":0.1275912,"word_repetition_ratio":0.13748658,"special_character_ratio":0.26577806,"punctuation_ratio":0.1312709,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9929797,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14],"im_url_duplicate_count":[null,3,null,3,null,3,null,3,null,3,null,2,null,3,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-12-09T21:39:42Z\",\"WARC-Record-ID\":\"<urn:uuid:49bcc390-1c25-40fb-b47e-b66317f5ec71>\",\"Content-Length\":\"53533\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:ec1c2431-4178-4ad1-9748-7e1087597087>\",\"WARC-Concurrent-To\":\"<urn:uuid:94ce73d5-7102-4153-bf5d-535a2eefb873>\",\"WARC-IP-Address\":\"185.199.109.153\",\"WARC-Target-URI\":\"https://facebook.github.io/prophet/docs/non-daily_data.html\",\"WARC-Payload-Digest\":\"sha1:JRE6GABY5PDTYK33FQJNMH4AO5LR77GN\",\"WARC-Block-Digest\":\"sha1:GCR2MIX6KTCXE2IO4VHCNIDO4ANDAXVE\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-50/CC-MAIN-2023-50_segments_1700679100972.58_warc_CC-MAIN-20231209202131-20231209232131-00610.warc.gz\"}"} |
http://intellectualmathematics.com/blog/critique-of-langes-theory-of-explanation/ | [
"# Critique of Lange’s theory of explanation\n\nNon-explanatory proofs are typically brute-force computations that do not illuminate why the theorem holds, but rather “makes it seem like an accident of algebra, as it were” (16), “supplies ‘little understanding’ and fails to show ‘what’s going on’” (20). Everyone agrees thus far.\n\nExplanatory proofs tend to be more conceptual, as Lange's examples show. In my view, the right way to characterise how these proofs differ from the non-explanatory ones are in terms of cognisability, as I have argued elsewhere.\n\nBut Lange has a different proposal. He argues that if a result has a notable symmetry to it then an explanatory proof must itself involve this symmetry in an essential way: “A proof that exploits the symmetry of the setup is privileged as explanatory” (18) and “only a proof exploiting such a symmetry in the problem is recognized as explaining why the solution holds” (19). Lange later generalises from this to allow any “salient feature” of the theorem to take the role of symmetry in this argument (28).\n\nIn my view this proposal is off the mark. I say that if a proof is cognisable it would typically count as explanatory, regardless of whether it exploits symmetry properties of the result or not.\n\nAn example illustrating this is the proof of the equality of the coordinate and cosine forms of the scalar product.\n\nIn my calculus book I prove this in a cognisable way. I start with the geometrical idea of a projection, and I show through intuitive-visual reasoning how this leads to the coordinate form. This is an explanatory proof, in my opinion.\n\nThe standard proof in other textbooks is to start with the coordinate form and derive the cosine form using the law of cosines. This is obviously extremely unsatisfactory, since the law of cosines is a “black-box,” algebraic hocus-pocus result. This is a prototypically non-explanatory proof, in the sense of the quotations from Lange above.\n\nYet according to Lange’s proposal it is the latter proof that is the explanatory one. For the result is certainly symmetric, and the standard proof likewise respects this symmetry throughout.\n\nMy proof, on the other hand, is most definitely asymmetrical: it involves the projection of one vector onto another, an asymmetrical relation. Thus my proof actually introduces an asymmetry that was not in the result itself. And it was precisely this move that made the proof congnisable, and thereby explanatory, in my view. Which is the exact opposite of what Lange’s proposal says should happen."
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.93874866,"math_prob":0.83864623,"size":2599,"snap":"2021-31-2021-39","text_gpt3_token_len":537,"char_repetition_ratio":0.14759152,"word_repetition_ratio":0.0,"special_character_ratio":0.19969219,"punctuation_ratio":0.08902691,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9779658,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-09-24T05:29:00Z\",\"WARC-Record-ID\":\"<urn:uuid:41eb2b67-5e16-480f-b9ec-b9231cb86d32>\",\"Content-Length\":\"28891\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:2e44c6f8-bd7b-421f-8c17-3dd6d42506d6>\",\"WARC-Concurrent-To\":\"<urn:uuid:c5e6f9ab-64f2-4604-86fc-19a4c7ef23db>\",\"WARC-IP-Address\":\"198.46.81.182\",\"WARC-Target-URI\":\"http://intellectualmathematics.com/blog/critique-of-langes-theory-of-explanation/\",\"WARC-Payload-Digest\":\"sha1:RUMOKNCMJ27CJU6OXYQNNR2YJEJ7IODS\",\"WARC-Block-Digest\":\"sha1:MAFPR75LPFMVTXRODOQUMB3BC7LIVFAW\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-39/CC-MAIN-2021-39_segments_1631780057504.60_warc_CC-MAIN-20210924050055-20210924080055-00276.warc.gz\"}"} |
http://slideplayer.com/slide/4626559/ | [
"",
null,
"Measurement Notes Chapter 2 Length Scientist use the metric system—a standard measurement system based on the #10. The meter is the basic unit. millimeter.\n\nPresentation on theme: \"Measurement Notes Chapter 2 Length Scientist use the metric system—a standard measurement system based on the #10. The meter is the basic unit. millimeter.\"— Presentation transcript:\n\nMeasurement Notes Chapter 2\n\nLength Scientist use the metric system—a standard measurement system based on the #10. The meter is the basic unit. millimeter = mmKingKilo (100 centi) centimeter = cmHenryHecto (10 deci) decimeter = dmDiedDeca meter = mWhileWhole (1,000 kilo) kilometer = kmDrinkingDeci 10 mm = 1 cmChocolateCenti 10 cm = 1 dmMilkMilli 100 cm = 1m 1000 m = 1 km\n\nMetric Units Mass refers to the amount of matter in an object. The base unit of mass in the metric system in the gram and is represented by g. Standard: 1 kilogram is equal to the mass of the International Prototype Kilogram (IPK), a platinum-iridium cylinder kept by the BIPM at Sèvres, France. Metric Units 1 Kilogram (kg) = 1000 Grams (g) 1 Gram (g) = 1000 Milligrams (mg) Which is larger? A. 1 kilogram or 1500 grams B. 1200 milligrams or 1 gram C. 12 milligrams or 12 kilograms D. 4 kilograms or 4500 grams Kilogram Prototype\n\nBalance Rules In order to protect the balances and ensure accurate results, a number of rules should be followed: Always check that the balance is level and zeroed before using it. Do not weigh hot or cold objects. Clean up any spills around the balance immediately.\n\nMeasuring Mass Top Image: http://www.southwestscales.com/Ohaus_Triple_Beam_750-SO.jpg Bottom Image: http://www.regentsprep.org/Regents/biology/units/laboratory/graphics/triplebeambalance.jpg We will be using triple- beam balances to find the mass of various objects. The objects are placed on the scale and then you move the weights on the beams until you get the lines on the right-side of the scale to match up. Once you have balanced the scale, you add up the amounts on each beam to find the total mass. What would be the mass of the object measured in the picture? _______ + ______ + _______ = ________ g\n\nMeasuring Mass – Triple-Beam Balance 1 st – Place the film canister on the scale. 2 nd – Slide the large weight to the right until the arm drops below the line. Move the rider back one groove. Make sure it “locks” into place. 3 rd – Repeat this process with the top weight. When the arm moves below the line, back it up one groove. 4 th – Slide the small weight on the front beam until the lines match up. 5 th – Add the amounts on each beam to find the total mass to the nearest tenth of a gram.\n\nCheck to see that the balance scale is at zero\n\nVolume Volume is the amount of space a substance occupies The liter (L) is the base unit Tools: metric ruler is used to measure regular solids v=l x w x h (cm3) or a graduated cylinder for liquids and irregular solids (mL) Meniscus- the curved surface of liquid resulting from surface tension\n\nGraduated Cylinders The glass cylinder has etched marks to indicate volumes, a pouring lip, and quite often, a plastic bumper to prevent breakage.\n\nReading the Meniscus Always read volume from the bottom of the meniscus. The meniscus is the curved surface of a liquid in a narrow cylindrical container.\n\nTry to avoid parallax errors. Parallax errors arise when a meniscus or needle is viewed from an angle rather than from straight-on at eye level. Correct: Viewing the meniscus at eye level Incorrect: viewing the meniscus from an angle\n\nSignificant Figures Significant figures in measurement include the all certain digits and one uncertain digit. Significant figures communicate how precise measurements are. Certain digits are determined from the calibration marks on the cylinder. The uncertain digit (the last digit of the reading) is estimated.\n\nUse the graduations to find all certain digits There are two unlabeled graduations below the meniscus, and each graduation represents 1 mL, so the certain digits of the reading are… 52 mL.\n\nEstimate the uncertain digit and take a reading The meniscus is about eight tenths of the way to the next graduation, so the final digit in the reading is The volume in the graduated cylinder is 0.8 mL 52.8 mL.\n\nSelf Test Examine the meniscus below and determine the volume of liquid contained in the graduated cylinder. The cylinder contains: _ _. _ mL 760\n\nIrregular Volume A solid with an irregular volume will be measured using the displacement method 1.Measure and record an amount of water 2.Drop the irregular object in the cylinder 3.Read the cylinder again and record the amount 4.Subtract the two measurements and the result is the volume of the irregular object in ml\n\nThe Thermometer o Determine the temperature by reading the scale on the thermometer at eye level. o Read the temperature by using all certain digits and one uncertain digit. o Certain digits are determined from the calibration marks on the thermometer. o The uncertain digit (the last digit of the reading) is estimated. o On most thermometers encountered in a general chemistry lab, the tenths place is the uncertain digit.\n\nDo not allow the tip to touch the walls or the bottom of the flask. If the thermometer bulb touches the flask, the temperature of the glass will be measured instead of the temperature of the solution. Readings may be incorrect, particularly if the flask is on a hotplate or in an ice bath.\n\nReading the Thermometer Determine the readings as shown below on Celsius thermometers: _ _. _ C 874350\n\nMass Mass is the amount of matter in an object It is determined by using a balance The unit for mass is grams.\n\nEnglish vs. Metric Units Which is larger? 1. 1 Pound or 100 Grams 2. 1 Kilogram or 1 Pound 3. 1 Ounce or 1000 Milligrams 1 pound = 453.6 grams 100 kilogram = 220 pounds 1 ounce of gold = 28,349.5 milligrams\n\nDensity The measure of how much mass is contained in a given volume.\n\nThe formula of density is: Density = Mass / Volume\n\nComparing Densities - Inferring: Which item has the greater density? The bowling ball Since the bowling bowl has a greater mass, it has a greater density, even though both balls have the same volume\n\nWhy is density expressed as a combination of two different units? Because density is actually made up of two other measurements – mass and volume – an objects density is expressed as a combination of two units.\n\nTwo Common Units For Density Grams per cubic centimeter (g/cm³) Grams per milliliter (g/mL)\n\nMath Practice: What is the density of a wood block with a volume of 125 cm³ and a mass of 57 g? Density = mass / volume Density = 57 g / 125 cm³ Density = 0.46 g/ cm³\n\nMath Practice: What is the density of a liquid with a mass of 45 g and a volume of 48 mL? Density = mass / volume Density = 45 g / 48 mL Density = 0.94 g/mL\n\nThe density of a substance is the ______for all samples of that substance. Same\n\nAn object will float if it is _____ _____ than a surrounding liquid. Less dense\n\nApplying Concepts: How could you use density to determine whether a bar of metal is pure gold? If the bar of gold has a density that is greater than or less than 19.3 g/cm³, then the sample is not pure gold. Densities of Some Common Substances SubstanceDensity (g/cm³) Air0.001 Ice0.9 Water1.0 Aluminum2.7 Gold19.3\n\nWill an object with a density of 0.7 g/cm³ float or sink in water? An object that has a density of 0.7 g/cm³ will float in water (1 g/cm³) because it is less dense than water\n\nDownload ppt \"Measurement Notes Chapter 2 Length Scientist use the metric system—a standard measurement system based on the #10. The meter is the basic unit. millimeter.\"\n\nSimilar presentations"
] | [
null,
"http://slideplayer.com/static/blue_design/img/slide-loader4.gif",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.8312506,"math_prob":0.9653847,"size":7336,"snap":"2019-43-2019-47","text_gpt3_token_len":1811,"char_repetition_ratio":0.12629569,"word_repetition_ratio":0.050574712,"special_character_ratio":0.24931844,"punctuation_ratio":0.08833678,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.98532796,"pos_list":[0,1,2],"im_url_duplicate_count":[null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2019-10-23T11:39:03Z\",\"WARC-Record-ID\":\"<urn:uuid:709f1ee8-07c0-45e9-a9dd-dee8b133e1b5>\",\"Content-Length\":\"180833\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:c11feb0f-8aaa-4a98-a36c-2f2f7b3735ee>\",\"WARC-Concurrent-To\":\"<urn:uuid:b5699b2b-4b99-4407-974b-80807bddee20>\",\"WARC-IP-Address\":\"88.99.70.210\",\"WARC-Target-URI\":\"http://slideplayer.com/slide/4626559/\",\"WARC-Payload-Digest\":\"sha1:LFZVQTKUE6G7NVHGGDUZG6QJBSLJJE25\",\"WARC-Block-Digest\":\"sha1:WL5455AAJGKIG5QPNNA53RJUP2CEYJRT\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2019/CC-MAIN-2019-43/CC-MAIN-2019-43_segments_1570987833089.90_warc_CC-MAIN-20191023094558-20191023122058-00133.warc.gz\"}"} |
https://math.stackexchange.com/questions/1955833/number-of-homomorphisms-from-a-finite-group-to-an-infinite-group | [
"# Number of homomorphisms from a finite group to an infinite group\n\nI am starting to self-study abstract algebra, and came across, in my humble opinion, a fairly difficult question. More specifically, the question I was trying to answer is along the lines of:\n\n\"Let $G$ a finite group, and $Hom(G,\\Bbb C^\\times)$ the set of all group homomorphisms $\\phi:G\\rightarrow\\Bbb C^\\times$, where $\\Bbb C^\\times$ is the multiplicative group of the non-zero complex numbers. Prove that $Hom(G,\\Bbb C^\\times)$ is finite.\"\n\nI found many answers for the case where both groups were finite, but didn't have much success in this case.\n\nI was trying to think about $G$ having a finite number of generators might lead to some brute-force technique, or maybe induction on the order of $G$, but no success up to now. I suspect there is something very basic I'm forgetting, so please go easy on me if that's the case.\n\nI would be glad if you could give some insights about finding all group homomorphisms between groups too. What kind of facts are normally used to prove such a thing?\n\nThanks in advance.\n\n• Take a look at Alekseev's \"Abel's Theorem in Problems and Solutions\". A great way to get into groups and complex numbers. – user8960 Oct 6 '16 at 0:41\n\n## 2 Answers\n\nFor any $g \\in G$, $g^{|G|} = 1$, so for any homomorphism $\\phi \\in \\text{Hom}(G, \\mathbb{C}^ \\times)$, $\\phi(g)^{|G|} = 1$. This means that $\\phi$ is a map from the finite set $G$ to the finite set of $|G|$-th roots of unity in $\\mathbb{C}$. There are only finitely many maps between two finite sets, hence $|\\text{Hom}(G, \\mathbb{C}^ \\times)|$ is finite.\n\n• I feel kinda dumb now that I see it was so simple... Guess I still need to study much more. I had another question, but your argument about the roots of unity applies for it too, so two birds, one stone. Thanks! – AspiringMathematician Oct 6 '16 at 14:23\n\nThe circle group has only a single subgroup of any given finite order. If $f: G \\to H$ is a surjective homomorphism, the order of $H$ divides the order of $G$. Therefore there are only a finite number of subsets of $\\Bbb{C}^{\\times}$ that a homomorphism can map $G$ to, and since there are only a finite number of functions from $G$ to any one of those sets the total number of homomorphisms from $G$ to $\\Bbb{C}^{\\times}$ is finite."
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.9716915,"math_prob":0.9899256,"size":1011,"snap":"2019-13-2019-22","text_gpt3_token_len":243,"char_repetition_ratio":0.102284014,"word_repetition_ratio":0.0,"special_character_ratio":0.23046489,"punctuation_ratio":0.11057692,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.99973506,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2019-05-24T09:05:59Z\",\"WARC-Record-ID\":\"<urn:uuid:96f703fa-dc0d-4692-afb2-3aae6e67f59f>\",\"Content-Length\":\"137170\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:c790dfba-169d-40ec-9d83-513c104f853e>\",\"WARC-Concurrent-To\":\"<urn:uuid:bf0574ba-29f6-4fe3-bb3a-c0315d00e309>\",\"WARC-IP-Address\":\"151.101.129.69\",\"WARC-Target-URI\":\"https://math.stackexchange.com/questions/1955833/number-of-homomorphisms-from-a-finite-group-to-an-infinite-group\",\"WARC-Payload-Digest\":\"sha1:BHQ6L7ZQEGGI547UZRG5LSHWKGEEY3OH\",\"WARC-Block-Digest\":\"sha1:Q2ZOKGW2HT3VK7ZVFHN6BIXRJQE26TCO\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2019/CC-MAIN-2019-22/CC-MAIN-2019-22_segments_1558232257601.8_warc_CC-MAIN-20190524084432-20190524110432-00537.warc.gz\"}"} |
https://www.maa.org/press/maa-reviews/number-theory-concepts-and-problems | [
"",
null,
"# Number Theory: Concepts and Problems",
null,
"###### Titu Andreescu, Gabriel Dospinescu, and Oleg Mushkarov\nPublisher:\nXYZ Press\nPublication Date:\n2017\nNumber of Pages:\n686\nFormat:\nHardcover\nPrice:\n79.95\nISBN:\n9780988562202\nCategory:\nProblem Book\n[Reviewed by\nMark Hunacek\n, on\n10/12/2017\n]\n\nXYZ Press is a small publishing company whose books are distributed by the American Mathematical Society, and which specializes in texts that are designed to teach mathematical problem solving and competition preparation. It was established by Titu Andreescu, who is also the editor, author or co-author of many of the roughly two dozen texts published by this company, including the one now under review, which deals with problems in number theory.\n\nI have seen a good many problem books over the years, and must admit that after a while many of them tend to blur together in my mind. This one, however, is something of an exception, and stands out more vividly from the crowd, both because of its heft (at almost 700 pages, it is quite thick) and, more significantly, because of its content: in addition to setting out problems and solutions, it actually develops a substantial amount of elementary undergraduate number theory, and therefore seems more textbook-oriented than many other problem-style books. As a result, it is, I think, more versatile, with a larger target audience, than is typical of such books.\n\nChapter 1 of the text is just a two-page preface, summarizing the origins and contents of the text. Chapters 2 through 7, which comprise roughly two thirds of the text, deal with substantive number theory, covering most of the “usual suspects” of a standard undergraduate course (divisibility, primes, the Fundamental theorem of arithmetic, congruences, quadratic residues and nonresidues, some Diophantine equations, and arithmetic functions), along with a number of topics that are not typically covered in such a course (for example: Bertrand’s postulate and the distribution of primes, a brief discussion of the abc conjecture, and p-adic valuations).\n\nAs noted above, each of these six chapters focuses both on the development of the underlying theory and on problems. Basic definitions are provided, theorems are stated precisely, and proofs are given, including of such results as the law of quadratic reciprocity. In addition to this, however, many solved problems (“examples”) appear in the text, and in addition each of these chapters ends with a section consisting of a substantial number, typically 50 or more per chapter, of “practice problems”. These practice problems often seem to have a somewhat different flavor than standard textbook homework problems (they are more in the nature of competition problems than homework problems, and hence more difficult), but there is some occasional overlap. Solutions to these practice problems constitute chapter 8 of the text, which is more than 200 pages long.\n\nBecause of the format of the book, and specifically because number theory is developed pretty much from scratch rather than just assumed, this book should be of interest to people who are taking or teaching a basic undergraduate number theory course, even if they have no interest in ever entering a mathematics Olympiad-style competition. Certainly any faculty member teaching such a course would likely find this book a treasure trove of interesting and challenging problems for use as homework or (if the students are unlucky!) exam questions. (Since a number of the problems have a combinatorial flavor, people taking or teaching a course in combinatorics might also find something useful here.)\n\nThe book could also potentially serve as the main text for a course in number theory, although in some respects this might be problematic. For one thing, some topics that are fairly standard fare in a number theory course are not covered here. Continued fractions are not discussed, and there is also no discussion of applications of number theory to cryptography, a topic that I think students in a basic number theory course really enjoy seeing. In addition, the last time I taught number theory I also spent a few weeks on quadratic rings where unique factorization fails, both to illustrate the importance and significance of the fundamental theorem of arithmetic, and to give the students at least a glimpse of algebraic numbers. This book doesn’t include such material, either. (Books that do discuss this material include Stillwell’s Elements of Number Theory and An Introduction to Number Theory and Cryptography by Kraft and Washington.)\n\nThe most negative feature of this book, one that also militates against its use as an actual text for a number theory course, is the total lack of an index. It is incomprehensible to me how a book intended for college students can be published without one, but this seems to be fairly common for books published by XYZ Press: although I have not reviewed the contents of every book published by XYZ, I did glance at the Table of Contents for about half a dozen chosen at random, and none of them indicated the presence of an Index.\n\nBut let us not end this review on a sour note. This book is a valuable collection of problems in elementary number theory; if I ever teach the course again, I will keep it close at hand.\n\nMark Hunacek (mhunacek@iastate.edu) teaches mathematics at Iowa State University.\n\n## Dummy View - NOT TO BE DELETED\n\n•",
null,
"•",
null,
"•",
null,
"•",
null,
"•",
null,
""
] | [
null,
"https://px.ads.linkedin.com/collect/",
null,
"https://www.maa.org/sites/default/files/NumberThyAndreescu.jpg",
null,
"https://www.maa.org/sites/default/files/styles/flexslider_full/public/20.09.25%20Sliffe%20Awards%20Announcement.png",
null,
"https://www.maa.org/sites/default/files/styles/flexslider_full/public/20.09.23%20Voting%20Journal_0.png",
null,
"https://www.maa.org/sites/default/files/styles/flexslider_full/public/20.09.21%20Awards%20nominations.png",
null,
"https://www.maa.org/sites/default/files/styles/flexslider_full/public/20.09.14%20AMC%20reg%20open.png",
null,
"https://www.maa.org/sites/default/files/styles/flexslider_full/public/20.09.09%20Sept.%20featured%20book.png",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.9645925,"math_prob":0.7936657,"size":5081,"snap":"2020-34-2020-40","text_gpt3_token_len":1000,"char_repetition_ratio":0.12802836,"word_repetition_ratio":0.0,"special_character_ratio":0.19051369,"punctuation_ratio":0.10171306,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.959619,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14],"im_url_duplicate_count":[null,null,null,5,null,null,null,null,null,null,null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2020-09-25T17:41:54Z\",\"WARC-Record-ID\":\"<urn:uuid:11be70b6-031c-4f72-8883-101f15d32d13>\",\"Content-Length\":\"105293\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:f3afe796-5151-403c-b1d9-a07b9471b6c6>\",\"WARC-Concurrent-To\":\"<urn:uuid:9dec6a09-040e-48e8-bc30-44ce5c53f7bb>\",\"WARC-IP-Address\":\"192.31.143.111\",\"WARC-Target-URI\":\"https://www.maa.org/press/maa-reviews/number-theory-concepts-and-problems\",\"WARC-Payload-Digest\":\"sha1:G43PKJDTHYMU74SJYUYBKL56G4CXACLG\",\"WARC-Block-Digest\":\"sha1:OTGDPLEJE6OMAA54MVWWBNHNI6GBDKRN\",\"WARC-Identified-Payload-Type\":\"application/xhtml+xml\",\"warc_filename\":\"/cc_download/warc_2020/CC-MAIN-2020-40/CC-MAIN-2020-40_segments_1600400227524.63_warc_CC-MAIN-20200925150904-20200925180904-00565.warc.gz\"}"} |
https://solvedlib.com/homework-chapter-10-homework-save-5-of-8-0,403461 | [
"# Homework: Chapter 10 Homework Save 5 of 8 (0 complete) HW Score: 0%, 0 of 8...\n\n###### Question:",
null,
"",
null,
"Homework: Chapter 10 Homework Save 5 of 8 (0 complete) HW Score: 0%, 0 of 8 pts Score: 0 of 1 pt P10-8 (similar to) Question Help O Depreclation expense. Richardses' Tree Farm, Inc. has just purchased a new serial tree trimmer for $88,000. Calculate the depreciation schedule using a seven-year life (for the property class category of a single-purpose agricultural and horticultural structure from Table 10.3) for both straight-line depreciation and MACRS, . Use the half-year convention for both methods. Compare the depreciation schedules before and after taxes using a 40% tax rate. What do you notice about the difference between these two methods? Using a seven-year life, straight-line depreciation, and the half-year convention for the first and last years, what is the annual depreciation of the trimmer? S (Round to the nearest dollar.) Enter your answer in the answer box and then click Check Answer. 10 parts Clear All Check Answer Check Answer IU remaining Homework: Chapter 10 Homework Save Score: 0 of 1 pt 5 of 8 (0 complete) HW Score: 0%, 0 of 8 pts P10-8 (similar to) Question Help Depreciation expense. Richardses' Tree Farm, Inc. has just purchased a new aerial tree trimmer for$68,000. Calculate the depreciation schedule using a seven-year life (for the property class category of a single-purpose agricultural and horticultural structure from Table 10.3) for both straight-line depreciation and MACRS. Use the half-year convention for both methods. Compare the depreciation schedules before and after taxes using a 40% tax rate. What do you notice about the difference between these two methods? Using a seven-year life, straight-line depreciation, and the half-year convention for the first and last years, what is the annual depreciation of the trimmer? S (Round to the nearest dollar.) í Data Table - X MACRS Fixed Annual Expense Percentages by Recovery Class Click on this icon to download the data from this table Year 3-Year 33.33% 44.45% 14.81% 7.41% 5-Year 20.00% 32.00% 19.20% 11.52% 11.52% 5.76% 7-Year 14.29% 24.49% 17.49% 12.49% 8.93% 8.93% A 93% 4.45% 10-Year 10.00% 18.00% 14.40% 11.52% 9.22% 7.37% 6.55% 6.55% 6.55% 6.55% 3.28% 7 10 Print Done Enter your answer in the answer box and then click Check Answer. 10 parts IU remaining Clear All Check Answer\n\n#### Similar Solved Questions\n\n##### 2/6 polnts Prevlous AnswersLCalcCon5 1.2.013.For the function, do the followings(t) 1 + 0.5e (a) Describe the end behavior verbally Gecreeses Winout bound, the output values of $lepproach zerg}increases without bound, the output values cf$ approach a limibnavalre 055(b) Write limit notation for the end behavior.s(t)lim s(t)Write the equations for any horizonta asvmorotel5iansunot exist;DNE;)(smaller value)(larger value)\n2/6 polnts Prevlous Answers LCalcCon5 1.2.013. For the function, do the following s(t) 1 + 0.5e (a) Describe the end behavior verbally Gecreeses Winout bound, the output values of $lepproach zerg} increases without bound, the output values cf$ approach a limibnavalre 055 (b) Write limit notation f...\n##### Teuanilomauon shown liqur4uatintcoumTalltoDlamvenicu 0). (1. 0). (?. I) nd (1, !)fKKy) dA\nteuanilomauon shown liqur 4uat intcoum TalltoDlam venicu 0). (1. 0). (?. I) nd (1, !) fK Ky) dA...\n##### 148. A NURSE begins to bathe a newly admitted client who report that she has not...\n148. A NURSE begins to bathe a newly admitted client who report that she has not had anything to eat that day. The nurse interrupts the bath and obtains a healthy meal for the client. this action by the nurse is an example of which of the following? Boundary crossing Veracity Countertransference Pro...\n##### In a random sample of 1276 U.S. adults, 903 favor using mandatory testing to assess how...\nIn a random sample of 1276 U.S. adults, 903 favor using mandatory testing to assess how well schools are educating students. In another random sample of 1112 U.S. adults taken 9 years ago, 799 favored using mandatory testing to assess how well schools are educating students. At α = 0.05, can y...\n##### What is another name for an indirect fixed cost? Choices: A) a common fixed cost B)...\nWhat is another name for an indirect fixed cost? Choices: A) a common fixed cost B) a tracaeable fixed cost C) a controllable fixed cost D) a segment fixed cost...\n##### In an engine, an almost ideal gas is compressed adiabatically (see Note below) to half its...\nIn an engine, an almost ideal gas is compressed adiabatically (see Note below) to half its volume. In doing so, 2630 Joules of work is done on the gas. (a) How much heat flows into or out of the gas? (b) What is the change in internal energy of the gas? (c) Does its temperature rise or fall? Note: A...\n##### Constants A faulty model rocket moves in the xy-plane (the positive y-direction is vertically upward). The...\nConstants A faulty model rocket moves in the xy-plane (the positive y-direction is vertically upward). The rocket's acceleration has components ax(t)=αt2 and ay(t)=β−γt, where α = 2.50 m/s4, β = 9.00 m/s2, and γ = 1.40 m/s3. At t=0 the rocket is at the ori...\n##### [0/1 Points]DETAILSPREVIOUS ANSWERSROGACALCET4 2.5.008.Evaluate the limit state that does not exist. (If an Anse does not exist, enter DNE: ) 14 x - 2 DNE\n[0/1 Points] DETAILS PREVIOUS ANSWERS ROGACALCET4 2.5.008. Evaluate the limit state that does not exist. (If an Anse does not exist, enter DNE: ) 14 x - 2 DNE...\n##### [W QUA 4 disk uith sadiu R Lu trbulid flu may Jiudiz diik fnto ixtitelt mawf ' intiwikly\" TaOl lonteuluc jt\" a) ExbJuy Mu Qa 9 erale Bttu Jiq ju Juumu i Yadiu b) Vst Onswrn (a) to Wlube dwn detinite inkgral suu tota Qua 9 fue disc t rebuuds\n[W QUA 4 disk uith sadiu R Lu trbulid flu may Jiudiz diik fnto ixtitelt mawf ' intiwikly\" TaOl lonteuluc jt\" a) ExbJuy Mu Qa 9 erale Bttu Jiq ju Juumu i Yadiu b) Vst Onswrn (a) to Wlube dwn detinite inkgral suu tota Qua 9 fue disc t rebuuds...\n##### Exercise 4-26 (Algorithmic) (LO. 4) Determine the taxable amount of Social Security benefits for the following...\nExercise 4-26 (Algorithmic) (LO. 4) Determine the taxable amount of Social Security benefits for the following situations. If required, round your answers to the nearest dollar. If an amount is zero, enter \"0\". a. Erwin and Eleanor are married and file a joint tax return. They have adjusted ...\n##### How do I evaluate sin from cos and use symmetry arguments?\nIf cos(theta)=0.8, and 270°< theta<360° a) evaluate sin(theta) and show it on a unit circle b) Using symmetry arguments evaluate cos(theta-180°) c) Confirm the result using the trigonometric identities...\n##### Consider the triangle with the given vertices. (0,0) . (5.6) . (-4,7)Use calculus to find the area S of this triangle. S\nConsider the triangle with the given vertices. (0,0) . (5.6) . (-4,7) Use calculus to find the area S of this triangle. S...\n##### Question 3CH; N-CH; CH?AN= CH; CH?Which molecule above Is the more soluble in water?\nQuestion 3 CH; N-CH; CH? AN= CH; CH? Which molecule above Is the more soluble in water?...\n##### Time Left Question 25 11 point) Bases on the EVU method, which decision alternative would you...\nTime Left Question 25 11 point) Bases on the EVU method, which decision alternative would you choose? Average Nature Od O 24 + Decision Alternative Poba bocion Amet Decon Amatve 2 becon Alternate 3 Decision Amatved 31 2 20 27 1 10 1) Decision Alternative 1 2) Decision Alternative 2 3) Decision Alter...\n##### Harold says, to find 6 x 8, I can use the facts for 5 x 4 and 1 x4\nHarold says, to find 6 x 8, I can use the facts for 5 x 4 and 1 x4. Do you agree? Explain...\n##### Sn9 LL.021Solution that contains 20 g of nonelectrolyte solute in 250 g water; freezes at 2.34 \"C, calculate the molar mass(g/mol) of the solute Kf for water= * 1.86 \"c/m)\nSn9 LL.0 21 Solution that contains 20 g of nonelectrolyte solute in 250 g water; freezes at 2.34 \"C, calculate the molar mass(g/mol) of the solute Kf for water= * 1.86 \"c/m)...\n##### Use the Taylor series for the integralto evaluateX1. (~k T = C 4.32k k! k=0 2. I = 2 44-32* K=0 (-1)* 1 = 4 . 32k+1 wQk +1) k=0 1 = (F1k4.32k+1 2k + 1 K=OI =4e-r\" dr4.32k+1 wQk +1) k=0\nUse the Taylor series for the integral to evaluate X1. (~k T = C 4.32k k! k=0 2. I = 2 44-32* K=0 (-1)* 1 = 4 . 32k+1 wQk +1) k=0 1 = (F1k4.32k+1 2k + 1 K=O I = 4e-r\" dr 4.32k+1 wQk +1) k=0...\n##### Suppose the curve € = t8 _ 9,y = t+ 3 for 1 < t < 2 is rotated about the axis_ Set up (but do not evaluate) the integral for the surface area that is generated.\nSuppose the curve € = t8 _ 9,y = t+ 3 for 1 < t < 2 is rotated about the axis_ Set up (but do not evaluate) the integral for the surface area that is generated....\n##### Use the following results from a test for marijuana use, which is provided by a certain...\nUse the following results from a test for marijuana use, which is provided by a certain drug testing company. Among 149 subjects with positive test results, there are 29 false positive results; among 160 negative results, there are 5 false negative results. If one of the ...\n##### The inability to produce CDZ8 receptors on T (Ipts) A patient has genetic defect which results in cells, Which of the following would be consistent with this defect?The patient would have hyper (over) expression of cytokines produced by Helper T cells_ Helper T cells would be normal, but cytotoxic T cell function would be impaired Cytoxic T cells would be normal, but helper T cells would have impaired function Function of CDA+ and CD8+ cells would be impaired.\nthe inability to produce CDZ8 receptors on T (Ipts) A patient has genetic defect which results in cells, Which of the following would be consistent with this defect? The patient would have hyper (over) expression of cytokines produced by Helper T cells_ Helper T cells would be normal, but cytotoxic...\n##### Help with OChem HBC ROOR. & luetust hexane Antimarkamika's nile. 7. Draw the major organic product...\nHelp with OChem HBC ROOR. & luetust hexane Antimarkamika's nile. 7. Draw the major organic product generated in the reaction below.. 1. HgcOAc), H,0 2. NaBH Palkyl - i- butene 8. Provide the structure of the major organic product of the reaction below. 1. BH; THE 2. H.O, HO 9-10. Complete t...\n##### 6) Ethylene, 15.00 g, is reacted in water, 100.0 mL, and a phosphoric acid catalyst at...\n6) Ethylene, 15.00 g, is reacted in water, 100.0 mL, and a phosphoric acid catalyst at 250.0°C to give 8.500 g of ethanol. Calculate the percent yield for this reaction?...\n##### 7) A 67 y/o client has expressed an interest in reducing his dietary fat intake in...\n7) A 67 y/o client has expressed an interest in reducing his dietary fat intake in order to promote his heart health. Which of the following foods would you advise him to avoid? Margarine White fish Sunflower oil Olive oil 8) Which of the following foods is most likely to...\n##### AmeriPouer Curreni rininn Secundug Secundar 0._285 035a 0._us 0ao 0767525 0 75 7z 02478 01cs AldoVultaze Ideul W Culchalleu FrunAN ccconuurur SlrpNunibcr al Turot rmn EorundanAcluiiLnnu0584400SI00S760.6x:Mnor0nni6 Mnos 0.US 70,01497 Wln Mmao TESLn 0oisos U.0498 010mtna U.UUUS 6 70,0u699 UuuA Dontos UUI 00u7oo Uuubgb non @wuuI Mus Muuro Mons 0Ouusit 007yy momosDoI MerM0z 0oiy 0,017 0,0uS 0ouS 0o0S 0 Ms 0Mt Momaa086znanMSDoun moun MTMeLoouJ0OUS oos MOOSdeUUo: 02 0253200 3200 JZUU 320mMtucGWmo0rq\nAmeri Pouer Curreni rininn Secundug Secundar 0._285 035a 0._us 0ao 0767525 0 75 7z 02478 01cs Aldo Vultaze Ideul W Culchalleu FrunAN ccconuur ur Slrp Nunibcr al Turot rmn Eorundan Acluii Lnnu 05844 00SI 00S76 0.6x: Mnor 0nni6 Mnos 0.US 70,01497 Wln Mmao TESLn 0oisos U.0498 010mtna U.UUUS 6 70,0u69...\n##### 14. Money market assets typically are: a. for 20 years d. all of the above b....\n14. Money market assets typically are: a. for 20 years d. all of the above b. tax free e. none of the above C. sold at a discount with the capital gain the interest 15. Most businesses get funds by: a. issuing stock d. all of the above b. borrowing from banks e. none of the above c. raising funds in...\n##### Show that a Banach space $X$ is reflexive if and only if the closed unit ball of every equivalent norm on $X^{*}$ is $w^{*}$ -closed.\nShow that a Banach space $X$ is reflexive if and only if the closed unit ball of every equivalent norm on $X^{*}$ is $w^{*}$ -closed....\n##### At 25 \"C,an aqueous solution has an equilibrium concentration of 0.00317 M for generic cation, A?+(aq), and 0.00634 M for a generic anion , B (aq) . What the equilibrium constant; Kyp: Of the generic salt ABz (s)?Kp6.37 XiO-8Inconect\nAt 25 \"C,an aqueous solution has an equilibrium concentration of 0.00317 M for generic cation, A?+(aq), and 0.00634 M for a generic anion , B (aq) . What the equilibrium constant; Kyp: Of the generic salt ABz (s)? Kp 6.37 XiO-8 Inconect...\n##### Consider the set S = fp1; p2; p3; p4g, wherep1 = 1; p2 = 2x; p3 = -2 + 4x^2; p4 = -12x + 8x^3A) Show that this set of polynomials forms a basis for p3B) Find the coordinate vector of p = 1 + 2x - 4x^2 +8x^3relative to its basis\nConsider the set S = fp1; p2; p3; p4g, where p1 = 1; p2 = 2x; p3 = -2 + 4x^2; p4 = -12x + 8x^3 A) Show that this set of polynomials forms a basis for p3 B) Find the coordinate vector of p = 1 + 2x - 4x^2 +8x^3 relative to its basis...\n##### 7 his phenomenon is known as the thermic effect of food, and the effect (in kI per hollf) for one individual is F() = 9.76 + 170.Tle where t is the number of hours that have elapsed since and (=6.\n7 his phenomenon is known as the thermic effect of food, and the effect (in kI per hollf) for one individual is F() = 9.76 + 170.Tle where t is the number of hours that have elapsed since and (=6....\n##### Pb2t(aq) + 2 e Pb(s) Sn?t(aq) + 2 e Sn(s) Ni2t(aq) + 2 e\" Ni(s) Co2t(aq) Co(s) Cdlt(aq) 2 e Cd(s) Crt(aq) Cr2+(aq) Fe2t(aq) 2 e Fe(s) Crt(aq) 3 e Cr(s) Zn2t(aq) + 2 e Zn(s) 2 HzO() + 2 e Hz(g) + 2 OH (aq)-0.1260.14-0.25-0.280.403-0.41-0.440.740.763-0.83Mn2+(aq) + 2 eMn(s)-1.18(aq) +3 e Mg?t(aq) + 2 eAl(s)-1.66Mg(s)2.372 714\nPb2t(aq) + 2 e Pb(s) Sn?t(aq) + 2 e Sn(s) Ni2t(aq) + 2 e\" Ni(s) Co2t(aq) Co(s) Cdlt(aq) 2 e Cd(s) Crt(aq) Cr2+(aq) Fe2t(aq) 2 e Fe(s) Crt(aq) 3 e Cr(s) Zn2t(aq) + 2 e Zn(s) 2 HzO() + 2 e Hz(g) + 2 OH (aq) -0.126 0.14 -0.25 -0.28 0.403 -0.41 -0.44 0.74 0.763 -0.83 Mn2+(aq) + 2 e Mn(s) -1.18 (aq)...\n##### CelniFountromukbtEOT nuletbeanentto-Jotn Cenmal Thtdem Eanlti osfa ctnp wunadstoltx 0' ; noM/ N017ess [041mk4 0Eo Mnatetuzc. Udettng Eepuaen ramalrhulo Ente Uul on Ernathlleyroral @ n8 tatcbL28 dte untetyin mpaston bcltt Crtollra Theotm stabra [nt {n Ginnn AnnJoatb W70lueint Ei= Eann Enuta Tioruf n rnt u not '0l7?s0xtvo Cenett chaka Ita [ founeed 0 %ano Dotchaneda nd n DaEnater Bucora artvon 0N; Adu - Lmoi lteMus Ddc;\" Ealntenanee ruuculan enemn 0 upamncArah Rontteeetta Jd\ncelni Fount romuk btEOT nulet bean entto- Jotn Cenmal Thtdem Eanlti osfa ctnp wunadstoltx 0' ; noM/ N017ess [041mk4 0Eo Mnatetuzc. Udettng Eepuaen ramalrhulo Ente Uul on Ernathlleyroral @ n8 tatcbL28 dte untetyin mpaston # bcltt Crtollra Theotm stabra [nt {n Ginnn AnnJoatb W70lueint Ei= Eann...\n##### Induction refers to when 3. How much Cuso, SHO would you need to weigh out if...\nInduction refers to when 3. How much Cuso, SHO would you need to weigh out if you wanted a sample that contains 5.00 mol of H atoms? (Make sure your response contains appropriate units and sig. digits and the logic and equa tions are shown clearly.) Check your solution (NOT just the final answe...\n##### At 19 weeks pregnant, Royce Young and his wife, Keri, found out that their unborn daughter...\nAt 19 weeks pregnant, Royce Young and his wife, Keri, found out that their unborn daughter had a rare birth defect called anencephaly, a condition in which the baby will be born with an underdeveloped brain and an incomplete skull. Their options were either to terminate the pregnancy or to...\njust the last journal and part b The following inventory transactions apply to Green Company for Year 2: Jan. 1 Apr. 1 Aug. 1 Dec. 1 Purchased Sold Purchased Sold 260 unitse $9 130 units @$ 18 440 units @ $10 550 units @$ 19 The beginning inventory consisted of 195 units at \\$10 per unit. All..."
] | [
null,
"https://img.homeworklib.com/questions/55d337f0-7155-11ea-a0f2-f19d5fdc1e6f.png",
null,
"https://img.homeworklib.com/questions/5643dd40-7155-11ea-8bd3-cbbe81a69b5b.png",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.88225687,"math_prob":0.93195975,"size":3633,"snap":"2023-14-2023-23","text_gpt3_token_len":1246,"char_repetition_ratio":0.19399284,"word_repetition_ratio":0.039215688,"special_character_ratio":0.4153592,"punctuation_ratio":0.21583514,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.95585614,"pos_list":[0,1,2,3,4],"im_url_duplicate_count":[null,1,null,1,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-03-30T02:24:37Z\",\"WARC-Record-ID\":\"<urn:uuid:f75e6a8c-5e73-4ba9-a077-963bce721dec>\",\"Content-Length\":\"112222\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:cbb03fb1-4df3-4f08-9004-d0f12daf855e>\",\"WARC-Concurrent-To\":\"<urn:uuid:2d38efae-9179-455c-a2db-200bdc9c92ab>\",\"WARC-IP-Address\":\"172.67.132.66\",\"WARC-Target-URI\":\"https://solvedlib.com/homework-chapter-10-homework-save-5-of-8-0,403461\",\"WARC-Payload-Digest\":\"sha1:QHZ3YWNXYLTY5T6EW332F7LJQYKAP23F\",\"WARC-Block-Digest\":\"sha1:A2D3R5MTC4STPEX2U6EXF7OBXXGBLO5J\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-14/CC-MAIN-2023-14_segments_1679296949093.14_warc_CC-MAIN-20230330004340-20230330034340-00311.warc.gz\"}"} |
https://www.memrise.com/course/700001/learn-mathematics/270/ | [
"Level 269 Level 271\nLevel 270\n\n## Ignore words\n\nCheck the boxes below to ignore/unignore words, then click save at the bottom. Ignored words will never appear in any learning session.\n\nIgnore?\ncoordinate plane\nA plan formed by the intersection of a horizontal number line called the x-axis and a vertical number line called the y-axis.\ndirect variation\nA situation when one value increases as the other vaule increases or as one decreases the other decreases. y = kx k≠0\nordered pair\nA pair of numbers that can be used to locate a point on a coordinate plane.\norigin\nThe centre point of a number line (ground floor of a hotel, freezing point on a thermometer)\nFour regions into which a coordinate plane is divided by the x-axis and the y-axis\nunit rate\nA rate with the denominator of 1.\nx axis\nThe horizontal axis on a coordinate graph, for the varaible that controls the other (an axis ia a line on a graph)\ny axis\nhas the dependent variable, the vertical line on a graph\nx coordinate\nIn an ordered pair, the value that is always written first.\ny coordinate\nIn an ordered pair, the value that is always written second.\ny=mx+b\nmultiply-multiply\ny=kx^n\ny=a*b^x, b^x=1 or when x=0\na^m*a^n\na^n+m\n(a^m)/(a^n)\na^m-n\ny=kx\nDirect Variation\nStandard From\nAx + By=C\npoint slope form\nwhere m is the slope and (x1, y1) is a point on the line\nExample of distributive property\n5(3 + 1) = 5 × 3 + 5 × 1\nconstant of variation\nk; the coefficient of x\nvaries directly\nis proportional to\nconstant of variation\nthe ratio between two variables that are proportional\nm = k h\nmoney earned (m) is directly proportional to hours worked (h)\nrate\na ratio that compares two quantities with different units of measure\nratio\nA comparison of two quantities, also know as fancy word for fraction.\npercent\n/ division\nRational Number\nAny number that can be expressed as a ratio of two integers. Example; 6 can be expressed as 6/1, and 0.5 as 1/2.\nVariation"
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.8653863,"math_prob":0.994011,"size":2017,"snap":"2019-51-2020-05","text_gpt3_token_len":527,"char_repetition_ratio":0.104321904,"word_repetition_ratio":0.039325844,"special_character_ratio":0.23351513,"punctuation_ratio":0.0631068,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.99948937,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2019-12-09T23:08:53Z\",\"WARC-Record-ID\":\"<urn:uuid:9f6dcb90-1d20-4842-9643-495a99e6ef0c>\",\"Content-Length\":\"155357\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:a3481c4d-1a62-470f-82a8-6fd9213dd4a7>\",\"WARC-Concurrent-To\":\"<urn:uuid:2943efe1-565b-4652-ac08-7ffdead5a964>\",\"WARC-IP-Address\":\"3.222.195.117\",\"WARC-Target-URI\":\"https://www.memrise.com/course/700001/learn-mathematics/270/\",\"WARC-Payload-Digest\":\"sha1:TFROUJVI7RW37JWITE5XTMXJX2XG3PTQ\",\"WARC-Block-Digest\":\"sha1:FTTMXYXIEZUAECODCYPGCFEDYDNFBDYP\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2019/CC-MAIN-2019-51/CC-MAIN-2019-51_segments_1575540525598.55_warc_CC-MAIN-20191209225803-20191210013803-00332.warc.gz\"}"} |
http://scientifictutor.org/1528/chem-college-pressure-and-the-equilibrium-constant-kp/ | [
"## Chem – College: Pressure and the Equilibrium Constant (Kp)\n\nWhat is the equilibrium constant Kp and how does it relate to pressure?\n\nYou can also talk about a chemical equation and its equilibrium in the form of pressure. Most books and teachers will call this equilibrium constant Kp. It works the same as any other equilibrium constant. All the same rules apply as in the equilibrium equations we have been solving for so far. The only difference is you can use the values of pressure (usually in atm, torr, mmHg, or Pa). For the examples I give I will use the units of atm. Because Kp does not directly involve concentration the Kp equation for the equilibrium constant is slightly different. You don’t use brackets in the equation so the equation looks like the one below.\n\nFor the chemical equation: N2(g) + 3 H2(g) <—-> 2 NH3(g)\n\n Kp = ( NH3 )2 ( N2 ) ( H2 )3\n\nVIDEO Solving the Equilibrium Equation (Kp) Demonstrated Example 1: What is the equilibrium constant of the equation below when the pressure at equilibrium of C4 is 1atm, O2 is 4atm, and CO2 is 5atm?\n\nC4(s) + 4 O2(g) <—-> 4 CO2(g)\n\nWhat is the equilibrium equation look like with chemicals?\n\n Kp = ( CO2 )4 ( O2 )4\n\nC4 is not shown above because it is a solid. Replace the chemicals with their corresponding pressure (numbers).\n\n Kp = ( 5atm )4 ( 4atm )4\n\nCalculate in steps. First the exponents.\n\n Kp = ( 625atm4 ) ( 256atm4 )\n\nThen divide top and bottom\n\n Kp = 2.44 1\n\nPRACTICE PROBLEMS: Solve the problems below for the Kp or different pressures.\n\nWhat is the Kp of the equation below when the pressure at equilibrium of N2O3 is 20atm, N2 is 5atm, and O2 is 9atm?\n\n2 N2O3(g) <——> 2 N2(g) + 3 O2(g)\n\nWhat is the equilibrium constant of the equation below when the pressure at equilibrium of Ba(OH)2 is 0.1atm, HCl is 0.2 atm, and BaCl2 is 0.4atm?\n\nBa(OH)2(aq) + 2 HCl(aq) <—-> 2 H2O(l) + BaCl2(aq)\n\nWhat is the pressure of O2 in the equation below when the pressure at equilibrium of H2O is 0.7atm, H2 is 40atm, and Kp is 65atm?\n\n2 H2O(g) <—-> 2 H2(g) + O2(g)\n\nAnswer: pressure of O2 = 0.02 atm\n\nWhat is the pressure of NH3 in the equation below when the pressure at equilibrium of OF2 is 0.5 atm, N2F4 is 1.3atm, O2 is 2.5atm, H2 is 0.8atm, and the Kp is 2.7 * 102atm?\n\n2 OF2(g) + 2 NH3(g) <—> N2F4(g) + O2(g) + 3 H2(g)\n\nAnswer: pressure of NH3 = 0.157 atm",
null,
"",
null,
""
] | [
null,
"https://www.paypalobjects.com/en_US/i/scr/pixel.gif",
null,
"http://scientifictutor.org/wp-content/uploads/2016/09/Patreon-e1473193051600.png",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.8409438,"math_prob":0.99961084,"size":2323,"snap":"2023-40-2023-50","text_gpt3_token_len":778,"char_repetition_ratio":0.20008625,"word_repetition_ratio":0.09750567,"special_character_ratio":0.32802412,"punctuation_ratio":0.11133201,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9998252,"pos_list":[0,1,2,3,4],"im_url_duplicate_count":[null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-09-24T06:28:40Z\",\"WARC-Record-ID\":\"<urn:uuid:19432317-f33c-4a18-b681-c215588331b8>\",\"Content-Length\":\"29486\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:c66b238e-f5c7-4634-8172-9da130d6af2e>\",\"WARC-Concurrent-To\":\"<urn:uuid:838c2fe3-1faf-4acc-884f-b7cb8b676610>\",\"WARC-IP-Address\":\"162.144.109.137\",\"WARC-Target-URI\":\"http://scientifictutor.org/1528/chem-college-pressure-and-the-equilibrium-constant-kp/\",\"WARC-Payload-Digest\":\"sha1:TZVPYJIHI2QW3JPAZ5KWDYC5IJRYOGCG\",\"WARC-Block-Digest\":\"sha1:MVU4HJICIA6WJCJYUWODYWIHBYIX6DSS\",\"WARC-Identified-Payload-Type\":\"application/xhtml+xml\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-40/CC-MAIN-2023-40_segments_1695233506623.27_warc_CC-MAIN-20230924055210-20230924085210-00474.warc.gz\"}"} |
https://adam.scherlis.com/2023/01/01/fun-math-facts-about-2023/ | [
"# Fun math facts about 2023\n\n2023=7×172\n\nMaybe that’s not fun enough? Try this:\n\n2023=211−52\n\nOr better yet:\n\n20233=(31176029+245568392)/(384321573)\n\nWe can scientifically quantify how fun a math fact is, so we can rest assured that this is the funnest fact about 2023 ever discovered.\n\nBut if it’s not to your liking:\n\n2023=(21034−1)/41\n\n2023=(5511+24)/17\n\n2023=(3647+27)/17\n\n2023=(24792−36)/72=(2279/7)2−(33/7)2\n\nHappy New Year!"
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.5956002,"math_prob":0.74857056,"size":390,"snap":"2022-40-2023-06","text_gpt3_token_len":140,"char_repetition_ratio":0.12176166,"word_repetition_ratio":0.0,"special_character_ratio":0.53846157,"punctuation_ratio":0.08139535,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.99707276,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-02-01T16:50:00Z\",\"WARC-Record-ID\":\"<urn:uuid:0aa69edf-5a72-4f16-8015-ff6272e8db16>\",\"Content-Length\":\"88167\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:f3b322fb-625f-4a8e-929a-ccf59b02b5ea>\",\"WARC-Concurrent-To\":\"<urn:uuid:237ab9cd-6945-4fad-ba98-0c2b779d5043>\",\"WARC-IP-Address\":\"192.0.78.13\",\"WARC-Target-URI\":\"https://adam.scherlis.com/2023/01/01/fun-math-facts-about-2023/\",\"WARC-Payload-Digest\":\"sha1:XHKD2MVEKE75XWVEEFHMGEYTJBERJFNY\",\"WARC-Block-Digest\":\"sha1:YLEQY6M7XT5HBFCIDLWAONZA62ATXTJB\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-06/CC-MAIN-2023-06_segments_1674764499946.80_warc_CC-MAIN-20230201144459-20230201174459-00055.warc.gz\"}"} |
http://mathskills4kids.com/number-patterns-worksheets-pdf-grade-4 | [
"# Number Patterns Worksheets Pdf Grade 4 - Shapes and Patterns Worksheets for Grade 4 PDF\n\nNumber patterns worksheets pdf grade 4 has been created to enhance kid’s understanding of mathematical relationships. Nonetheless, with our shapes and patterns worksheets for grade 4 pdf, your kids will gain mastery of sequencing, leading to extraordinary number sense skills, logic structure in algebra, and establishing order in life.\n\nAs it is essential to introduce kids to a variety of repeating patterns, so too is understanding of pattern rule grade 4 of vital importance.\n\n##",
null,
"4th GRADE MATH PRINTABLES\n\nPattern rules are an excellent strategy to strengthen kid’s skills on the four basic math operations. This is because these rules use at least one or more mathematical operations to describe the relationship between consecutive numbers in the pattern.\n\n### Simple strategies to instant mastering patterns and sequences concept\n\nProvided here are simple strategies to instant mastering patterns and sequences concept. These strategies involve concentration, intuition and pattern rule.\n\nFollowing pattern rule grade 4, every activity in shapes and patterns worksheets for grade 4 pdf first of all requires kids to have a full concentration and thus perceive whether numbers are getting larger or smaller as the sequence continues.\n\nSecondly, you will now put your four basic math operations (add, subtract, multiply, divide) skills at work given that;\n\n-You add or multiply when you notice that numbers gets larger as the sequence continues.\n\n-You subtract or divide when you notice that numbers gets smaller as the sequence continues.\n\n•"
] | [
null,
"http://mathskills4kids.com/content/images/five-stars.png",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.88749576,"math_prob":0.8601062,"size":2168,"snap":"2021-43-2021-49","text_gpt3_token_len":422,"char_repetition_ratio":0.1409427,"word_repetition_ratio":0.0862069,"special_character_ratio":0.19372694,"punctuation_ratio":0.10236221,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.97099316,"pos_list":[0,1,2],"im_url_duplicate_count":[null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-10-19T20:48:02Z\",\"WARC-Record-ID\":\"<urn:uuid:5343db8f-b7cb-424d-90cf-930a32055b35>\",\"Content-Length\":\"50933\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:522ee863-6fde-4779-8ff5-9699ef628064>\",\"WARC-Concurrent-To\":\"<urn:uuid:6b46036c-4a8f-44fa-b542-271925f30901>\",\"WARC-IP-Address\":\"66.85.133.203\",\"WARC-Target-URI\":\"http://mathskills4kids.com/number-patterns-worksheets-pdf-grade-4\",\"WARC-Payload-Digest\":\"sha1:OBIDW3TBGQPFXGXEDPF7SYAIL27GJV6B\",\"WARC-Block-Digest\":\"sha1:FQEUQEDML2FHZZQ2HJIKMT7ABX7XU742\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-43/CC-MAIN-2021-43_segments_1634323585281.35_warc_CC-MAIN-20211019202148-20211019232148-00247.warc.gz\"}"} |
https://www.gradesaver.com/textbooks/math/precalculus/precalculus-6th-edition-blitzer/chapter-4-section-4-4-trigonometric-functions-of-any-angle-exercise-set-page-575/81 | [
"## Precalculus (6th Edition) Blitzer\n\nPublished by Pearson\n\n# Chapter 4 - Section 4.4 - Trigonometric Functions of Any Angle - Exercise Set - Page 575: 81\n\n#### Answer\n\nThe exact value of the expression is $\\frac{\\sqrt{2}}{2}$.\n\n#### Work Step by Step\n\n$\\cos \\frac{23\\pi }{4}$ lies in quadrant IV. Subtract $4\\pi$ from $\\frac{23\\pi }{4}$ to find the positive co-terminal angles less than $2\\pi$. \\begin{align} & \\theta =\\frac{23\\pi }{4}-4\\pi \\\\ & =\\frac{23\\pi -16\\pi }{4} \\\\ & =\\frac{7\\pi }{4} \\end{align} The positive acute angle formed by the terminal side of $\\theta$ and the x-axis is the reference angle ${\\theta }'$. Since $\\frac{7\\pi }{4}$ angle lies in quadrant IV, subtract $\\frac{7\\pi }{4}$ from $2\\pi$ to find the reference angle. \\begin{align} & {\\theta }'=2\\pi -\\frac{7\\pi }{4} \\\\ & =\\frac{8\\pi -7\\pi }{4} \\\\ & =\\frac{\\pi }{4} \\end{align} Hence, $\\cos \\frac{\\pi }{4}=\\frac{\\sqrt{2}}{2}$ In quadrant I all the trigonometric function are positive. In quadrant II sine and cosecant are positive and all other trigonometric functions are negative. In quadrant III tangent and cotangent are positive and all other trigonometric functions are negative. In quadrant IV cosine and secant are positive and all other trigonometric functions are negative. Here, the cosine is positive in quadrant IV. Therefore, $\\cos \\frac{23\\pi }{4}=\\cos \\frac{\\pi }{4}$ Substitute $\\frac{\\sqrt{2}}{2}$ for $\\cos \\frac{\\pi }{4}$. $\\cos \\frac{23\\pi }{4}=\\frac{\\sqrt{2}}{2}$ The exact value of the expression is $\\frac{\\sqrt{2}}{2}$.\n\nAfter you claim an answer you’ll have 24 hours to send in a draft. An editor will review the submission and either publish your submission or provide feedback."
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.66031075,"math_prob":0.99946064,"size":1357,"snap":"2021-21-2021-25","text_gpt3_token_len":451,"char_repetition_ratio":0.16999261,"word_repetition_ratio":0.140625,"special_character_ratio":0.36182755,"punctuation_ratio":0.06225681,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.99998987,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-06-20T21:51:43Z\",\"WARC-Record-ID\":\"<urn:uuid:4b403d69-114e-4196-a82f-8a1c4d62e513>\",\"Content-Length\":\"104382\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:8cc589a2-c98f-4eb5-9894-14369df7f693>\",\"WARC-Concurrent-To\":\"<urn:uuid:5de4942e-6cdc-4fe7-bfbd-b0c28a301111>\",\"WARC-IP-Address\":\"54.158.15.170\",\"WARC-Target-URI\":\"https://www.gradesaver.com/textbooks/math/precalculus/precalculus-6th-edition-blitzer/chapter-4-section-4-4-trigonometric-functions-of-any-angle-exercise-set-page-575/81\",\"WARC-Payload-Digest\":\"sha1:AXDYJIH54PQKAJLHICPGCJFTHRKXDYFE\",\"WARC-Block-Digest\":\"sha1:CWS7SX7C6QUMHPD25LSFT2NDXOSOP3XP\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-25/CC-MAIN-2021-25_segments_1623488257796.77_warc_CC-MAIN-20210620205203-20210620235203-00071.warc.gz\"}"} |
https://answers.everydaycalculation.com/multiply-fractions/8-24-times-3-63 | [
"Solutions by everydaycalculation.com\n\n## Multiply 8/24 with 3/63\n\nThis multiplication involving fractions can also be rephrased as \"What is 8/24 of 3/63?\"\n\n8/24 × 3/63 is 1/63.\n\n#### Steps for multiplying fractions\n\n1. Simply multiply the numerators and denominators separately:\n2. 8/24 × 3/63 = 8 × 3/24 × 63 = 24/1512\n3. After reducing the fraction, the answer is 1/63\n\nMathStep (Works offline)",
null,
"Download our mobile app and learn to work with fractions in your own time:"
] | [
null,
"https://answers.everydaycalculation.com/mathstep-app-icon.png",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.83409655,"math_prob":0.98635817,"size":398,"snap":"2020-34-2020-40","text_gpt3_token_len":148,"char_repetition_ratio":0.15989847,"word_repetition_ratio":0.0,"special_character_ratio":0.42713568,"punctuation_ratio":0.06666667,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.98375845,"pos_list":[0,1,2],"im_url_duplicate_count":[null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2020-09-23T00:47:50Z\",\"WARC-Record-ID\":\"<urn:uuid:25359a7e-4b44-4455-a8a3-b024d0d34836>\",\"Content-Length\":\"7109\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:da0e47b8-465f-4dff-9dfc-c759df367776>\",\"WARC-Concurrent-To\":\"<urn:uuid:28c52c3d-affb-40b9-a27f-cf46a3f7684b>\",\"WARC-IP-Address\":\"96.126.107.130\",\"WARC-Target-URI\":\"https://answers.everydaycalculation.com/multiply-fractions/8-24-times-3-63\",\"WARC-Payload-Digest\":\"sha1:VEFH5CJWLLKNP7YLGWRPF5NEBKTLC7QZ\",\"WARC-Block-Digest\":\"sha1:ZDDQOPHEHZ3C6LBVYJUN6VYFMUGHJ6AF\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2020/CC-MAIN-2020-40/CC-MAIN-2020-40_segments_1600400208095.31_warc_CC-MAIN-20200922224013-20200923014013-00330.warc.gz\"}"} |
https://percentages.io/what-is-73-percent-of-8120 | [
"What is % of ?\n5927.6\n\n# How to solve this problem\n\n## A step by step guide\n\nThe purpose of solving this problem is to determine what 73% of 8120 is. One common real life problem where a solution like this may be helpful include calculating how much tip to leave at a restaurant. Solving this problem requires two simple math operations that you can perform on any calculator. The first step is a division and the second step is a multiplication. Here's a cool tip though, you can actually reverse the order of these operations and the result will be the same! Here are the steps:\n\nStep 1: Divide 8120 by 100\nIn this case, the number that we are \"comparing\" to 100 is 8120, so we must first normalize the number by dividing it by 100. The operation we have to solve is this: $$\\frac{8120}{ 100 } = 8120 \\div {{ 100 }} = 81.2$$\n\nStep 2: Multiply 81.2 by 73 to get the solution\nNow that we have our normalized number, 81.2, we just have to multiply it by 73 to get our final answer. The forumla for this is obviously quite simple: $$81.2 \\times 73 = 5927.6$$\n\nThat's all there is to it! Note that you can replace these values with new ones from any similar problem.\n\nSimilar problems"
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.92962855,"math_prob":0.9953004,"size":1133,"snap":"2020-10-2020-16","text_gpt3_token_len":293,"char_repetition_ratio":0.10717449,"word_repetition_ratio":0.0,"special_character_ratio":0.29037952,"punctuation_ratio":0.10084034,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9990214,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2020-02-23T09:08:44Z\",\"WARC-Record-ID\":\"<urn:uuid:a9e184f0-c922-446f-88f7-7e0d9538e50d>\",\"Content-Length\":\"33742\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:db77aaee-ab41-4a08-8ee1-e1e66a575062>\",\"WARC-Concurrent-To\":\"<urn:uuid:a475bef8-3212-456e-a4e6-a203acaa7e90>\",\"WARC-IP-Address\":\"34.239.215.123\",\"WARC-Target-URI\":\"https://percentages.io/what-is-73-percent-of-8120\",\"WARC-Payload-Digest\":\"sha1:AZ5FSTYWHSK4HIHQN3AOZCZCFDJDQGQT\",\"WARC-Block-Digest\":\"sha1:22HN2GXME6U6POFNBJVMPHROR7YH5UQ4\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2020/CC-MAIN-2020-10/CC-MAIN-2020-10_segments_1581875145747.6_warc_CC-MAIN-20200223062700-20200223092700-00450.warc.gz\"}"} |
https://www.civillead.com/unit-weight-of-building-materials/ | [
"# Unit Weight of Building Materials Used In Construction\n\n## What is Unit Weight?\n\nUnit weight or specific weight of any material is its weight per unit volume that means in a unit volume, how much weight of the material can be placed.\n\nVolume is measured in litres or cubic meters, and weight is expressed in kg or kilo Newton. Hence it is expressed in KN/m3 in the SI unit and KG/ m3 in the MKS unit system, and g/cc in the CGS unit system.\n\nUnit or Specific Weight = Weight / Volume = W / V\n\n## What is Density?\n\nThe density of any substance/material is its mass per unit volume, and it is expressed in KG/ m3 or lb/m3. The symbol Rho (ρ) represents it.\n\nDensity describes the level of compactness of a substance. If the material has more density, that means it is more compact.\n\nDensity = Mass / Volume\n\nρ = M/V\n\n## What is the difference Between Unit or Specific Weight and Density?\n\nUnit weight of any substance is its weight per unit volume, while the density of any material is its mass per unit volume. Both terms can be used interchangeably.\n\nTo understand the difference between unit weight and the density first, we need to understand the difference between weight and mass.\n\nAny substance or material on this planet or anywhere has some mass, and it can’t be zero, and it is measured in kg. M denotes it.\n\nM = w/g\n\nWhile weight is a force due to gravity acceleration and it is measured in newton. If there is no gravity acceleration, it may be zero. It is denoted by W.\n\nW = m × g\n\nWhere g = acceleration due to gravity\n\nI hope now you understood the difference between these two terms.\n\n## Why is Unit Weight Important?\n\nThe unit weight is essential for weight calculation purposes. With the help of Unit Weight, we can calculate the weight of any material.\n\nIt also helps to determine the structure’s weight, which is designed to carry the specific load so that it remains intact and within limits.\n\nUnit weight of any material also helps to calculate the quantity of material required for particular space.\n\nThe density of any material also decides whether it will sink or float on water. Suppose the substance density is less than water’s density.\n\nIn that case, it will float, and if the substance density is more than the water’s density, it will sink into the water.\n\n## Unit Weight of MaterialsUsed In Construction\n\nHere we are providing the unit weight of different building materials in alphabetical order for your convenience.\n\nConversion:\n\n1 kN/m3 = 101.9716 kg/m3 say = 100 kg/m3 (round off)\n\n1 kg/m3 = 0.0624 lb/ft3"
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.6601522,"math_prob":0.9887729,"size":7248,"snap":"2023-40-2023-50","text_gpt3_token_len":3217,"char_repetition_ratio":0.09221425,"word_repetition_ratio":0.0102476515,"special_character_ratio":0.5332506,"punctuation_ratio":0.15615962,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.993346,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-12-02T19:26:30Z\",\"WARC-Record-ID\":\"<urn:uuid:e5f8996a-4fdd-4c78-a92f-f0c7ace1f539>\",\"Content-Length\":\"153124\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:e539d52a-5668-4659-858f-ac5b3dbc81a7>\",\"WARC-Concurrent-To\":\"<urn:uuid:01b9df48-c441-44fb-b755-9e29799529b1>\",\"WARC-IP-Address\":\"172.67.212.93\",\"WARC-Target-URI\":\"https://www.civillead.com/unit-weight-of-building-materials/\",\"WARC-Payload-Digest\":\"sha1:SAL5BU7DCHMUZSM2K4X5BMFYG6UUUQT2\",\"WARC-Block-Digest\":\"sha1:CXMSEGC2KQ5VAXBGJ7DZKV4GVVTJ2JB6\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-50/CC-MAIN-2023-50_segments_1700679100448.65_warc_CC-MAIN-20231202172159-20231202202159-00474.warc.gz\"}"} |
https://sciencenotes.org/calculating-molarity-example-problem/ | [
"# Calculating Molarity Example Problem 1",
null,
"Molarity is a measure of the concentration of a solute in a solution. This molarity example problem shows the steps needed to calculate the molarity of a solution given the amount of solute and the desired volume of solution.\n\nProblem\n\nCalculate the molarity of a solution created by pouring 7.62 grams of MgCl2 into enough water to create 400 mL of solution.\n\nSolution\n\nThe formula to calculate molarity is",
null,
"In this case, the solute is 7.62 grams of MgCl2. The formula needs the number of moles.\n\nUsing a periodic table, the molecular mass of MgCl2 is 95.21 grams/mol. Find the number of moles in 7.62 grams in MgCl2.",
null,
"moles MgCl2 = 0.08 moles\n\nMolarity also needs to have the volume in liters, not milliliters.\n\nThe final volume of our solution is 400 mL, which is 0.4 L.\n\nPlug this information into the formula",
null,
"M = 0.2 moles/L or 0.2 M"
] | [
null,
"data:image/gif;base64,R0lGODlhAQABAIAAAAAAAP///yH5BAEAAAAALAAAAAABAAEAAAIBRAA7",
null,
"data:image/gif;base64,R0lGODlhAQABAIAAAAAAAP///yH5BAEAAAAALAAAAAABAAEAAAIBRAA7",
null,
"data:image/gif;base64,R0lGODlhAQABAIAAAAAAAP///yH5BAEAAAAALAAAAAABAAEAAAIBRAA7",
null,
"data:image/gif;base64,R0lGODlhAQABAIAAAAAAAP///yH5BAEAAAAALAAAAAABAAEAAAIBRAA7",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.8697274,"math_prob":0.99721074,"size":888,"snap":"2019-51-2020-05","text_gpt3_token_len":241,"char_repetition_ratio":0.16515838,"word_repetition_ratio":0.012738854,"special_character_ratio":0.25112614,"punctuation_ratio":0.119170986,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.99981517,"pos_list":[0,1,2,3,4,5,6,7,8],"im_url_duplicate_count":[null,null,null,null,null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2019-12-06T04:17:16Z\",\"WARC-Record-ID\":\"<urn:uuid:e5a3a29b-9248-47ca-ac7c-980f662157fa>\",\"Content-Length\":\"50761\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:b7a941c4-431e-431b-93f2-ef6f47f30cb7>\",\"WARC-Concurrent-To\":\"<urn:uuid:1daea908-0eb7-49e3-81e8-7fb0713e46ae>\",\"WARC-IP-Address\":\"146.66.100.151\",\"WARC-Target-URI\":\"https://sciencenotes.org/calculating-molarity-example-problem/\",\"WARC-Payload-Digest\":\"sha1:UKOXSBL4KPYUB2U7CHBUDAROSHE5RYU2\",\"WARC-Block-Digest\":\"sha1:UT4XYUTMKQTOYPAMRBB2OZCO6C34QBZP\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2019/CC-MAIN-2019-51/CC-MAIN-2019-51_segments_1575540484477.5_warc_CC-MAIN-20191206023204-20191206051204-00423.warc.gz\"}"} |
https://dsp.stackexchange.com/questions/48037/is-it-possible-to-replace-an-integrator-system-with-an-equivalent-differentiator | [
"# Is it possible to replace an integrator system with an equivalent differentiator?\n\nI have a system whose input-output relation is as follows\n\n$$y(t)=x(t)+\\int_{-\\infty }^{t} x(\\tau) \\,\\mathrm d \\tau$$\n\nCan I create an equivalent system by using differentiators rather than integrators?\n\nI think something like taking derivative of both sides of the equation but improper integral makes it hard. Is there any nice way to convert this system? Thanks in advance.\n\n• How can a differentiator be \"equivalent\" to an integrator? To me it's unclear what you're trying to do. – Matt L. Mar 23 '18 at 8:31\n• Integration is the opposite of differentiation, so that will not be possible. If the integral bothers you, the function can be rewritten as $$y(t)=x(t) + x(t)*\\epsilon (-t)$$ – Max Mar 23 '18 at 8:57\n• yes, you can typically create equivalent block diagram in terms of just differentiators or just integrators. In circuit theory a gyrator en.m.wikipedia.org/wiki/Gyrator can do this. An inductor can be made to behave like a capacitor. – user28715 Mar 23 '18 at 9:42\n• @Stanley Pawlukiewicz Thanks for brief explanation and source. – Tokugava Mar 23 '18 at 9:57\n• Do you want to convert the integral equation into a differential equation? Or do you want a block diagram that uses differentiators rather than integrators? – Rodrigo de Azevedo Mar 23 '18 at 12:02\n\nTypically you can devise equivalent block diagrams in terms of just integrators or just differentiators.\n\nA simple example is on page 2-15 of\n\nhttps://web.stanford.edu/~boyd/ee102/systems.pdf\n\nwhich should look remarkably familiar. You should be cautioned that mathematical equivalence doesn't mean that there aren't reasons where one form would be prefered over the other. OP Amp integrators have better noise characteristics. You also have to band limit an analog differentiator to make it physically realizable.\n\nAnother issue is that they will not in general have the same complexity.\n\nWhen modeling ordinary differential equations systems, $$\\mathbf{M}(t) \\frac{d \\mathbf{y}(t)}{dt}= \\mathbf{g}(t,\\mathbf{y})$$ where $\\mathbf{M}(t)$ (mass matrix) is invertible is often more sparse for physical systems than $$\\frac{d \\mathbf{y}(t)}{dt}= \\mathbf{h}(t,\\mathbf{y})$$ which is a more general way of writing the common state space representation.\n\nOne can write : $$\\frac{d \\mathbf{y}(t)}{dt}= \\mathbf{M}^{-1}(t)\\mathbf{g}(t,\\mathbf{y})$$ but if $\\mathbf{M}(t)$ is sparse, $\\mathbf{M}^{-1}(t)$ probably isn't ,which makes a big difference when the dimension of $\\mathbf{y}$ is large.\n\nThe Matlab Control systems toolbox also includes state variable equations of the form\n\n$$\\mathbf{E} \\frac{d \\mathbf{y}}{dt}= \\mathbf{A}\\mathbf{y}+ \\mathbf{B}\\mathbf{u}$$"
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.81913316,"math_prob":0.99757445,"size":1354,"snap":"2020-34-2020-40","text_gpt3_token_len":388,"char_repetition_ratio":0.15555556,"word_repetition_ratio":0.0,"special_character_ratio":0.26366323,"punctuation_ratio":0.07786885,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9997993,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2020-08-12T06:23:08Z\",\"WARC-Record-ID\":\"<urn:uuid:eceb025e-24ea-4837-af08-0bd6556c3c02>\",\"Content-Length\":\"151166\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:87f1a996-8bc2-4f0c-a167-dbdd71674e45>\",\"WARC-Concurrent-To\":\"<urn:uuid:fa765397-11ad-4e1d-91b9-6a21dd6f0fde>\",\"WARC-IP-Address\":\"151.101.65.69\",\"WARC-Target-URI\":\"https://dsp.stackexchange.com/questions/48037/is-it-possible-to-replace-an-integrator-system-with-an-equivalent-differentiator\",\"WARC-Payload-Digest\":\"sha1:5OB4VA4XA4LNPUFP23CVIGJCKU7HVVJK\",\"WARC-Block-Digest\":\"sha1:DPED7HG2F4UWNA2VMUCLLLYZKFWRKOC4\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2020/CC-MAIN-2020-34/CC-MAIN-2020-34_segments_1596439738878.11_warc_CC-MAIN-20200812053726-20200812083726-00261.warc.gz\"}"} |
https://www.jobilize.com/course/section/box-counting-dimension-decision-trees-by-openstax?qcr=www.quizover.com | [
"# 0.11 Decision trees (Page 5/5)\n\n Page 5 / 5\n\nThe dyadic decision trees studied here are different than classical tree rules, such as CART orC4.5. Those techniques select a tree according to\n\n$\\stackrel{^}{k}=arg\\underset{k\\ge 1}{min}\\left\\{{\\stackrel{^}{R}}_{n},\\left({\\stackrel{^}{f}}_{n}^{\\left(k\\right)}\\right),+,\\alpha ,k\\right\\},$\n\nfor some $\\alpha >0$ whereas ours was roughly\n\n$\\stackrel{^}{k}=arg\\underset{k\\ge 1}{min}\\left\\{{\\stackrel{^}{R}}_{n},\\left({\\stackrel{^}{f}}_{n}^{\\left(k\\right)}\\right),+,\\alpha ,\\sqrt{k}\\right\\},$\n\nfor $\\alpha \\approx \\sqrt{\\frac{3log2}{2n}}$ . The square root penalty is essential for the risk bound. No such bound exists for CARTor C4.5. Moreover, recent experimental work has shown that the square root penalty often performs better in practice. Finally,recent results show that a slightly tighter bounding procedure for the estimation error can be used to show thatdyadic decision trees (with a slightly different pruning procedure) achieve a rate of\n\n$E\\left[R\\left({\\stackrel{^}{f}}_{n}^{T}\\right)\\right]-{R}^{*}\\phantom{\\rule{4pt}{0ex}}=\\phantom{\\rule{4pt}{0ex}}O\\left({n}^{-1/2}\\right),\\phantom{\\rule{4pt}{0ex}}\\phantom{\\rule{4.pt}{0ex}}\\text{as}\\phantom{\\rule{4.pt}{0ex}}n\\to \\infty ,$\n\nwhich turns out to be the minimax optimal rate (i.e., under the boundary assumptions above, no method can achieve a faster rate of convergence tothe Bayes error).\n\n## Box counting dimension\n\nThe notion of dimension of a sets arises in many aspects of mathematics, and it is particularly relevant to the study offractals (that besides some important applications make really cool t-shirts). The dimension somehow indicates how we shouldmeasure the contents of a set (length, area, volume, etc...). The box-counting dimension is a simple definition of the dimension ofa set. The main idea is to cover the set with boxes with sidelength $r$ . Let $N\\left(r\\right)$ denote the smallest number of such boxes, then the box counting dimension is defined as\n\n$\\underset{r\\to 0}{lim}\\frac{logN\\left(r\\right)}{-logr}.$\n\nAlthough the boxes considered above do not need to be aligned on a rectangulargrid (and can in fact overlap) we can usually consider them over a grid and obtain an upper bound on the box-counting dimension. Toillustrate the main ideas let's consider a simple example, and connect it to the classification scenario considered before.\n\nLet $f:\\left[0,1\\right]\\to \\left[0,1\\right]$ be a Lipschitz function, with Lipschitz constant $L$ ( i.e., $|f\\left(a\\right)-f\\left(b\\right)|\\le L|a-b|,\\phantom{\\rule{4pt}{0ex}}\\forall a,b\\in \\left[0,1\\right]$ ). Define the set\n\n$A=\\left\\{x=\\left({x}_{1},{x}_{2}\\right):{x}_{2}=f\\left({x}_{1}\\right)\\right\\},$\n\nthat is, the set $A$ is the graphic of function $f$ .\n\nConsider a partition with ${k}^{2}$ squared boxes (just like the ones we used in the histograms), the points in set $A$ intersect at most ${C}^{\\text{'}}k$ boxes, with ${C}^{\\text{'}}=\\left(1+⌈L⌉\\right)$ (and also the number of intersected boxes is greater than $k$ ). The sidelength of the boxes is $1/k$ therefore the box-counting dimension of $A$ satisfies\n\n$\\begin{array}{ccc}\\hfill {dim}_{B}\\left(A\\right)& \\le & \\underset{1/k\\to 0}{lim}\\frac{log{C}^{\\text{'}}k}{-log\\left(1/k\\right)}\\hfill \\\\ & =& \\underset{k\\to \\infty }{lim}\\frac{log{C}^{\\text{'}}+log\\left(k\\right)}{log\\left(k\\right)}\\hfill \\\\ & =& 1.\\hfill \\end{array}$\n\nThe result above will hold for any “normal” set $A\\subseteq {\\left[0,1\\right]}^{2}$ that does not occupy any area. For most sets the box-counting dimension is always going to be an integer, butfor some “weird” sets (called fractal sets) it is not an integer. For example, the Koch curvehas box-counting dimension $log\\left(4\\right)/log\\left(3\\right)=1.26186...$ . This means that it is not quite as small as a 1-dimensional curve, but not as big as a2-dimensional set (hence occupies no area).\n\nTo connect these concepts to our classification scenario consider a simple example. Let $\\eta \\left(x\\right)=P\\left(Y=1|X=x\\right)$ and assume $\\eta \\left(x\\right)$ has the form\n\n$\\eta \\left(x\\right)=\\frac{1}{2}+{x}_{2}-f\\left({x}_{1}\\right),\\phantom{\\rule{1.em}{0ex}}\\forall x\\equiv \\left({x}_{1},{x}_{2}\\right)\\in \\mathcal{X},$\n\nwhere $f:\\left[0,1\\right]\\to \\left[0,1\\right]$ is Lipschitz with Lipschitz constant $L$ . The Bayes classifier is then given by\n\n${f}^{*}\\left(x\\right)={\\mathbf{1}}_{\\left\\{\\eta \\left(x\\right)\\ge 1/2\\right\\}}\\equiv {\\mathbf{1}}_{\\left\\{{x}_{2}\\ge f\\left({x}_{1}\\right)\\right\\}}.$\n\nThis is depicted in [link] . Note that this is a special, restricted class of problems. That is, we areconsidering the subset of all classification problems such that the joint distribution ${P}_{XY}$ satisfies $P\\left(Y=1|X=x\\right)=1/2+{x}_{2}-f\\left({x}_{1}\\right)$ for some function $f$ that is Lipschitz. The Bayes decision boundary is therefore given by\n\n$A=\\left\\{x=\\left({x}_{1},{x}_{2}\\right):{x}_{2}=f\\left({x}_{1}\\right)\\right\\}.$\n\nHas we observed before this set has box-counting dimension 1.\n\nwhat is the stm\nHow we are making nano material?\nwhat is a peer\nWhat is meant by 'nano scale'?\nWhat is STMs full form?\nLITNING\nscanning tunneling microscope\nSahil\nhow nano science is used for hydrophobicity\nSantosh\nDo u think that Graphene and Fullrene fiber can be used to make Air Plane body structure the lightest and strongest. Rafiq\nRafiq\nwhat is differents between GO and RGO?\nMahi\nwhat is Nano technology ?\nwrite examples of Nano molecule?\nBob\nThe nanotechnology is as new science, to scale nanometric\nbrayan\nnanotechnology is the study, desing, synthesis, manipulation and application of materials and functional systems through control of matter at nanoscale\nDamian\nIs there any normative that regulates the use of silver nanoparticles?\nwhat king of growth are you checking .?\nRenato\nWhat fields keep nano created devices from performing or assimulating ? Magnetic fields ? Are do they assimilate ?\nwhy we need to study biomolecules, molecular biology in nanotechnology?\n?\nKyle\nyes I'm doing my masters in nanotechnology, we are being studying all these domains as well..\nwhy?\nwhat school?\nKyle\nbiomolecules are e building blocks of every organics and inorganic materials.\nJoe\nanyone know any internet site where one can find nanotechnology papers?\nresearch.net\nkanaga\nsciencedirect big data base\nErnesto\nIntroduction about quantum dots in nanotechnology\nwhat does nano mean?\nnano basically means 10^(-9). nanometer is a unit to measure length.\nBharti\ndo you think it's worthwhile in the long term to study the effects and possibilities of nanotechnology on viral treatment?\nabsolutely yes\nDaniel\nhow to know photocatalytic properties of tio2 nanoparticles...what to do now\nit is a goid question and i want to know the answer as well\nMaciej\nAbigail\nfor teaching engĺish at school how nano technology help us\nAnassong\nHow can I make nanorobot?\nLily\nDo somebody tell me a best nano engineering book for beginners?\nthere is no specific books for beginners but there is book called principle of nanotechnology\nNANO\nhow can I make nanorobot?\nLily\nwhat is fullerene does it is used to make bukky balls\nare you nano engineer ?\ns.\nfullerene is a bucky ball aka Carbon 60 molecule. It was name by the architect Fuller. He design the geodesic dome. it resembles a soccer ball.\nTarell\nwhat is the actual application of fullerenes nowadays?\nDamian\nThat is a great question Damian. best way to answer that question is to Google it. there are hundreds of applications for buck minister fullerenes, from medical to aerospace. you can also find plenty of research papers that will give you great detail on the potential applications of fullerenes.\nTarell\nGot questions? Join the online conversation and get instant answers!",
null,
"",
null,
"By",
null,
"",
null,
"By Rhodes",
null,
"By Danielrosenberger",
null,
"",
null,
"By",
null,
"",
null,
"By",
null,
"By"
] | [
null,
"https://www.jobilize.com/quiz/thumb/thermal-fluid-systems-mcq-quiz-by-dr-steve-gibbs.png;jsessionid=eSIeEk_Z9imkvJKnS0UY3piA66jRVZ6fpSjnwEBb.condor3363",
null,
"https://www.jobilize.com/quiz/thumb/biology-ch-01-the-study-of-life-mcq-quiz-openstax-college.png;jsessionid=eSIeEk_Z9imkvJKnS0UY3piA66jRVZ6fpSjnwEBb.condor3363",
null,
"https://farm9.staticflickr.com/8640/16656923381_6bf805ffed_t.jpg",
null,
"https://www.jobilize.com/quiz/thumb/mmt-review-flashcards.png;jsessionid=eSIeEk_Z9imkvJKnS0UY3piA66jRVZ6fpSjnwEBb.condor3363",
null,
"https://www.jobilize.com/quiz/thumb/2011-dynamics-crm-quiz-by-danielrosenberger.png;jsessionid=eSIeEk_Z9imkvJKnS0UY3piA66jRVZ6fpSjnwEBb.condor3363",
null,
"https://farm9.staticflickr.com/8845/18258330488_4fd54b5895_t.jpg",
null,
"https://www.jobilize.com/quiz/thumb/microeconomics-01-what-is-economics-ch-01-flashcards-by-openstax.png;jsessionid=eSIeEk_Z9imkvJKnS0UY3piA66jRVZ6fpSjnwEBb.condor3363",
null,
"https://www.jobilize.com/quiz/thumb/cultural-anthropology-definition-by-prof-richley-crapo-utah-usu.png;jsessionid=eSIeEk_Z9imkvJKnS0UY3piA66jRVZ6fpSjnwEBb.condor3363",
null,
"https://www.jobilize.com/quiz/thumb/sociology-01-an-introduction-to-sociology-mcq-quiz-openstax.png;jsessionid=eSIeEk_Z9imkvJKnS0UY3piA66jRVZ6fpSjnwEBb.condor3363",
null,
"https://www.jobilize.com/quiz/thumb/human-body-anatomy-physiology-essay-quiz.png;jsessionid=eSIeEk_Z9imkvJKnS0UY3piA66jRVZ6fpSjnwEBb.condor3363",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.90621656,"math_prob":0.99426067,"size":3180,"snap":"2019-51-2020-05","text_gpt3_token_len":679,"char_repetition_ratio":0.119962215,"word_repetition_ratio":0.011320755,"special_character_ratio":0.2062893,"punctuation_ratio":0.09671848,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.99811167,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20],"im_url_duplicate_count":[null,1,null,1,null,null,null,1,null,1,null,null,null,1,null,1,null,1,null,1,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2020-01-18T07:12:54Z\",\"WARC-Record-ID\":\"<urn:uuid:fa1613f0-124f-4e9e-9b98-ef4ee804a066>\",\"Content-Length\":\"137672\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:93446d84-6faf-4603-a041-bd9135e11fdf>\",\"WARC-Concurrent-To\":\"<urn:uuid:f7ec2611-2893-4b83-85f1-75ec3e20fe94>\",\"WARC-IP-Address\":\"207.38.87.179\",\"WARC-Target-URI\":\"https://www.jobilize.com/course/section/box-counting-dimension-decision-trees-by-openstax?qcr=www.quizover.com\",\"WARC-Payload-Digest\":\"sha1:57K2IVMEHFKFD5IRJGQZIZKMLPGQWYQD\",\"WARC-Block-Digest\":\"sha1:WFG6TLQYCFZVLIZPXFTNBBDRJTUR6MCF\",\"WARC-Identified-Payload-Type\":\"application/xhtml+xml\",\"warc_filename\":\"/cc_download/warc_2020/CC-MAIN-2020-05/CC-MAIN-2020-05_segments_1579250592261.1_warc_CC-MAIN-20200118052321-20200118080321-00366.warc.gz\"}"} |
https://gcc.gnu.org/legacy-ml/gcc/2007-07/msg00107.html | [
"This is the mail archive of the gcc@gcc.gnu.org mailing list for the GCC project.\n\nIndex Nav: Message Nav: [Date Index] [Subject Index] [Author Index] [Thread Index] [Date Prev] [Date Next] [Thread Prev] [Thread Next] [Raw text]\n\n# Re: About the is_gimple_min_invariant predicate\n\n```> Passes ought to distinguish GIMPLE values from GIMPLE invariants\n> according to context. As this test case shows, a GIMPLE invariant is\n> not always the right value to replace as it cannot be used as a valid\n> ARRAY_REF index.\n\nOK, but the replacement is not made by FRE itself, but by fold:\n\n/* Simplify the binary expression RHS, and return the result if\nsimplified. */\n\nstatic tree\nsimplify_binary_expression (tree rhs)\n{\n[...]\nresult = fold_binary (TREE_CODE (rhs), TREE_TYPE (rhs), op0, op1);\n\n/* Make sure result is not a complex expression consiting\nof operators of operators (IE (a + b) + (a + c))\nOtherwise, we will end up with unbounded expressions if\nfold does anything at all. */\nif (result)\n{\nif (is_gimple_min_invariant (result))\nreturn result;\nelse if (SSA_VAR_P (result))\nreturn result;\nelse if (EXPR_P (result))\n[...]\n\nWe have\n\nTREE_CODE (rhs) = POINTER_PLUS_EXPR\nop0 = &p__name_buffer with TREE_INVARIANT\nop1 = MAX_EXPR <D.738_31, 0>\n\nAt this point, op0 is_gimple_val (and valid GIMPLE) but op1 is not. The\nproblem is that, after the call to fold_binary, we have\n\nresult = &p__name_buffer[(<unnamed-signed:32>) MAX_EXPR <D.738_31, 0> + 1]\n\nand this is_gimple_min_invariant hence accepted by simplify_binary_expression.\nMoreover, is_gimple_min_invariant => is_gimple_val so any subsequent attempt\nto gimplify will fail.\n\n> My proposal is that we add a predicate is_gimple_const() and\n> is_gimple_invariant() such that is_gimple_invariant() is implemented as:\n>\n> bool\n> is_gimple_invariant (tree expr)\n> {\n> if (is_gimple_const (expr))\n> return true;\n> else\n> return TREE_INVARIANT (expr);\n> }\n>\n> And is_gimple_const() is the current is_gimple_min_invariant() without\n> the ARRAY_REF case.\n\nDo you mean \"without the ADDR_EXPR case\" or...?\n\n> So my proposal is that PRE/FRE and the value propagators need to make\n> sure that they propagate is_gimple_invariant() except inside ARRAY_REF\n> indexes.\n\n> Also, we need to update the GIMPLE grammar so that ARRAY_REF and\n> ARRAY_RANGE_REF take the appropriate values:\n>\n> \tinner-compref: ...\n>\n> \t\t\t| ARRAY_REF\n>\n> \t\t\t\top0 -> inner-compref\n> \t\t\t\top1 -> index-val\n> \t\t\t\top2 -> val\n> \t\t\t\top3 -> val\n>\n> \tindex-val: ID | CONST\n>\n> \tval: index-val | invariant\n>\n> \tinvariant: rhs with TREE_INVARIANT set\n\nI don't see why you're special-casing ARRAY_REF (and ARRAY_RANGE_REF). As\nRichard pointed out, there are other rules that would need to be changed.\n\n--\nEric Botcazou\n\n```\n\nIndex Nav: Message Nav: [Date Index] [Subject Index] [Author Index] [Thread Index] [Date Prev] [Date Next] [Thread Prev] [Thread Next]"
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.7187859,"math_prob":0.9261879,"size":2545,"snap":"2020-34-2020-40","text_gpt3_token_len":702,"char_repetition_ratio":0.13892168,"word_repetition_ratio":0.004962779,"special_character_ratio":0.28369352,"punctuation_ratio":0.14423077,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.95128864,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2020-09-26T19:14:50Z\",\"WARC-Record-ID\":\"<urn:uuid:22df0f57-3345-4fc8-80d6-eac2e7a3f2b6>\",\"Content-Length\":\"7317\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:255cbe3e-0771-45e5-9aa1-9630aacf4257>\",\"WARC-Concurrent-To\":\"<urn:uuid:ad003207-2533-40e5-bde7-00ccc1754ddd>\",\"WARC-IP-Address\":\"8.43.85.97\",\"WARC-Target-URI\":\"https://gcc.gnu.org/legacy-ml/gcc/2007-07/msg00107.html\",\"WARC-Payload-Digest\":\"sha1:BBF3F2CXHUIYWWFCSQDOWOXPHFLPWX4D\",\"WARC-Block-Digest\":\"sha1:IBLSYHQAD4FRBASVNL2J4YOYNWFQSJQF\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2020/CC-MAIN-2020-40/CC-MAIN-2020-40_segments_1600400244353.70_warc_CC-MAIN-20200926165308-20200926195308-00748.warc.gz\"}"} |
https://www.xelplus.com/if-function-with-wildcard-partial-text-match/ | [
"# (IF with Wildcards)\n\nHow can we look for an approximate match using wildcards with Excel’s IF Function?\n\n`=IF(YouTu* THEN…)`\n\nCan you use wildcards in the logical test portion of the IF Function?\n\nIt seems like this would be an easy “Yes”, but sadly, it’s not.\n\nWildcards work well with functions like SUMIFS, AVERAGEIFS, and COUNTIFS; sadly, they don’t work with IF functions.\n\nWhy don’t they work with IF functions? Let’s explore the reason why and see if we can come up with a work-around.\n\nNOTE: If you are interested in learning about using wildcards with the SUMIFS function, check out the link below to the post on “EXCEL SUM based on Partial Text Match”.\n\n`Sum Values based on Partial Text Match`",
null,
"# Getting IF to Work with Wildcards\n\nIn the dataset below, we want to write a formula in column B that will search the text in column A. Our formula will search the column A text for the text sequence “AT” and if found display “AT” in column B.",
null,
"It doesn’t matter where the letters “AT” occur in the column A text, we need to see “AT” in the adjacent cell of column B. If the letters “AT” do not occur in the column A text, the formula in column B should display nothing.\n\n# Searching for Text with the IF Function\n\nLet’s begin by selecting cell B5 and entering the following IF formula.\n\n`=IF(A5=”*AT*”,”AT”,””)`",
null,
"Notice the formula returns nothing, even though the text in cell A5 contains the letter sequence “AT”.\n\nThe reason it fails is that Excel doesn’t work well when using wildcards directly after an equals sign in a formula.",
null,
"Any function that uses an equals sign in a logical test does not like to use wildcards in this manner.\n\nBut what about the SUMIFS function?”, I hear you saying.\n\nIf you examine a SUMIFS function, the wildcards don’t come directly after the equals sign; they instead come after an argument. As an example:\n\n`=SUMIFS(\\$C\\$4:\\$C\\$18,\\$A\\$4:\\$A\\$18,”*AT*”)`\n\nThe wildcard usage does not appear directly after an equals sign.\n\n# SEARCH Function to the Rescue\n\nThe first thing we need to understand is the syntax of the SEARCH function. The syntax is as follows:\n\nSEARCH(find_text, within_text, [start_num])\n\n• find_text – is a required argument that defines the text you are searching for.\n• within_text – is a required argument that defines the text in which you want to search for the value defined in the find_text\n• Start_num – is an option argument that defines the character number/position in the within_text argument you wish to start searching. If omitted, the default start character position is 1 (the first character on the left of the text.)\n\nTo see if the search function works properly on its own, lets perform a simple test with the following formula.\n\n`=SEARCH(“AT”,A5)`",
null,
"We are returned a character position which the letters “AT” were discovered by the SEARCH function. The first SEARCH found the letters “AT” beginning in the 1st character position of the text. The next discovery was in the 5th character position, and the last discovery was in the 4th character position.\n\nThe “#VALUE!” responses are the SEARCH function’s way of letting us know that the letters “AT” were not found in the search text.\n\nWe can use this new information to determine if the text “AT” exists in the companion text strings. If we see any number as a response, we know “AT” exists in the text string. If we receive an error response, we know the text “AT” does not exist in the text string.\n\nNOTE: The SEARCH function is NOT case-sensitive. A search for the letters “AT” would find “AT”, “At”, “aT”, and “at”. If you wish to search for text and discriminate between different cases (case-sensitive), use the FIND function. The FIND function works the same as SEARCH, but with the added behavior of case-sensitivity.\n\n# Turning Numbers into Decisions\n\nAn interesting function in Excel is the ISNUMBER function. The purpose of the ISNUMBER function is to return “True” if something is a number and “False” if something is not a number. The syntax is as follows:\n\nISNUMBER(value)\n\n• value – is a required argument that defines the data you are examining. The value can refer to a cell, a formula, or a name that refers to a cell, formula, or value.\n\nLet’s add the ISNUMBER function to the logic of our previous SEARCH function.\n\n`=ISNUMBER(SEARCH(“AT”,A5))`",
null,
"Any cell that contained a numeric response is now reading “True” and any cell that contained an error is now reading “False”.\n\nWe are now able to use the ISNUMBER/SEARCH functions as our wildcard statement in the original IF function.\n\n`=IF(ISNUMBER(SEARCH(“AT”,A5)),”AT”,””)`",
null,
"This is a great way to perform logical tests in functions that do not allow for wildcards.\n\n# Let’s see another scenario\n\nSuppose we want to search for two different sets of text (“AT” or “DE”) and return the word “Europe” if either of these text strings are discovered in the searched text. We will combine the original formula with an OR function to search for multiple text strings.\n\n`=IF(OR(ISNUMBER(SEARCH(“AT”,A5)),ISNUMBER(SEARCH(“DE”,A5))),”Europe”,””)`",
null,
""
] | [
null,
"https://www.xelplus.com/wp-content/uploads/2019/06/IF-with-Wildcards-2881b9.png",
null,
"https://www.xelplus.com/wp-content/uploads/2019/06/IF-Wildcards-01.png",
null,
"https://www.xelplus.com/wp-content/uploads/2019/06/IF-Wildcards-02.png",
null,
"https://www.xelplus.com/wp-content/uploads/2019/06/IF-Wildcards-03.png",
null,
"https://www.xelplus.com/wp-content/uploads/2019/06/IF-Wildcards-04.png",
null,
"https://www.xelplus.com/wp-content/uploads/2019/06/IF-Wildcards-05.png",
null,
"https://www.xelplus.com/wp-content/uploads/2019/06/IF-Wildcards-06.png",
null,
"https://www.xelplus.com/wp-content/uploads/2019/06/IF-Wildcards-07.png",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.8784616,"math_prob":0.81471527,"size":5097,"snap":"2020-24-2020-29","text_gpt3_token_len":1192,"char_repetition_ratio":0.14372668,"word_repetition_ratio":0.025581395,"special_character_ratio":0.22817343,"punctuation_ratio":0.09741551,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9754476,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16],"im_url_duplicate_count":[null,3,null,3,null,3,null,3,null,3,null,3,null,3,null,3,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2020-05-29T05:05:45Z\",\"WARC-Record-ID\":\"<urn:uuid:ce9c9a9a-9ea7-4053-91a0-299ee34eb145>\",\"Content-Length\":\"79639\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:54e8795c-4ed8-4aa8-81a7-54e3485775da>\",\"WARC-Concurrent-To\":\"<urn:uuid:bf15c890-f0cd-40d9-bd30-6f48a2e2e250>\",\"WARC-IP-Address\":\"35.214.238.235\",\"WARC-Target-URI\":\"https://www.xelplus.com/if-function-with-wildcard-partial-text-match/\",\"WARC-Payload-Digest\":\"sha1:2OKWU35ARC753BOWM4ZRESZ7GFRS6BNY\",\"WARC-Block-Digest\":\"sha1:44SSSEXRVH5RJS2EAD5TTQRKSGY532TN\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2020/CC-MAIN-2020-24/CC-MAIN-2020-24_segments_1590347401260.16_warc_CC-MAIN-20200529023731-20200529053731-00131.warc.gz\"}"} |
https://web2gotech.com/tf-tensorflow-operations/ | [
"# TF – TensorFlow Operations\n\n• Subtract\n• Multiply\n• Divide\n• Square\n• Reshape\n\nYou can add two tensors using tensorA.add(tensorB):\n\n### Example\n\nconst tensorA = tf.tensor([[1, 2], [3, 4], [5, 6]]);\nconst tensorB = tf.tensor([[1,-1], [2,-2], [3,-3]]);\n\nconst tensorNew = tensorA.add(tensorB);\n\n// Result: [ [2, 1], [5, 2], [8, 3] ]\n\nTry it Yourself »\n\n## Tensor Subtraction\n\nYou can subtract two tensors using tensorA.sub(tensorB):\n\n### Example\n\nconst tensorA = tf.tensor([[1, 2], [3, 4], [5, 6]]);\nconst tensorB = tf.tensor([[1,-1], [2,-2], [3,-3]]);\n\n// Tensor Subtraction\nconst tensorNew = tensorA.sub(tensorB);\n\n// Result: [ [0, 3], [1, 6], [2, 9] ]\n\n## Tensor Multiplication\n\nYou can multiply two tensors using tensorA.mul(tensorB):\n\n### Example\n\nconst tensorA = tf.tensor([1, 2, 3, 4]);\nconst tensorB = tf.tensor([4, 4, 2, 2]);\n\n// Tensor Multiplication\nconst tensorNew = tensorA.mul(tensorB);\n\n// Result: [ 4, 8, 6, 8 ]\n\nTry it Yourself »\n\n## Tensor Division\n\nYou can divide two tensors using tensorA.div(tensorB):\n\n### Example\n\nconst tensorA = tf.tensor([[1, 2], [3, 4], [5, 6]]);\nconst tensorB = tf.tensor([[1,-1], [2,-2], [3,-3]]);\n\n// Tensor Division\nconst tensorNew = tensorA.div(tensorB);\n\n// Result: [ 2, 2, 3, 4 ]\n\nTry it Yourself »\n\n## Tensor Square\n\nYou can square a tensor using tensor.square():\n\n### Example\n\nconst tensorA = tf.tensor([1, 2, 3, 4]);\n\n// Tensor Square\nconst tensorNew = tensorA.square();\n\n// Result [ 1, 4, 9, 16 ]\n\nTry it Yourself »\n\n## Tensor Reshape\n\nThe number of elements in a tensor is the product of the sizes in the shape.\n\nSince there can be different shapes with the same size, it is often useful to reshape a tensor to other shapes with the same size.\n\nYou can reshape a tensor using tensor.reshape():\n\n### Example\n\nconst tensorA = tf.tensor([[1, 2], [3, 4]]);\nconst tensorB = tensorA.reshape([4, 1]);\n\n// Result: [ , , , ]\n\nTry it Yourself » (courtesy by W3Schools.com)"
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.528353,"math_prob":0.978371,"size":1803,"snap":"2022-40-2023-06","text_gpt3_token_len":578,"char_repetition_ratio":0.24235687,"word_repetition_ratio":0.18794326,"special_character_ratio":0.37770382,"punctuation_ratio":0.28850856,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9992071,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2022-10-06T05:07:46Z\",\"WARC-Record-ID\":\"<urn:uuid:6d5764b3-7777-4301-b273-c924e75aee4c>\",\"Content-Length\":\"77511\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:fdbe2935-aa46-4d6a-b1a7-a26f5ad9d11a>\",\"WARC-Concurrent-To\":\"<urn:uuid:13b09bef-99b4-47c9-b2f3-55c8d3f46a50>\",\"WARC-IP-Address\":\"192.0.78.24\",\"WARC-Target-URI\":\"https://web2gotech.com/tf-tensorflow-operations/\",\"WARC-Payload-Digest\":\"sha1:UTCNKB4WRSEV5BZCWXEKAPBQAGWI2HXX\",\"WARC-Block-Digest\":\"sha1:NGZSYA5VG4726A2JPBV3L4VNY5USXNEL\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2022/CC-MAIN-2022-40/CC-MAIN-2022-40_segments_1664030337723.23_warc_CC-MAIN-20221006025949-20221006055949-00360.warc.gz\"}"} |
https://community.jmp.com/t5/JMP-Add-Ins/Genomic-Bayesian-Methods-Add-in-for-JMP-Genomics/ta-p/186399 | [
"Choose Language Hide Translation Bar\n\n## Genomic Bayesian Methods Add-in for JMP® Genomics\n\nThe Genomic Bayesian Methods Add-in is a wrapper around the Bayesian Generalized linear Regression (BGLR; de los Campos and Rodriguez 2014, Genetics 198:483-495). Genetic marker effects can be estimated using Bayes A, Bayes B, Bayes C, Bayesian LASSO, or Bayesian Ridge Regression. The methods in this Add-In are fully integrated with the Cross Validation Model Comparison tool in JMP Genomics, allowing the comparison of accuracy of many distinct models. Additionally, the marker effects of the fitted models are saved in a score file that can be subsequently loaded in the Cross Evaluation and Progeny Selection breeding tools in JMP Genomics to predict breeding values of individuals, evaluate crosses, and simulate progenies in multiple generations of breeding.\n\nFigure bellow shows the Bayes B method fitted to a barley data set. Notice the correlation between predicted and observed trait values is 0.8777.",
null,
"Figure bellow shows the average of correlation between predicted and observed trait values obtained by 3-fold cross validation ran for 6 iterations. Therefore, the correlation shown in the plot is the average taken over 18 runs for each tested model. While the average correlation for Bayes B is 0.5357 in the cross validation runs, the correlation for Bayes B in the entire data set without cross validation is 0.8777 (shown in the first figure). This example shows the importance of comparing models through cross validation to get more realistic measure of predictive accuracy.",
null,
"Article Labels\nArticle Tags\nContributors"
] | [
null,
"https://kvoqx44227.i.lithium.com/t5/image/serverpage/image-id/16165iA98C20DB3E8B8434/image-size/large",
null,
"https://kvoqx44227.i.lithium.com/t5/image/serverpage/image-id/16221iEE98B0564C9B86EA/image-size/large",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.88087523,"math_prob":0.8646431,"size":1492,"snap":"2019-51-2020-05","text_gpt3_token_len":301,"char_repetition_ratio":0.13104838,"word_repetition_ratio":0.026200874,"special_character_ratio":0.1997319,"punctuation_ratio":0.09737828,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.97734857,"pos_list":[0,1,2,3,4],"im_url_duplicate_count":[null,1,null,1,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2020-01-28T00:46:38Z\",\"WARC-Record-ID\":\"<urn:uuid:aa4da634-5316-4e8b-b377-6c53aa353dab>\",\"Content-Length\":\"625375\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:2b718fdc-6a69-4eb2-a5e3-1595b8d06b02>\",\"WARC-Concurrent-To\":\"<urn:uuid:bcb7425a-d919-4541-ba4b-aa9308e7498d>\",\"WARC-IP-Address\":\"208.74.205.23\",\"WARC-Target-URI\":\"https://community.jmp.com/t5/JMP-Add-Ins/Genomic-Bayesian-Methods-Add-in-for-JMP-Genomics/ta-p/186399\",\"WARC-Payload-Digest\":\"sha1:G2SVO32AXPXALWBLJ3SEXYP7RRTOEU7W\",\"WARC-Block-Digest\":\"sha1:GJ75B226IV2APEMMVGVK7NCHCSYT54LG\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2020/CC-MAIN-2020-05/CC-MAIN-2020-05_segments_1579251737572.61_warc_CC-MAIN-20200127235617-20200128025617-00081.warc.gz\"}"} |
https://feet-to-meters.appspot.com/77.1-feet-to-meters.html | [
"Feet To Meters\n\n# 77.1 ft to m77.1 Foot to Meters\n\nft\n=\nm\n\n## How to convert 77.1 foot to meters?\n\n 77.1 ft * 0.3048 m = 23.50008 m 1 ft\nA common question is How many foot in 77.1 meter? And the answer is 252.952755905 ft in 77.1 m. Likewise the question how many meter in 77.1 foot has the answer of 23.50008 m in 77.1 ft.\n\n## How much are 77.1 feet in meters?\n\n77.1 feet equal 23.50008 meters (77.1ft = 23.50008m). Converting 77.1 ft to m is easy. Simply use our calculator above, or apply the formula to change the length 77.1 ft to m.\n\n## Convert 77.1 ft to common lengths\n\nUnitUnit of length\nNanometer23500080000.0 nm\nMicrometer23500080.0 µm\nMillimeter23500.08 mm\nCentimeter2350.008 cm\nInch925.2 in\nFoot77.1 ft\nYard25.7 yd\nMeter23.50008 m\nKilometer0.02350008 km\nMile0.0146022727 mi\nNautical mile0.0126890281 nmi\n\n## What is 77.1 feet in m?\n\nTo convert 77.1 ft to m multiply the length in feet by 0.3048. The 77.1 ft in m formula is [m] = 77.1 * 0.3048. Thus, for 77.1 feet in meter we get 23.50008 m.\n\n## 77.1 Foot Conversion Table",
null,
"## Alternative spelling\n\n77.1 ft to Meters, 77.1 ft to Meter, 77.1 Foot in m, 77.1 Feet in Meter, 77.1 Foot to Meters, 77.1 Foot to Meter, 77.1 Feet in Meters,"
] | [
null,
"https://feet-to-meters.appspot.com/image/77.1.png",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.84619415,"math_prob":0.860161,"size":629,"snap":"2022-40-2023-06","text_gpt3_token_len":227,"char_repetition_ratio":0.2064,"word_repetition_ratio":0.0,"special_character_ratio":0.4308426,"punctuation_ratio":0.2173913,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.98163086,"pos_list":[0,1,2],"im_url_duplicate_count":[null,4,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-02-01T10:40:52Z\",\"WARC-Record-ID\":\"<urn:uuid:5116081b-903a-47f9-bee9-e536fd9631f2>\",\"Content-Length\":\"28153\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:bc0b567b-48c6-4152-810e-86ebdafe2879>\",\"WARC-Concurrent-To\":\"<urn:uuid:521d4fdc-5101-434c-9cdf-4bf48529a822>\",\"WARC-IP-Address\":\"142.251.16.153\",\"WARC-Target-URI\":\"https://feet-to-meters.appspot.com/77.1-feet-to-meters.html\",\"WARC-Payload-Digest\":\"sha1:7ZLGOLUJZ6B6ZPEHR7SXXNMKT2V6TVT7\",\"WARC-Block-Digest\":\"sha1:7SJYMLJGTFDGTJDSLCO5MCAAEVAASK6A\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-06/CC-MAIN-2023-06_segments_1674764499919.70_warc_CC-MAIN-20230201081311-20230201111311-00860.warc.gz\"}"} |
https://www.stata.com/statalist/archive/2011-09/msg01376.html | [
"",
null,
"Notice: On April 23, 2014, Statalist moved from an email list to a forum, based at statalist.org.\n\n# st: Plot coefficients and confidence intervals for rolling regressions\n\n From Richard Herron To statalist@hsphsun2.harvard.edu Subject st: Plot coefficients and confidence intervals for rolling regressions Date Fri, 30 Sep 2011 17:52:13 -0400\n\n```I found that I can plot fitted values with confidence intervals from\n-regress- with -lfitci-. Is there a similar functionality that I can\ncombine with -rolling- regressions (i.e., -rolling: regress-) to do\nsimilar plots of regression coefficients and confidence intervals?\n\n* ----- begin code -----\n* plot of fitted values and confidence intervals\nsysuse auto, clear\ntwoway lfitci mpg weight\n\n* but can I plot confidence intervals from -rolling: regress- ? My\nmanual solution seems hackish.\nclear\nset obs 200\ngenerate t = _n\ngenerate y = 1\nreplace y = 0.5*y[_n - 1] + rnormal() if t > 1\ntsset t\nrolling _b _se, window(10) recursive clear keep(t): regress y l.y\n\n* generate plot \"manually\"\ntsset date\ngenerate lower = _stat_1 - 1.96*_stat_3\ngenerate upper = _stat_1 + 1.96*_stat_3\ntsline _stat_1 lower upper\n* ----- end code -----\n\nIs there a more Stata way to do this? Thanks!\n*\n* For searches and help try:\n* http://www.stata.com/help.cgi?search\n* http://www.stata.com/support/statalist/faq\n* http://www.ats.ucla.edu/stat/stata/\n```"
] | [
null,
"https://s7.addthis.com/static/btn/lg-share-en.gif",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.62478137,"math_prob":0.4560088,"size":1468,"snap":"2022-27-2022-33","text_gpt3_token_len":419,"char_repetition_ratio":0.13114753,"word_repetition_ratio":0.046728972,"special_character_ratio":0.28405994,"punctuation_ratio":0.16549295,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.986591,"pos_list":[0,1,2],"im_url_duplicate_count":[null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2022-06-27T02:48:59Z\",\"WARC-Record-ID\":\"<urn:uuid:3dc46ecd-e007-4aef-b74b-abc282a439b2>\",\"Content-Length\":\"8011\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:b8446f88-0291-4cf4-9a78-55b2287b92a3>\",\"WARC-Concurrent-To\":\"<urn:uuid:49ea0257-be59-4ea4-9356-bb92158e551e>\",\"WARC-IP-Address\":\"66.76.6.5\",\"WARC-Target-URI\":\"https://www.stata.com/statalist/archive/2011-09/msg01376.html\",\"WARC-Payload-Digest\":\"sha1:UMTKSW4GVM4Z4UX7BDHFK5XEVFXLJFZ3\",\"WARC-Block-Digest\":\"sha1:EPDZ4UZZ2SSOJKB4JFNS37P4C2XCYP5B\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2022/CC-MAIN-2022-27/CC-MAIN-2022-27_segments_1656103324665.17_warc_CC-MAIN-20220627012807-20220627042807-00715.warc.gz\"}"} |
https://pzwiki.wdka.nl/mediadesign/User:Jules/distuser | [
"# User:Jules/distuser\n\nI've used the IP address of the user to get their coordinates.\nThen, I convert the coordinates into spherical coordinates.\nAnd I multiply by 6373 to convert into kilometers.\nIt is also possible to multiply by 3961 to convert in Miles but I am in favour of the metric system.\n\n```\n#!/usr/bin/python\nimport cgitb; cgitb.enable()\nimport cgi\nimport pygeoip\nimport math\n\n#db\ni = cgi.FieldStorage()\ngi = pygeoip.GeoIP('path/to/db/GeoLiteCity.dat')\nuser = i.getvalue(\"ip\",\"74.125.140.101\")\n\n#recuperation infos utilisateur\nLatuser = infos.get('latitude')\nLonguser = infos.get('longitude')\n\n#My server's coordinates\nLatserver = 34.0202\nLongserver = -118.3928\n\ndef distance(Latuser, Longuser, Latserver, Longserver):\n# Let's pretend that the Earth's shape is spherical\n# Convert latitude and longitude to\n# phi = 90 - latitude\n# theta = longitude\n\n# Compute spherical distance from spherical coordinates.\n# For two locations in spherical coordinates\ncos = (math.sin(phi1)*math.sin(phi2)*math.cos(theta1 - theta2) +\nmath.cos(phi1)*math.cos(phi2))\narc = math.acos( cos )\n\n# Multiply arc by the radius of the earth in km\narc = arc*6373\narc = round(arc, 2)\narc = str(arc)\n\nprint \"Content-type:text/html\"\nprint\nprint \"<h1> Your request has been sent \" + arc + \" km away and back</h1>\"\n\ndistance(Latuser, Longuser, Latserver, Longserver)\n```"
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.6544482,"math_prob":0.79653686,"size":1638,"snap":"2022-05-2022-21","text_gpt3_token_len":452,"char_repetition_ratio":0.12913096,"word_repetition_ratio":0.069565214,"special_character_ratio":0.2832723,"punctuation_ratio":0.147651,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9960369,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2022-05-24T08:20:08Z\",\"WARC-Record-ID\":\"<urn:uuid:b7ac297e-937c-495b-9689-5d5b75a1eb3d>\",\"Content-Length\":\"22138\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:3a83ca1f-45ae-42ce-9d36-2ad26588820d>\",\"WARC-Concurrent-To\":\"<urn:uuid:130d8668-3451-4106-9a1f-352f672be025>\",\"WARC-IP-Address\":\"83.96.162.96\",\"WARC-Target-URI\":\"https://pzwiki.wdka.nl/mediadesign/User:Jules/distuser\",\"WARC-Payload-Digest\":\"sha1:D6YJRKVC2QRC3OHGQJKQPULESIZDS4BE\",\"WARC-Block-Digest\":\"sha1:7OJJZROKM3YDLY3ECFZYLVMESSGI4UL2\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2022/CC-MAIN-2022-21/CC-MAIN-2022-21_segments_1652662570051.62_warc_CC-MAIN-20220524075341-20220524105341-00681.warc.gz\"}"} |
https://dsp.stackexchange.com/questions/21621/what-kind-of-filter-is-that-is-it-iir | [
"# What kind of filter is that? Is it IIR?\n\nI am trying to answer the following question:\n\nIs the system described by equation:\n\n$$y[n]=0.5y[n-1]+x[n]-0.5x[n-1]$$\n\nan IIR filter? My answer is yes.\n\nThank you\n\n• there is a class of FIR filters called \"Truncated IIR\" (TIIR) filters. you can google that and you will find stuff from Julius Smith and Avery Wang. another example of TIIR filters is the Moving Sum or Moving Average filter or CIC filter (all pretty much different names for the same thing). what makes this recursive filter an FIR is pole-zero cancellation. as implemented, there are internal poles and if they were unstable, the filter could blow up inside, but you wouldn't see it in the output until there numerical limits were exceeded. – robert bristow-johnson Feb 19 '15 at 22:12\n• what are the numerical limits? – Black Yasmin Feb 20 '15 at 11:12\n• depends on the numerical type (float or fixed) and the word width. this stuff can be looked up. (say, for IEEE-754 floats. for fixed, it depends on how many bits, $n_I$, are left of the binary point; roughly $\\pm 2^{n_I - 1}$. – robert bristow-johnson Feb 20 '15 at 17:20\n• thank you again sirs for all help! it helps a lot I am glad I found this web site – Black Yasmin Feb 22 '15 at 17:49\n• @AnthonyParks: You say: \"why are people making this complicated..this is is clearly an IIR because first term of the filter has a feedback portion.\"? I say: \"why people don't bother to understand the basic concepts of DSP\"? IIR filter always implies the recursive form, but FIR doesn't necessary mean that the filter is non-recursive. That is the only correct answer and you are confusing the concepts here. If that was the exam question, you would fail by saying it is an IIR. Oppenheim explains this topic in his book on DSP. – jojek May 30 '15 at 21:57\n\nThis is the FIR filter, although it looks like an IIR. If you calculate the coefficients you get finite impulse response:\n\n$h=$\n\nThis happens due to zero-pole cancellation:\n\n$Y(z)-0.5Y(z)z^{-1}=X(z)-0.5X(z)z^{-1}$\n\n$H(z)=\\dfrac{Y(z)}{X(z)}=\\dfrac{1-0.5z^{-1}}{1-0.5z^{-1}}=1$\n\nYes, it can be tricky. Seeing $y[n-k]$ coefficients in LCCDE (Linear Constant Coefficients Difference Equation) doesn't necessarily mean it's an IIR filter. It might be just a recursive FIR filter.\n\n• thanks for the recognition! I was fooled to say IIR, without ever looking carefully at the coefficients... I deleted my answer. – Fat32 Feb 18 '15 at 22:30\n• Still, if you implement the equations as originally stated, it will not behave exactly as H(z) = 1 because of finite word length effects (despite the pole-zero cancellation being exact in this case). – Oscar Feb 19 '15 at 9:23\n• That is true @Oscar, but these are numerical issues which have nothing to do with filter being F/IIR. – jojek Feb 19 '15 at 9:27\n• @jojek: you are of course completely correct. However, using recursive FIR filters cause quite a bit of problems if you are unaware of these things (which many, even \"high-quality\" researchers, are). Hence, my comment. Ideally there should be a discussion of algorithm vs transfer function as well. – Oscar Feb 19 '15 at 9:31\n• jojek i am reading your answer from this question you answerd but i cannot comment. dsp.stackexchange.com/questions/17605/… can i use diffrent window? – Black Yasmin Feb 20 '15 at 11:18\n\nJojek's answer is of course correct. I would just like to add some more information because much too often have I seen the terms \"IIR\" and \"recursive\" confused. The following implications always hold:\n\n\\begin{align}\\text{IIR}& \\Longrightarrow\\text{recursive}\\\\ \\text{non-recursive}&\\Longrightarrow\\text{FIR}\\end{align}\n\ni.e. every IIR filter (i.e. a discrete-time filter having an infinitely long impulse response) must be implemented recursively (unless you have infinite memory available), and every non-recursive LTI system has a finite impulse response (again, unless you have infinite memory).\n\nHowever, the reverse is generally not true. A recursive filter can have a finite impulse response, as is the case for the example in the question. Another famous example is a moving average filter. This a non-recursive implementation of a moving average (necessarily FIR):\n\n$$y[n]=\\frac{1}{N}\\sum_{k=n-N+1}^nx[k]$$\n\nAnd this is a recursive implementation of the same filter (also FIR): $$y[n]=y[n-1]+\\frac{1}{N}(x[n]-x[n-N])$$\n\n• Concise and accurate as always, +1 ;) Thank you for bringing up the MA case. – jojek Feb 18 '15 at 22:48\n• @jojek: yeah, I think it's a classic that everybody should know. – Matt L. Feb 18 '15 at 22:49\n• And while I was primarily thinking of round-off noise in the comment to jojek's answer, for MA, overflow will be a potential issue which needs to be carefully considered. Easily solved by two's complement arithmetic and enough word length though. – Oscar Feb 19 '15 at 9:26\n• @Oscar: Well, after doing very simple analysis with double floating point precision I got an error of 8.881784197001252e-16. This is after processing the equivalent of 1 year of audio at sampling frequency 44.1kHz. Input data is a Gaussian noise with normalized distribution. Here is the code to reproduce the result !click! (it might take a 3 days to run). Providing this is correct, then I believe there is nothing to worry about. – jojek Mar 2 '15 at 9:25\n• @jojek: Three things. 1) I was referring to the moving average filter of the answer, not the one in the original question. 2) Yes, that is OK for audio (but not exact, so no reason to put \"no\" in bold), but I prefer my safety critical signal processing to work independent of the input signal having synthetic properties. 3) The interesting thing is that the filter you simulated with will not have the problems I described (as the pole is inside the unit circle, not on it), but will always have round-off errors independent of representation (which can be avoided in the moving average case). – Oscar Mar 3 '15 at 10:52"
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.8801872,"math_prob":0.7497044,"size":2027,"snap":"2020-34-2020-40","text_gpt3_token_len":558,"char_repetition_ratio":0.112703905,"word_repetition_ratio":0.13818182,"special_character_ratio":0.27035028,"punctuation_ratio":0.105515584,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.99087435,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2020-09-20T18:35:07Z\",\"WARC-Record-ID\":\"<urn:uuid:011e0d3d-01c8-4639-a900-601ff3569469>\",\"Content-Length\":\"179447\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:d3a0806d-238a-45b9-8441-183fa582b8b8>\",\"WARC-Concurrent-To\":\"<urn:uuid:52e623b9-1103-47c3-be30-771553c11ece>\",\"WARC-IP-Address\":\"151.101.129.69\",\"WARC-Target-URI\":\"https://dsp.stackexchange.com/questions/21621/what-kind-of-filter-is-that-is-it-iir\",\"WARC-Payload-Digest\":\"sha1:HQGPHIXPYGOT7PE56TFTN3FIMMNQ6ECM\",\"WARC-Block-Digest\":\"sha1:TUZS2UFPH4ZIZALRDT6MQL4YHSDMPVBB\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2020/CC-MAIN-2020-40/CC-MAIN-2020-40_segments_1600400198287.23_warc_CC-MAIN-20200920161009-20200920191009-00536.warc.gz\"}"} |
https://www.physicsforums.com/threads/how-is-momentum-measured.82208/ | [
"# How is Momentum Measured?\n\nNicky\nWhat kind of experimental apparatus provides the purest measurement of a low-energy particle's momentum? By \"pure\" momentum measurement, I mean allowing for the maximum achievable uncertainty in position, and therefore the most accurate possible reading of momentum as per the uncertainty principle.\n\n## Answers and Replies\n\nHomework Helper\nGold Member\nMomentum is usually measured by R=pc/qB (in Gaussian units).\nThe measurement is of the radius of the path of a moving particle of charge q i a magnetic field B..\n\nNicky\nMeir Achuz said:\nMomentum is usually measured by R=pc/qB (in Gaussian units).\nThe measurement is of the radius of the path of a moving particle of charge q i a magnetic field B..\n\nI am trying to imagine how one would display interference effects analogous to the double-slit experiment, except that the roles of position and momentum are reversed. With the usual double-slit setup, the beam components passing through the two slits interfere, resulting in some spots on the detection screen that receive less total particle flux. So in the alternative experiment, I guess interference would be manifest as certain path radii showing stronger particle flux than others.\n\nHow to produce the two interfering beams is less clear. Maybe a single beam could be split into two, somehow doppler shift one of the two beams, then recombine the two beams to form a superposition of momentum states. Has anything like this been attempted?\n\nStaff Emeritus\nGold Member\nNicky said:\nWhat kind of experimental apparatus provides the purest measurement of a low-energy particle's momentum? By \"pure\" momentum measurement, I mean allowing for the maximum achievable uncertainty in position, and therefore the most accurate possible reading of momentum as per the uncertainty principle.\n\nXtal diffraction ! At least, that's how it is done with slow neutrons: a monochromator is nothing else but a pure monocrystal (for instance, of silicium) and by selecting an outgoing angle you impose a Bragg condition and hence a pure momentum.\nThe bigger and the purer the Xtal is, the better your momentum selection (and of course the worse your position, because it is limited to the entire Xtal).\n\ncheers,\nPatrick.\n\nStaff Emeritus\nNicky said:\nWhat kind of experimental apparatus provides the purest measurement of a low-energy particle's momentum? By \"pure\" momentum measurement, I mean allowing for the maximum achievable uncertainty in position, and therefore the most accurate possible reading of momentum as per the uncertainty principle.\n\nHow about a hemispherical electron analyzer?\n\nMy avatar is actually a 2D plot of E vs. k of electrons coming out of a material from a photoemission process and into a Scienta SES200 electron analyzer. And we all know that \"k\" is equivalent to the momentum, in this case, the momentum of the electron and the crystal. (\"crystal momentum\") So the horizontal axis is really the momentum of the electrons. And these ARE low energy electrons, with energy in the range of ~0 to about 10 eV.\n\nThis is now a common technique in angle-resolved photoemission spectroscopy (ARPES), so most papers using this technique will have references to it.\n\nZz."
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.82747495,"math_prob":0.83338463,"size":321,"snap":"2022-40-2023-06","text_gpt3_token_len":67,"char_repetition_ratio":0.12302839,"word_repetition_ratio":0.0,"special_character_ratio":0.20560747,"punctuation_ratio":0.078431375,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.95105064,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2022-09-26T21:38:55Z\",\"WARC-Record-ID\":\"<urn:uuid:9e76026a-e98b-4af2-9312-e3c2fdf6d328>\",\"Content-Length\":\"70556\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:91bc5494-8c27-4b83-a7bc-a0a6f84bbcc3>\",\"WARC-Concurrent-To\":\"<urn:uuid:ccb6c1f2-1e0b-48e1-8ffd-b45b8d2efff9>\",\"WARC-IP-Address\":\"104.26.14.132\",\"WARC-Target-URI\":\"https://www.physicsforums.com/threads/how-is-momentum-measured.82208/\",\"WARC-Payload-Digest\":\"sha1:LKUFUMWVCKBMSXNFVB35R6GQS4L5CQE4\",\"WARC-Block-Digest\":\"sha1:PFMFM5WJRWNS3LMQWAFL3Y4UCPRTPHSC\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2022/CC-MAIN-2022-40/CC-MAIN-2022-40_segments_1664030334942.88_warc_CC-MAIN-20220926211042-20220927001042-00056.warc.gz\"}"} |
http://sgmgqhay.gq/fytyc/7-feet-in-cm-typi.php | [
"# What is 7 Feet 7 Inches in Centimeters?",
null,
"However, it is practical unit of length for many everyday measurements.",
null,
"",
null,
"",
null,
"",
null,
"",
null,
"",
null,
"",
null,
"A corresponding unit of area is the square centimetre. A corresponding unit of volume is the cubic centimetre. The centimetre is a now a non-standard factor, in that factors of 10 3 are often preferred. However, it is practical unit of length for many everyday measurements. A centimetre is approximately the width of the fingernail of an adult person.\n\nThere are twelve inches in one foot and three feet in one yard. You can find metric conversion tables for SI units, as well as English units, currency, and other data. Type in unit symbols, abbreviations, or full names for units of length, area, mass, pressure, and other types.\n\nExamples include mm, inch, kg, US fluid ounce, 6'3\", 10 stone 4, cubic cm, metres squared, grams, moles, feet per second, and many more! You can do the reverse unit conversion from ft to cm , or enter any two units below: Enter two units to convert From: Centimeter A centimetre American spelling centimeter, symbol cm is a unit of length that is equal to one hundreth of a metre, the current SI base unit of length. The answer is 0. We assume you are converting between foot and centimetre.\n\nYou can view more details on each measurement unit: Note that rounding errors may occur, so always check the results. Use this page to learn how to convert between feet and centimetres. Type in your own numbers in the form to convert the units! You can do the reverse unit conversion from cm to feet , or enter any two units below:. There are twelve inches in one foot and three feet in one yard.\n\nA centimetre American spelling centimeter, symbol cm is a unit of length that is equal to one hundreth of a metre, the current SI base unit of length. A centimetre is part of a metric system. It is the base unit in the centimetre-gram-second system of units. A corresponding unit of area is the square centimetre.\n\nHow many feet in 1 cm? The answer is We assume you are converting between foot and centimetre. You can view more details on each measurement unit: feet or cm The SI base unit for length is the metre. 1 metre is equal to feet, or cm. Note that rounding errors may occur, so always check the results. Other feet in cm conversion on this website include: 4′ 11″ in cm – 4 Feet 11 Inches in cm; 5 1/2′ in cm – 5 1/2 Feet in cm; 27′ 2″ in cm – 27 Feet 2 Inches in cm; 7 ft 7 in cm. Now you already know the height 7′ 7″ in cm. 7′ 7″ to cm is centimeters. Here you can convert cm in . 1 metre is equal to cm, or ft. Note that rounding errors may occur, so always check the results. Use this page to learn how to convert between centimetres and feet."
] | [
null,
"http://worldgiants.narod.ru/foto/stadnik29.jpg",
null,
"https://s-media-cache-ak0.pinimg.com/236x/85/6e/9c/856e9cb43c4c6f43f3a1e9e62d7ae679.jpg",
null,
"https://s-media-cache-ak0.pinimg.com/736x/23/61/b3/2361b37e6e46a0040c333fe89613b7cd.jpg",
null,
"https://www.vratim.com/uploads/4/9/8/7/49871791/3865867_orig.png",
null,
"https://qph.fs.quoracdn.net/main-qimg-7c82f625a910c2e4c1fe8057156d949e",
null,
"https://i.ytimg.com/vi/RzNMbl98B4k/maxresdefault.jpg",
null,
"http://www4.pcmag.com/media/images/278446-male-7cm.jpg",
null,
"https://s-media-cache-ak0.pinimg.com/736x/bb/97/fc/bb97fc372d29681283c567493e4df4cf.jpg",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.9060505,"math_prob":0.97400886,"size":2690,"snap":"2019-26-2019-30","text_gpt3_token_len":669,"char_repetition_ratio":0.14631422,"word_repetition_ratio":0.3446215,"special_character_ratio":0.23791821,"punctuation_ratio":0.13379073,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9797685,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16],"im_url_duplicate_count":[null,2,null,1,null,1,null,3,null,1,null,2,null,1,null,1,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2019-07-17T02:16:55Z\",\"WARC-Record-ID\":\"<urn:uuid:3165a146-0945-4c84-b498-21f524d6aca8>\",\"Content-Length\":\"9165\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:9befa476-1933-493b-bcfa-c34a6b36f778>\",\"WARC-Concurrent-To\":\"<urn:uuid:f74b0d64-b809-4dba-a2c7-088dd28515d1>\",\"WARC-IP-Address\":\"104.18.34.136\",\"WARC-Target-URI\":\"http://sgmgqhay.gq/fytyc/7-feet-in-cm-typi.php\",\"WARC-Payload-Digest\":\"sha1:OEAZ7ROBSRB6LGN6VZOTD5RG67PX7JJI\",\"WARC-Block-Digest\":\"sha1:D4QQKK3L6ZEPZOPSPLYX3KLEP5SFJLGV\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2019/CC-MAIN-2019-30/CC-MAIN-2019-30_segments_1563195525009.36_warc_CC-MAIN-20190717021428-20190717043428-00179.warc.gz\"}"} |
http://www.thefreedictionary.com/response+variable | [
"response variable\n\nAlso found in: Wikipedia.\n\nresponse variable\n\nn\n1. (Mathematics) statistics a more modern term for dependent variable2\n2. (Psychology) statistics a more modern term for dependent variable2\nReferences in periodicals archive ?\nCT is a nonparametric statistical method used for the determination of the relationship between a response variable and the other variables that may be related to the response variable.\nAn alternative in this situation is the partial correlation coefficient, which allows the study of the degree of association between two traits, given the existence of a third trait or of a set of traits with the potential to influence the main response variable (CRUZ et al.\nIn this study, the weld strength as response variable was maximized by using FFD with the optimal level of the process parameters which has been obtained with the combination of individual parameters.\nCompared to the others, the statistical models allow optimizing process parameters in short computational times and more than one response variable simultaneously.\nLinear regression assumes that the unknown relation between the factor and the response variable is a linear relation Y = a + bx, where b is the coefficient of x.\n2012), we first computed the individual linear regression model between each log-transformed response variable (IDW and GSI) and mean individual body size for each combination of levels of both factors.\nThe items were combined to create the indirect response variable for \"pay late\" behavior.\nHowever, since this value represents an individual fit, such result did not interfere with the estimation process, because the optimal fit identified the fit of the controllable factors and that minimizes the variability of the response variable, regardless of whether the model is significant or not.\nQuantile Regression is a method for estimating the relationship between a response variable and a set of explanatory variables for the whole conditional probability distribution of the response variable.\nFor these models it is common to consider the response variable following a normal distribution (when it is the best choice to model the biological characteristic), since this approach is theoretically consolidated from the formulation, adjustment methods and diagnostic analysis (residual analysis and influence), as observed in Diggle, Heagerty, Liang, and Zeger (2002), Fitzmaurice, Laird, and Ware (2004), Nobre and Singer (2007), Nobre and Singer (2011) with availability of use in applications such as R and SAS as verified in Pinheiro and Bates (2000) and Littel, Stroup, Wolfinger, and Schabenberger (2006).\nSite: Follow: Share:\nOpen / Close"
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.9142128,"math_prob":0.9508031,"size":2601,"snap":"2019-26-2019-30","text_gpt3_token_len":506,"char_repetition_ratio":0.16827108,"word_repetition_ratio":0.015151516,"special_character_ratio":0.18762015,"punctuation_ratio":0.08275862,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.98678434,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2019-06-18T16:39:08Z\",\"WARC-Record-ID\":\"<urn:uuid:e350de48-422a-4554-a5e0-39a3a272929d>\",\"Content-Length\":\"46701\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:46dba52e-966f-401a-8254-15bec3fc69af>\",\"WARC-Concurrent-To\":\"<urn:uuid:c0ff4b70-8387-4196-87f7-695008c947f3>\",\"WARC-IP-Address\":\"209.160.67.6\",\"WARC-Target-URI\":\"http://www.thefreedictionary.com/response+variable\",\"WARC-Payload-Digest\":\"sha1:U52CLU5WOIJJWBIGTYACIFBNR7OORYBX\",\"WARC-Block-Digest\":\"sha1:5UNCJ7CDQSVYTWT77NKARP33623KCEYX\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2019/CC-MAIN-2019-26/CC-MAIN-2019-26_segments_1560627998755.95_warc_CC-MAIN-20190618143417-20190618165417-00549.warc.gz\"}"} |
http://www.mathreference.com/la-det,perm.html | [
"# Determinants, Permutation Definition\n\n## Permutation Definition\n\nReview the formula for a 3×3 determinant, as given in the previous section. It isn't recursive; it is a simple sum of products. Call this formula det2(M). We showed that this formula was the same as det1(M), at least for 3×3 matrices.\n\nNotice that each tterm, each product of 3 matrix elements, represents each row once and each column once. We don't go straight down or straight across, we multiply along diagonal lines. For the 3×3 case, there are 6 ways to do this, hence 6 terms in the formula. Choose any entry from the first row and mark that column as \"used\". Then choose an enttry from the second row, avoiding the used column. Mark that column used, and in the third row, there is only one entry available. That's 3×2×1 or 6 combinations.\n\nIf you write down the numbers of the columns, in the order they are \"used\" by the rows, you'll find a permutation on the numbers 1 through n. Each product is associated with one of these permutations. The product is negated when the permutation is odd. At least that's how it looks in the 3×3 case.\n\nIf we derive a formula for the determinant of a 4×4 matrix, it will have 24 terms, each term a product of 4 entries according to a permutation on 4 columns. Half the terms are negated, according to the parity of the permutations. A 5×5 matrix gives a formula with 120 terms, and so on. This quickly becomes impractical, but let's prove it anyways.\n\nLet det2(M) be the sum of all permutation products, where a product is negated when its associated permutation is odd. This definition agrees with det1 for n = 1, 2, and 3. Proceed by induction on n.\n\nGiven an n×n matrix, delete the first row and jth column, and write the subdeterminant as a sum of permutation products. For each permutation, add 1 to each column number that is j or larger. We are pushing them over to make room for column j. Write this permutation as a series of swaps. (Remember that swaps, like transpositions, are odd.) The number of swaps gives the parity. Now place j in position, just after the first j-1 numbers. Each swap is still a swap, and still odd. Some of them pass through j, but that's ok. The result is the same permutation, with the same parity, but if has j in position j. However, j is suppose to be first in line. After all, det1 says to multiply the subdeterminant by the entry in row 1 column j, so j comes first. A series of j-1 transpositions moves j to the head of the line. Have we changed the parity of the permutation by putting j in front? Only if an odd number of transpositions are needed to move j from its home in position j to the front in position 1. This happens only when j is even. When j is 4, swap it with 3 2 and 1 to move it to the front, giving 3 transpositions. In the same way, det1(M) tells us to negate the product precisely when j is even. The two formulas agree."
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.9341303,"math_prob":0.9767472,"size":2590,"snap":"2022-40-2023-06","text_gpt3_token_len":639,"char_repetition_ratio":0.1434648,"word_repetition_ratio":0.0,"special_character_ratio":0.24169885,"punctuation_ratio":0.12434326,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9975831,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-01-27T04:43:51Z\",\"WARC-Record-ID\":\"<urn:uuid:e8bc2d1a-35b0-4c12-9057-1419a86cd3b5>\",\"Content-Length\":\"4200\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:3bd71eeb-4f0e-4638-b5c8-baffa9983f46>\",\"WARC-Concurrent-To\":\"<urn:uuid:3be047b5-323b-429e-ab1b-16e5690118d8>\",\"WARC-IP-Address\":\"216.252.162.35\",\"WARC-Target-URI\":\"http://www.mathreference.com/la-det,perm.html\",\"WARC-Payload-Digest\":\"sha1:XUVJI2CDOODXB4M2KFFQZIM2FAO2DT3H\",\"WARC-Block-Digest\":\"sha1:TZ3LDWONXPNN3DL4IPAR6IXNHNKOR2TK\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-06/CC-MAIN-2023-06_segments_1674764494936.89_warc_CC-MAIN-20230127033656-20230127063656-00505.warc.gz\"}"} |
http://mizar.org/version/current/html/proofs/glib_009/122 | [
"let G1 be _Graph; :: thesis: for G2 being Subgraph of G1\nfor E2 being RepEdgeSelection of G2 ex E1 being RepEdgeSelection of G1 st E2 = E1 /\\ ()\n\nlet G2 be Subgraph of G1; :: thesis: for E2 being RepEdgeSelection of G2 ex E1 being RepEdgeSelection of G1 st E2 = E1 /\\ ()\nlet E2 be RepEdgeSelection of G2; :: thesis: ex E1 being RepEdgeSelection of G1 st E2 = E1 /\\ ()\nset A = { { e where e is Element of the_Edges_of G1 : e Joins v1,v2,G1 } where v1, v2 is Vertex of G1 : ( ex e0 being object st e0 Joins v1,v2,G1 & ( for e0 being object st e0 Joins v1,v2,G1 holds\nnot e0 in E2 ) )\n}\n;\ndefpred S1[ object , object ] means ex S being non empty set st\n( \\$1 = S & \\$2 = the Element of S );\nA1: for x, y1, y2 being object st x in { { e where e is Element of the_Edges_of G1 : e Joins v1,v2,G1 } where v1, v2 is Vertex of G1 : ( ex e0 being object st e0 Joins v1,v2,G1 & ( for e0 being object st e0 Joins v1,v2,G1 holds\nnot e0 in E2 ) )\n}\n& S1[x,y1] & S1[x,y2] holds\ny1 = y2 ;\nA2: for x being object st x in { { e where e is Element of the_Edges_of G1 : e Joins v1,v2,G1 } where v1, v2 is Vertex of G1 : ( ex e0 being object st e0 Joins v1,v2,G1 & ( for e0 being object st e0 Joins v1,v2,G1 holds\nnot e0 in E2 ) )\n}\nholds\nex y being object st S1[x,y]\nproof\nlet x be object ; :: thesis: ( x in { { e where e is Element of the_Edges_of G1 : e Joins v1,v2,G1 } where v1, v2 is Vertex of G1 : ( ex e0 being object st e0 Joins v1,v2,G1 & ( for e0 being object st e0 Joins v1,v2,G1 holds\nnot e0 in E2 ) )\n}\nimplies ex y being object st S1[x,y] )\n\nassume x in { { e where e is Element of the_Edges_of G1 : e Joins v1,v2,G1 } where v1, v2 is Vertex of G1 : ( ex e0 being object st e0 Joins v1,v2,G1 & ( for e0 being object st e0 Joins v1,v2,G1 holds\nnot e0 in E2 ) )\n}\n; :: thesis: ex y being object st S1[x,y]\nthen consider v1, v2 being Vertex of G1 such that\nA3: x = { e where e is Element of the_Edges_of G1 : e Joins v1,v2,G1 } and\nA4: ex e0 being object st e0 Joins v1,v2,G1 and\nfor e0 being object st e0 Joins v1,v2,G1 holds\nnot e0 in E2 ;\nreconsider B = x as set by A3;\nconsider e0 being object such that\nA5: e0 Joins v1,v2,G1 by A4;\nreconsider e0 = e0 as Element of the_Edges_of G1 by ;\ne0 in B by A3, A5;\nthen reconsider B = B as non empty set ;\ntake the Element of B ; :: thesis: S1[x, the Element of B]\ntake B ; :: thesis: ( x = B & the Element of B = the Element of B )\nthus ( x = B & the Element of B = the Element of B ) ; :: thesis: verum\nend;\nconsider f being Function such that\nA6: ( dom f = { { e where e is Element of the_Edges_of G1 : e Joins v1,v2,G1 } where v1, v2 is Vertex of G1 : ( ex e0 being object st e0 Joins v1,v2,G1 & ( for e0 being object st e0 Joins v1,v2,G1 holds\nnot e0 in E2 ) )\n}\n& ( for x being object st x in { { e where e is Element of the_Edges_of G1 : e Joins v1,v2,G1 } where v1, v2 is Vertex of G1 : ( ex e0 being object st e0 Joins v1,v2,G1 & ( for e0 being object st e0 Joins v1,v2,G1 holds\nnot e0 in E2 ) )\n}\nholds\nS1[x,f . x] ) ) from for e being object st e in rng f holds\ne in the_Edges_of G1\nproof\nlet e be object ; :: thesis: ( e in rng f implies e in the_Edges_of G1 )\nassume e in rng f ; :: thesis:\nthen consider C being object such that\nA7: ( C in dom f & f . C = e ) by FUNCT_1:def 3;\nconsider C0 being non empty set such that\nA8: ( C = C0 & f . C = the Element of C0 ) by A6, A7;\nconsider v1, v2 being Vertex of G1 such that\nA9: C = { e where e is Element of the_Edges_of G1 : e Joins v1,v2,G1 } and\nex e0 being object st e0 Joins v1,v2,G1 and\nfor e0 being object st e0 Joins v1,v2,G1 holds\nnot e0 in E2 by A6, A7;\ne in C0 by A7, A8;\nthen consider e2 being Element of the_Edges_of G1 such that\nA10: ( e = e2 & e2 Joins v1,v2,G1 ) by A8, A9;\nthus e in the_Edges_of G1 by ; :: thesis: verum\nend;\nthen A11: rng f c= the_Edges_of G1 by TARSKI:def 3;\nthe_Edges_of G2 c= the_Edges_of G1 ;\nthen E2 c= the_Edges_of G1 by XBOOLE_1:1;\nthen reconsider E1 = E2 \\/ (rng f) as Subset of () by ;\nfor v, w, e0 being object st e0 Joins v,w,G1 holds\nex e being object st\n( e Joins v,w,G1 & e in E1 & ( for e9 being object st e9 Joins v,w,G1 & e9 in E1 holds\ne9 = e ) )\nproof\nlet v, w, e0 be object ; :: thesis: ( e0 Joins v,w,G1 implies ex e being object st\n( e Joins v,w,G1 & e in E1 & ( for e9 being object st e9 Joins v,w,G1 & e9 in E1 holds\ne9 = e ) ) )\n\nA12: ( v is set & w is set ) by TARSKI:1;\nassume A13: e0 Joins v,w,G1 ; :: thesis: ex e being object st\n( e Joins v,w,G1 & e in E1 & ( for e9 being object st e9 Joins v,w,G1 & e9 in E1 holds\ne9 = e ) )\n\nper cases ( ex e1 being object st\n( e1 Joins v,w,G1 & e1 in E2 ) or for e1 being object st e1 Joins v,w,G1 holds\nnot e1 in E2 )\n;\nsuppose ex e1 being object st\n( e1 Joins v,w,G1 & e1 in E2 ) ; :: thesis: ex e being object st\n( e Joins v,w,G1 & e in E1 & ( for e9 being object st e9 Joins v,w,G1 & e9 in E1 holds\ne9 = e ) )\n\nthen consider e1 being object such that\nA14: ( e1 Joins v,w,G1 & e1 in E2 ) ;\ne1 Joins v,w,G2 by ;\nthen consider e being object such that\nA15: ( e Joins v,w,G2 & e in E2 ) and\nA16: for e8 being object st e8 Joins v,w,G2 & e8 in E2 holds\ne8 = e by Def5;\ntake e ; :: thesis: ( e Joins v,w,G1 & e in E1 & ( for e9 being object st e9 Joins v,w,G1 & e9 in E1 holds\ne9 = e ) )\n\nthus A17: e Joins v,w,G1 by ; :: thesis: ( e in E1 & ( for e9 being object st e9 Joins v,w,G1 & e9 in E1 holds\ne9 = e ) )\n\nthus e in E1 by ; :: thesis: for e9 being object st e9 Joins v,w,G1 & e9 in E1 holds\ne9 = e\n\nlet e9 be object ; :: thesis: ( e9 Joins v,w,G1 & e9 in E1 implies e9 = e )\nassume A18: ( e9 Joins v,w,G1 & e9 in E1 ) ; :: thesis: e9 = e\nnot e9 in rng f\nproof\nassume e9 in rng f ; :: thesis: contradiction\nthen consider C being object such that\nA19: ( C in dom f & f . C = e9 ) by FUNCT_1:def 3;\nconsider v1, v2 being Vertex of G1 such that\nA20: C = { k where k is Element of the_Edges_of G1 : k Joins v1,v2,G1 } and\nex k0 being object st k0 Joins v1,v2,G1 and\nA21: for k0 being object st k0 Joins v1,v2,G1 holds\nnot k0 in E2 by ;\nconsider C0 being non empty set such that\nA22: ( C = C0 & f . C = the Element of C0 ) by ;\ne9 in C0 by ;\nthen consider k being Element of the_Edges_of G1 such that\nA23: ( e9 = k & k Joins v1,v2,G1 ) by ;\n( ( v1 = v & v2 = w ) or ( v1 = w & v2 = v ) ) by ;\nhence contradiction by A15, A17, A21, GLIB_000:14; :: thesis: verum\nend;\nthen A24: e9 in E2 by ;\nthen e9 Joins v,w,G2 by ;\nhence e9 = e by ; :: thesis: verum\nend;\nsuppose A25: for e1 being object st e1 Joins v,w,G1 holds\nnot e1 in E2 ; :: thesis: ex e being object st\n( e Joins v,w,G1 & e in E1 & ( for e9 being object st e9 Joins v,w,G1 & e9 in E1 holds\ne9 = e ) )\n\nA26: ( v is Vertex of G1 & w is Vertex of G1 ) by ;\nset B = { e where e is Element of the_Edges_of G1 : e Joins v,w,G1 } ;\nA27: { e where e is Element of the_Edges_of G1 : e Joins v,w,G1 } in { { e where e is Element of the_Edges_of G1 : e Joins v1,v2,G1 } where v1, v2 is Vertex of G1 : ( ex e0 being object st e0 Joins v1,v2,G1 & ( for e0 being object st e0 Joins v1,v2,G1 holds\nnot e0 in E2 ) )\n}\nby ;\nthen consider B0 being non empty set such that\nA28: ( { e where e is Element of the_Edges_of G1 : e Joins v,w,G1 } = B0 & f . { e where e is Element of the_Edges_of G1 : e Joins v,w,G1 } = the Element of B0 ) by A6;\nf . { e where e is Element of the_Edges_of G1 : e Joins v,w,G1 } in { e where e is Element of the_Edges_of G1 : e Joins v,w,G1 } by A28;\nthen consider e being Element of the_Edges_of G1 such that\nA29: ( f . { e where e is Element of the_Edges_of G1 : e Joins v,w,G1 } = e & e Joins v,w,G1 ) ;\ntake e ; :: thesis: ( e Joins v,w,G1 & e in E1 & ( for e9 being object st e9 Joins v,w,G1 & e9 in E1 holds\ne9 = e ) )\n\nthus e Joins v,w,G1 by A29; :: thesis: ( e in E1 & ( for e9 being object st e9 Joins v,w,G1 & e9 in E1 holds\ne9 = e ) )\n\ne in rng f by ;\nhence e in E1 by XBOOLE_0:def 3; :: thesis: for e9 being object st e9 Joins v,w,G1 & e9 in E1 holds\ne9 = e\n\nlet e9 be object ; :: thesis: ( e9 Joins v,w,G1 & e9 in E1 implies e9 = e )\nassume A30: ( e9 Joins v,w,G1 & e9 in E1 ) ; :: thesis: e9 = e\nthen not e9 in E2 by A25;\nthen e9 in rng f by ;\nthen consider C being object such that\nA31: ( C in dom f & f . C = e9 ) by FUNCT_1:def 3;\nconsider v1, v2 being Vertex of G1 such that\nA32: C = { k where k is Element of the_Edges_of G1 : k Joins v1,v2,G1 } and\nex k0 being object st k0 Joins v1,v2,G1 and\nfor k0 being object st k0 Joins v1,v2,G1 holds\nnot k0 in E2 by ;\nconsider C0 being non empty set such that\nA33: ( C = C0 & f . C = the Element of C0 ) by ;\nf . C in C0 by A33;\nthen consider k being Element of the_Edges_of G1 such that\nA34: ( f . C = k & k Joins v1,v2,G1 ) by ;\nfor x being object holds\n( x in { e where e is Element of the_Edges_of G1 : e Joins v,w,G1 } iff x in C0 )\nproof\nlet x be object ; :: thesis: ( x in { e where e is Element of the_Edges_of G1 : e Joins v,w,G1 } iff x in C0 )\nA35: ( ( v1 = v & v2 = w ) or ( v1 = w & v2 = v ) ) by ;\nhereby :: thesis: ( x in C0 implies x in { e where e is Element of the_Edges_of G1 : e Joins v,w,G1 } )\nassume x in { e where e is Element of the_Edges_of G1 : e Joins v,w,G1 } ; :: thesis: x in C0\nthen consider k being Element of the_Edges_of G1 such that\nA36: ( x = k & k Joins v,w,G1 ) ;\nk Joins v1,v2,G1 by ;\nhence x in C0 by ; :: thesis: verum\nend;\nassume x in C0 ; :: thesis: x in { e where e is Element of the_Edges_of G1 : e Joins v,w,G1 }\nthen consider k being Element of the_Edges_of G1 such that\nA37: ( x = k & k Joins v1,v2,G1 ) by ;\nk Joins v,w,G1 by ;\nhence x in { e where e is Element of the_Edges_of G1 : e Joins v,w,G1 } by A37; :: thesis: verum\nend;\nhence e9 = e by ; :: thesis: verum\nend;\nend;\nend;\nthen reconsider E1 = E1 as RepEdgeSelection of G1 by Def5;\ntake E1 ; :: thesis: E2 = E1 /\\ ()\nfor x being object holds\n( x in E2 iff ( x in E1 & x in the_Edges_of G2 ) )\nproof\nlet x be object ; :: thesis: ( x in E2 iff ( x in E1 & x in the_Edges_of G2 ) )\nthus ( x in E2 implies ( x in E1 & x in the_Edges_of G2 ) ) by ; :: thesis: ( x in E1 & x in the_Edges_of G2 implies x in E2 )\nassume A38: ( x in E1 & x in the_Edges_of G2 ) ; :: thesis: x in E2\nnot x in rng f\nproof\nassume x in rng f ; :: thesis: contradiction\nthen consider C being object such that\nA39: ( C in dom f & f . C = x ) by FUNCT_1:def 3;\nconsider v1, v2 being Vertex of G1 such that\nA40: C = { e where e is Element of the_Edges_of G1 : e Joins v1,v2,G1 } and\nex e0 being object st e0 Joins v1,v2,G1 and\nA41: for e0 being object st e0 Joins v1,v2,G1 holds\nnot e0 in E2 by ;\nconsider C0 being non empty set such that\nA42: ( C = C0 & f . C = the Element of C0 ) by ;\nf . C in C0 by A42;\nthen consider e being Element of the_Edges_of G1 such that\nA43: ( f . C = e & e Joins v1,v2,G1 ) by ;\nx Joins v1,v2,G2 by ;\nthen consider e1 being object such that\nA44: ( e1 Joins v1,v2,G2 & e1 in E2 ) and\nfor e9 being object st e9 Joins v1,v2,G2 & e9 in E2 holds\ne9 = e1 by Def5;\nthus contradiction by A41, A44, GLIB_000:72; :: thesis: verum\nend;\nhence x in E2 by ; :: thesis: verum\nend;\nhence E2 = E1 /\\ () by XBOOLE_0:def 4; :: thesis: verum"
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.5664261,"math_prob":0.99571055,"size":11245,"snap":"2023-40-2023-50","text_gpt3_token_len":4836,"char_repetition_ratio":0.23787919,"word_repetition_ratio":0.56820625,"special_character_ratio":0.43112496,"punctuation_ratio":0.17967951,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.99638397,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-09-26T22:44:51Z\",\"WARC-Record-ID\":\"<urn:uuid:4ef66df7-4972-4686-bb9f-b26fa49af978>\",\"Content-Length\":\"120094\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:a30433ab-450c-4d52-8201-228e3f824a1b>\",\"WARC-Concurrent-To\":\"<urn:uuid:30086395-04db-40b8-8dfa-feae52d0a00d>\",\"WARC-IP-Address\":\"193.219.28.149\",\"WARC-Target-URI\":\"http://mizar.org/version/current/html/proofs/glib_009/122\",\"WARC-Payload-Digest\":\"sha1:MEK3U3YZQ3CROCJOBN4KUTDXQNILYKRN\",\"WARC-Block-Digest\":\"sha1:WQHMKE7U3O74QHY3D7KV24FKIBAU3DYS\",\"WARC-Identified-Payload-Type\":\"application/xml\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-40/CC-MAIN-2023-40_segments_1695233510225.44_warc_CC-MAIN-20230926211344-20230927001344-00818.warc.gz\"}"} |
https://blog.csdn.net/natual177/article/details/104669892 | [
"# [python][excel][xlsl]操作\n\n# -*- coding: utf-8 -*-\n\nfilename = 'test.xlsx'\n\nsheetnames = wb.get_sheet_names()\n\nws = wb.get_sheet_by_name(sheetnames)\n\nfirst_column = ws['A']\n\nprint(\"len(first_column)\",len(first_column))\n\ncount = 0\n\nstart = False\n\nend = False\n\nfor x in range(len(first_column)):\n\nif first_column[x].value != None:\n\nif start == True:\n\nend = True\n\nstart = True\n\nx = x + 1\n\npos = 'B' + str(x)\n\ncount = 1\n\nelse:\n\ncount = count + 1\n\nif start == True and end == True:\n\nws[pos] = count\n\nwb.save(filename)\n\n01-11",
null,
"1923",
null,
"08-18\n06-29",
null,
"12万+\n04-12",
null,
"3万+\n04-30",
null,
"1万+\n01-02",
null,
"2万+\n08-19",
null,
"10万+\n03-18",
null,
"6051\n03-04",
null,
"5659\n10-18",
null,
"3767"
] | [
null,
"https://csdnimg.cn/release/blogv2/dist/pc/img/readCountWhite.png",
null,
"https://csdnimg.cn/release/blogv2/dist/pc/img/commentFlag@2x.png",
null,
"https://csdnimg.cn/release/blogv2/dist/pc/img/readCountWhite.png",
null,
"https://csdnimg.cn/release/blogv2/dist/pc/img/readCountWhite.png",
null,
"https://csdnimg.cn/release/blogv2/dist/pc/img/readCountWhite.png",
null,
"https://csdnimg.cn/release/blogv2/dist/pc/img/readCountWhite.png",
null,
"https://csdnimg.cn/release/blogv2/dist/pc/img/readCountWhite.png",
null,
"https://csdnimg.cn/release/blogv2/dist/pc/img/readCountWhite.png",
null,
"https://csdnimg.cn/release/blogv2/dist/pc/img/readCountWhite.png",
null,
"https://csdnimg.cn/release/blogv2/dist/pc/img/readCountWhite.png",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.6204508,"math_prob":0.7767369,"size":541,"snap":"2020-45-2020-50","text_gpt3_token_len":161,"char_repetition_ratio":0.16201118,"word_repetition_ratio":0.0,"special_character_ratio":0.3401109,"punctuation_ratio":0.14130434,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.98681986,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20],"im_url_duplicate_count":[null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2020-10-23T02:42:27Z\",\"WARC-Record-ID\":\"<urn:uuid:f967f877-445e-4e57-8e0e-1e780013406c>\",\"Content-Length\":\"130653\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:fb360a42-c39f-4cd1-9273-32748df653d1>\",\"WARC-Concurrent-To\":\"<urn:uuid:179cc132-3672-4145-bd3e-5c8854f71b55>\",\"WARC-IP-Address\":\"101.200.35.175\",\"WARC-Target-URI\":\"https://blog.csdn.net/natual177/article/details/104669892\",\"WARC-Payload-Digest\":\"sha1:DLL4YINPP2ZWKZCBZCGOTQO7ZGPPYTDM\",\"WARC-Block-Digest\":\"sha1:WWIUE364HXX2AP3B7CUDZBVOXDEHZYTW\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2020/CC-MAIN-2020-45/CC-MAIN-2020-45_segments_1603107880519.12_warc_CC-MAIN-20201023014545-20201023044545-00608.warc.gz\"}"} |
https://ecce216.com/blog/how-do-you-prove-the-correctness-of-an-algorithm/ | [
"# How do you prove the correctness of an algorithm?\n\n## How do you prove the correctness of an algorithm?\n\nThe only way to prove the correctness of an algorithm over all possible inputs is by reasoning formally or mathematically about it. One form of reasoning is a “proof by induction”, a technique that’s also used by mathematicians to prove properties of numerical sequences.\n\n### How do you prove the correctness of an algorithm explain using an example?\n\nOne way to prove the correctness of the algorithm is to check the condition before (precondition) and after (postcondition) the execution of each step. The algorithm is correct only if the precondition is true then postcondition must be true. Consider the problem of finding the factorial of a number n.\n\n#### How do you prove algorithms correctness by induction?\n\nThe proof consists of three steps: first prove that insert is correct, then prove that isort’ is correct, and finally prove that isort is correct. Each step relies on the result from the previous step. The first two steps require proofs by induction (because the functions in question are recursive).\n\nHow do you prove the correctness of the greedy algorithm?\n\nOne of the simplest methods for showing that a greedy algorithm is correct is to use a “greedy stays ahead” argument. This style of proof works by showing that, according to some measure, the greedy algorithm always is at least as far ahead as the optimal solution during each iteration of the algorithm.\n\nHow can you prove the correctness of an algorithm using loop invariant?\n\nTermination: When the for-loop terminates i=(n−1)+1=n. Now the loop invariant gives: The variable answer contains the sum of all numbers in subarray A[0:n]=A. This is exactly the value that the algorithm should output, and which it then outputs. Therefore the algorithm is correct.\n\n## Are greedy algorithms always correct?\n\nApplications. Greedy algorithms typically (but not always) fail to find the globally optimal solution because they usually do not operate exhaustively on all the data. They can make commitments to certain choices too early, preventing them from finding the best overall solution later.\n\n### Which type of algorithm is harder to prove the correctness?\n\nGreedy algorithms\nGreedy algorithms are easy to design, but hard to prove correct • Usually, a counterexample is the best way to do this • Interval scheduling provided an example where it was easy to come up with a simple greedy algorithm. – However, we were able to show the algorithm non-optimal by using a counterexample.\n\n#### How can you prove correctness of dynamic programming algorithm?\n\nYou can view DP as a way to speed up recursion, and the easiest way to prove a recursive algorithm correct is nearly always by induction: Show that it’s correct on some small base case(s), and then show that, assuming it is correct for a problem of size n, it is also correct for a problem of size n+1.\n\nHow can you prove that greedy algorithm is optimal?\n\nIs an essential tool for proving the statement that proves an algorithm’s correctness?\n\nMathematical induction (MI) is an essential tool for proving the statement that proves an algorithm’s correctness.\n\n## What is the difference between Kruskal and Prim algorithm?\n\nLike Kruskal’s algorithm, Prim’s algorithm is also a Greedy algorithm. It starts with an empty spanning tree. The idea is to maintain two sets of vertices….Difference between Prim’s and Kruskal’s algorithm for MST.\n\nPrim’s Algorithm Kruskal’s Algorithm\nPrim’s algorithm runs faster in dense graphs. Kruskal’s algorithm runs faster in sparse graphs.\n\n### What is the difference between Kruskal and Bellman-Ford algorithm?\n\nDijkstra’s algorithm is very similar to Prim’s algorithm for minimum spanning tree….What are the differences between Bellman Ford’s and Dijkstra’s algorithms?\n\nBellman Ford’s Algorithm Dijkstra’s Algorithm\nIt can easily be implemented in a distributed way. It can not be implemented easily in a distributed way.\nPosted in Blog"
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.911111,"math_prob":0.98292345,"size":3913,"snap":"2023-40-2023-50","text_gpt3_token_len":796,"char_repetition_ratio":0.18828344,"word_repetition_ratio":0.0752,"special_character_ratio":0.19320215,"punctuation_ratio":0.08737864,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.99658084,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-12-09T20:47:53Z\",\"WARC-Record-ID\":\"<urn:uuid:d5460f23-ae82-4b89-8ebe-16952925de47>\",\"Content-Length\":\"60072\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:995a01e6-95db-4db4-90d6-c7af3b711142>\",\"WARC-Concurrent-To\":\"<urn:uuid:baea9b7e-28cc-4197-8325-a6978c86f81d>\",\"WARC-IP-Address\":\"104.21.85.71\",\"WARC-Target-URI\":\"https://ecce216.com/blog/how-do-you-prove-the-correctness-of-an-algorithm/\",\"WARC-Payload-Digest\":\"sha1:FUKHIC7WM4OO32D4CWDCPYYJ7UAJSXL2\",\"WARC-Block-Digest\":\"sha1:E732W3C5SATLATRHRB5PT5BXJI5GV4FV\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-50/CC-MAIN-2023-50_segments_1700679100972.58_warc_CC-MAIN-20231209202131-20231209232131-00342.warc.gz\"}"} |
https://www.scirp.org/journal/paperinformation.aspx?paperid=79296 | [
"On the Emergence, Development and Prospect of Financial Mathematics\nXiaogang Yang\n\nAbstract\n\nSince its emergence in 1980s, financial mathematics has developed into an interdisciplinary subject with independent theoretical system. On the one hand, financial mathematics has become the key technology that can be seen everywhere in finance. On the other hand, the development of Finance provides an important platform for the application of mathematics. The purpose of this paper is to analyze and summarize the emergence and development of financial mathematics, and to analyze the future of financial mathematics.\n\nKeywords\n\nShare and Cite:\n\nYang, X. (2017) On the Emergence, Development and Prospect of Financial Mathematics. Modern Economy, 8, 1129-1134. doi: 10.4236/me.2017.89078.\n\n1. The Emergence of Financial Mathematics\n\nFinancial mathematics was an interdisciplinary subject of mathematics and finance in the 1980s. It is the study of financial market risk assets, and its purpose is to use effective mathematical tools to reveal the essential features of finance, so as to achieve the optimal strategy for a potential risk of contingent claim pricing and risk averse. Its history can be traced back to 1900, the French mathematician Basch Lee E’s doctoral dissertation, “speculative theory”. In this paper, for the first time using Brown Bachelier motion to describe the stock price changes, this was the finance development, especially lays a theoretical foundation for the modern option pricing theory. However, his work has not received much attention from the financial mathematics community. Until 1952, Markowitz’s doctoral dissertation “portfolio selection” proposed mean-variance model, the establishment of portfolio theory, and a mathematical theory of finance. Based on Markowitz work, 1973 Black and Scholes got famous option pricing formula, and won the 1997 Nobel prize in economics study. It provides a satisfactory answer to an important practical problem, namely, to seek fair prices for European call options. The latter two discoveries promoted the development of mathematical research to finance, and gradually formed a new cross subject, financial mathematics .\n\nFinancial mathematics is a frontier subject of mathematics and finance that has developed rapidly on the basis of the two Wall Street revolution. The core of the study is to study the optimal portfolio selection theory and asset pricing theory in the uncertain stochastic environment. Arbitrage, optimization and equilibrium are the basic economic ideas and three basic concepts of financial mathematics. Internationally, this subject has been developed for more than 50 years. Especially in recent years, many experts in the field of financial mathematics have been able to prove, simulate and perfect it in the efforts of many experts and scholars. The rapid development of financial mathematics has led to the rapid innovation of financial products in modern financial markets, making the scope and level of financial transactions more abundant and diverse. This new discipline also has close relationship with China’s financial reform and development, and its development prospects in China are limitless.\n\n2. The Development of Financial Mathematics\n\nAs early as in 1990, French mathematician Bacheri described the stock as Brown’s movement in his doctoral thesis “speculative theory”. This is also the first rigorous mathematical description of the Brown movement. This theory lays the foundation for the future development of financial mathematics, especially the establishment of option theory. But this work has not attracted the attention of the financial mathematics for a long time. The name of the subject of financial mathematics didn’t appear until the late 1980s. It is the portfolio theory mark position (H. Kowitz 1990 Nobel prize in Economics) option pricing theory and Scholes-Merton (M. Scholes-R. Merton. 1997 won the Nobel Prize in Economics), the direct result of the two revolution of Wall Street. International calls it mathematical finance .\n\nFinancial mathematics originated in the early twentieth Century by French mathematician Basch Lee E in his doctoral thesis, the principle of speculation, depicting Brown’s movements in stock prices. Although 1905 Einstein also did the study, but this new approach was not able to attract more people’s attention, until 1950, Seoul by SA Liao statistician Savage finally found the great significance of this practice, and began to do comprehensive research on financial mathematics, financial mathematics which finally ushered in the development of the heyday modern finance which officially opened the curtain.\n\nModern financial mathematics grew up in the context of the two Wall Street revolution. The achievements of the first revolution are embodied in the study of the theory of static portfolio theory. In 1952 Marco Chavez presented portfolio mean variance model based on the theory of the investment risk and return the quantitative characterization, which pioneered the use of mathematical methods to study the financial problems of precedent. His model, however, calculates the covariance of the prices of each risky asset, which is very large. The second Wall Street revolution evolved from a static decision to a dynamic one. In 1970 the collapse of the Bretton Woods Agreement, the floating exchange rate instead of a fixed exchange rate, many financial derivatives such as options, futures are randomly generated, the introduction of these financial derivatives are mainly for financial risk management, and to make scientific and effective risk on the tube on the need for scientific pricing of derivatives. Brown makes a motion model of Bachelier twins: the birth of financial engineering option pricing mathematics stochastic process with continuous time and continuous time. The introduction of mathematical tools is mainly for financial risk management, and to make scientific and effective risk on the tube on the need for scientific pricing of derivatives. Shortly thereafter, Merton used another rigorous mathematical approach to derive the pricing formula and to extend it. The option pricing formula has brought unprecedented convenience to financial traders and bankers in the transaction of financial derivatives, and the rapid development of options trading has quickly become the main content of the world financial market. The theory of Black, Hughes and Morton has become a milestone in modern financial economics, and is still an important source of modern financial theory .\n\n3. The Future of Financial Mathematics\n\nWith the further development and perfection of financial market, people find complete information of all the previous research on the financial model assumed that investors can get the market, but investors can only depict the observed system state price process itself, the drift coefficient of Brown motion and dynamic assets can not be observed, that investors can only get some market information. Therefore, many scholars have systematically studied the investment and consumption problems based on incomplete information using various mathematical methods, and have made some progress.\n\nThe introduction of saddle theory is the latest research achievement of modern financial theory. In 1977, Harrison (Harrison J. M.) and Corey Poos (Kreps S. R.) proposed the martingale method of option pricing theory, they use martingale measure concept in martingale theory characterizing no arbitrage and incomplete markets, and use the equivalent martingale measure on option pricing and hedging or hedge. Saddle method advocated by Karatza. S and Shreve, directly to the saddle theory into modern financial theory, the pricing problem of using the concept of equivalent martingale measure of derivative securities, the result can not only reveal the operation of the financial market, but also can provide a set of effective algorithms, pricing and risk management of complex problem solving financial derivative products.\n\nAnother function of the saddle theory in the study of financial theory is that it can solve the problem of the pricing of derivative securities when the financial market is incomplete, so that the modern financial theory has made a breakthrough progress”. At present, the derivative securities pricing theory based on saddle method is dominant in modern financial theory, but it is still a blank in our country.\n\n3.2. Intelligent Optimization\n\nThe intelligent optimization method (genetic algorithm, simulated annealing algorithm, artificial neural network and wavelet analysis) and combine traditional methods, applied to the risk control and investment decision problem is another has more broad research areas, provides a wide range of research topics for us. The international research on this aspect has made preliminary achievements, and there are a large number of scholars in China devoted to this research. Due to the development of this field is relatively late, there are many problems have not been solved yet, but we still believe that the financial experts, mathematicians and artificial intelligence experts to work together in this emerging field of study will be able to achieve a breakthrough.\n\n3.3. Differential Game Theory\n\nThe application of differential game method to the option pricing problem and the investment decision problem is another important aspect of the development of modern financial theory, and some achievements have been made. When the financial market does not satisfy the steady-state assumption or abnormal fluctuations in stock prices, often do not obey the geometry Brown motion, then using the method of random dynamic model of securities investment decision problems both in theory, or in fact there is deviation from. Using the differential game method to study the financial decision problem can relax the hypothesis. The uncertainty disturbance is assumed to be a hostile one, and the optimal investment strategy with strong robustness can be obtained by optimizing the worst case. In addition, the Behrman equation for differential games is a first-order partial differential equation, which is much simpler than the two order partial differential equations for stochastic control problems. Therefore, the application of differential game method to the study of financial problems has broad application prospects.\n\n3.4. Stochastic Optimal Control Theory\n\nAn important application field of financial theory is to solve the stochastic problem of continuous time, and the important means to solve this problem is stochastic optimal control theory. Stochastic optimal control was developed in the late 1960s and early 70s. Mathematicians applied the Behrman optimization principle and developed new mathematical research fields using measurement theory and functional analysis. 1971 Merton (Merton) using continuous time methods and discuss the consumption portfolio problem, Brock (Brock) and Millman (Mirman) used in the discrete time case method to solve the problem of uncertain optimal economic growth. So far, the stochastic optimal control method has been applied to most financial fields and has broad prospects for development.\n\n3.5. Optimal Stopping Time Theory\n\nThe theory of optimal stopping time is a very practical field in the system of probability theory. In recent years, many financial mathematicians combine this theory with modern portfolio theory, and have achieved good results. However, the research literature in this field is still not much, and the field is still in its infancy. Based on the optimal stopping theory, Moton A and Pliska S R studied the investment decision problem with fixed transaction costs, and gave a simplified algorithm for the investment decision making problem with two risk securities. In China, the research on this aspect is still rare. It is believed that the application of the optimal stopping theory to the study of investment decision problems and risk minimization problems will lead to greater progress.\n\n3.6. The Market Price Fluctuations\n\nThe so-called price volatility, usually refers to the future price deviation from the expected value of the possibility. In financial economics, volatility is measured by standard deviations of returns, not by standard deviations of prices. For example, in the “B S model” and most of its generalizations, it is unreasonable to assume that the volatility of stock prices is constant. In order to more accurately describe the stock price change rules, must consider the following factors: the stock price volatility of stock price volatility and dependence; other random variables depend on the stock price may jump suddenly. Stochastic volatility models can reflect some of these factors, and are now highly valued. Such models assume that volatility obeys a stochastic process, such as geometric Brown motion.\n\n3.7. The Term Structure of Interest Rates\n\nIn the B-S model, interest rates are given constants. In fact, the changes in interest rates are quite complex. The laws of interest rates vary in different properties and maturities, which is the term structure of interest rates. It can usually be expressed in the form of yield curves. The term structure of interest rate includes three theories: market expectation theory, market segmentation theory and investment preference theory, and liquidity preference theory. These theories explain the irregular changes in interest rates from different angles. In recent years, interest rate risk has become increasingly prominent, interest rate options and other interest rate derivative securities have been developed rapidly, and the mathematical model of the term structure of interest rates has been put forward.\n\n3.8. Emergency Issues\n\nUnexpected events can not be ignored in the financial field, such as the financial crisis in Southeast Asia in 1997, which has caused great losses to some countries. The prediction theory based on the traditional stationary random process is not applicable at all. Traditional theories may explain how the market took place in 95% of the time. However, if people admit that emergencies occur in the remaining 5% of the time, then the picture described by the traditional theory does not reflect the actual situation. Now we apply chaos theory and fractal theory to explain how the stock price soared and plummeted. The early warning of financial emergencies is often difficult because it involves many factors, quantification and alarm sensitivity, which is also an important field of financial mathematics research.\n\n3.9. American Option Problem\n\nMost of the options traded in the market are American options. The problem of Pricing American options is much more difficult than that of European options. Because American options can be executed at any time before maturity, this involves the optimal execution time of the expiration rights. In general, the optimal execution time of options is a very complicated problem and has not been well solved so far. If the method of partial differential equation is used to discuss the pricing of American options, the problem of the corresponding partial differential equation will become a “free boundary” problem, which is difficult to deal with mathematically. In general, no accurate analytical pricing formula of American option, and can only use numerical solution or approximate analytic solution, therefore, it has important practical significance of numerical methods for American options pricing development .\n\n4. Epilogue\n\nFinancial mathematics is a new frontier subject which studies the law of financial operation by means of mathematical theories and methods. The core problem is portfolio selection and asset pricing theory under uncertain multiple periods. Arbitrage, optimality and equilibrium are three main concepts. The latest research results of financial mathematics are stochastic optimal control theory, saddle theory, differential game theory, optimal stopping time theory and intelligent optimization. The current problems and prospects of financial mathematics are mainly about American option, Asian option, interest rate structure, market price fluctuation and unexpected events.\n\nConflicts of Interest\n\nThe authors declare no conflicts of interest.\n\n Zhang, Y. (2010) The Application of Economic Mathematics. Journal of Liaoning Teachers College (NATURAL SCIENCE EDITION), 19, 68-70. Xue, J.J. and Qiao, L.F. (2011) Current Situation and Development of Financial Mathematics. Journal of Daqing Normal University, 31, 80-83. Sun, Z.Q. and Liu, X.H. (2010) An Overview of Financial Mathematics and Its Prospect. Journal of Chongqing Academy of Arts and Sciences (NATURAL SCIENCE EDITION), 29, 24. Guo, C. (2011) A Review of Recent Advances in Financial Mathematics. Modern Trade and Industry, 23, 169.",
null,
"",
null,
"",
null,
"",
null,
"",
null,
"customer@scirp.org",
null,
"+86 18163351462(WhatsApp)",
null,
"1655362766",
null,
"",
null,
"Paper Publishing WeChat",
null,
""
] | [
null,
"https://www.scirp.org/images/Twitter.svg",
null,
"https://www.scirp.org/images/fb.svg",
null,
"https://www.scirp.org/images/in.svg",
null,
"https://www.scirp.org/images/weibo.svg",
null,
"https://www.scirp.org/images/emailsrp.png",
null,
"https://www.scirp.org/images/whatsapplogo.jpg",
null,
"https://www.scirp.org/Images/qq25.jpg",
null,
"https://www.scirp.org/images/weixinlogo.jpg",
null,
"https://www.scirp.org/images/weixinsrp120.jpg",
null,
"https://www.scirp.org/Images/ccby.png",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.93883115,"math_prob":0.86645085,"size":15517,"snap":"2022-05-2022-21","text_gpt3_token_len":2801,"char_repetition_ratio":0.17005092,"word_repetition_ratio":0.024775736,"special_character_ratio":0.17748275,"punctuation_ratio":0.09774723,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9649783,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20],"im_url_duplicate_count":[null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2022-05-17T11:14:57Z\",\"WARC-Record-ID\":\"<urn:uuid:a2c30a46-bcba-4599-8fbc-528f835b1430>\",\"Content-Length\":\"87445\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:6641ab31-2ff3-4908-affb-59b3680c6973>\",\"WARC-Concurrent-To\":\"<urn:uuid:077fab4e-d3a3-4189-adce-417616c52b11>\",\"WARC-IP-Address\":\"144.126.144.39\",\"WARC-Target-URI\":\"https://www.scirp.org/journal/paperinformation.aspx?paperid=79296\",\"WARC-Payload-Digest\":\"sha1:YJBMYI55IWXH52RJAVG3IFGPB22ZV3MX\",\"WARC-Block-Digest\":\"sha1:7VN3VO55ZXUHWIGQZHRLME5DNFXAPC5I\",\"WARC-Identified-Payload-Type\":\"application/xhtml+xml\",\"warc_filename\":\"/cc_download/warc_2022/CC-MAIN-2022-21/CC-MAIN-2022-21_segments_1652662517245.1_warc_CC-MAIN-20220517095022-20220517125022-00255.warc.gz\"}"} |
https://calculator.name/multiplying-fractions/24over2/14over8 | [
"# 24/2 times 14/8 as a fraction\n\nWhat is 24/2 times 14/8 as a fraction? 24/2 times 14/8 is equal to 21\n\nHere we will show you how to multiply 24/2 times 14/8 written in maths equation as 24/2 * 14/8, or 24/2 × 14/8, answer in fraction and decimal form with step by step detailed solution.\n\n• 21\n\nTo multiply 24/2 times 14/8, follow these steps:\n\nTo multiply fractions, simply multiply the top numbers together (numerators) and then multiply the bottom numbers together (denominators).\n\n= 24 * 14/2 * 8 = 336/16\n\nSimplify\n\n= 336/16 = 21\n\nMore Examples"
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.8420771,"math_prob":0.9978907,"size":489,"snap":"2023-14-2023-23","text_gpt3_token_len":156,"char_repetition_ratio":0.17319588,"word_repetition_ratio":0.0,"special_character_ratio":0.3640082,"punctuation_ratio":0.07692308,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9992586,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-03-23T18:28:21Z\",\"WARC-Record-ID\":\"<urn:uuid:a449ad48-0060-461d-a336-cd378f553e79>\",\"Content-Length\":\"130369\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:6f06fe7a-f70f-4945-bda4-aae246b81302>\",\"WARC-Concurrent-To\":\"<urn:uuid:95d9d18d-93e2-451e-81c6-66dc9dfff9ea>\",\"WARC-IP-Address\":\"68.178.146.134\",\"WARC-Target-URI\":\"https://calculator.name/multiplying-fractions/24over2/14over8\",\"WARC-Payload-Digest\":\"sha1:PD2EQK57QLCZNVAJMMGLOYWZF76QRLQ4\",\"WARC-Block-Digest\":\"sha1:SBLE7YK3JS4DAQB5HL4KPZB6RVIF5BS3\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-14/CC-MAIN-2023-14_segments_1679296945182.12_warc_CC-MAIN-20230323163125-20230323193125-00729.warc.gz\"}"} |
http://www.mrithescienceguy.com/2015/11/math-10c-week-12-math-10-qujiz-function.html | [
"## Monday, November 23, 2015\n\n### Math 10C: Week 12 - Math 10 Quiz, Function Notation & Intercepts\n\n This week we are: Working on our understanding of function notation and intercepts I will: express functions as an equation I will: determine values for functions using the equation I will: define values as intercepts on function graphs I can: calculate values for function equations I can: differentiate between known values such as f(3) vs f(x)=3 I can: label and define both x and y intercepts\n\nMonday\n\n1. Today we will be having a quiz on functions/relations and range/domain\n2. If done on time, we will start Tuesdays Lesson Early\n\nTuesday\n\n1. We will go over Function notation and equations in the the from of slope-intercept\n2. Have students work on handouts for function notation.\n\nWednesday\n\n1. Formative assessment 4.3 on Function notation\n2. Go over x-y intercepts on a graph\n3. Have students work in workbook and handouts for intercpts\n\nThursday\n1. Formative assessment 4.4 on X-Y intercpets\n2. Handout Review Assignment\n3. Students can work on review assignment.\n\nFriday\n\n1. We will look at kahoot as a review for the test on monday.\n2. When done, students can work on review assignment."
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.8963126,"math_prob":0.91602904,"size":1453,"snap":"2021-43-2021-49","text_gpt3_token_len":342,"char_repetition_ratio":0.13043478,"word_repetition_ratio":0.008097166,"special_character_ratio":0.22023399,"punctuation_ratio":0.10996564,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9775073,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-10-18T16:56:19Z\",\"WARC-Record-ID\":\"<urn:uuid:7e1eef92-1b84-4811-858a-1db2431131f0>\",\"Content-Length\":\"137859\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:884ba671-ead2-469c-a92d-33d7977093e5>\",\"WARC-Concurrent-To\":\"<urn:uuid:291fd16d-5230-4628-86a6-ec299fdcdeb1>\",\"WARC-IP-Address\":\"172.217.15.115\",\"WARC-Target-URI\":\"http://www.mrithescienceguy.com/2015/11/math-10c-week-12-math-10-qujiz-function.html\",\"WARC-Payload-Digest\":\"sha1:XFD3RD3DKDKOD3S6U5DLW3HMZKKFNQ3V\",\"WARC-Block-Digest\":\"sha1:NCZ3BKHJZZNWGJTT36WDXR633OEN6R7O\",\"WARC-Identified-Payload-Type\":\"application/xhtml+xml\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-43/CC-MAIN-2021-43_segments_1634323585204.68_warc_CC-MAIN-20211018155442-20211018185442-00243.warc.gz\"}"} |
https://pandascore.co/blog/cs-go-round-modeling | [
"",
null,
"Sep 16, 2022\n\nCS:GO Round Modeling\n\n### Background\n\nPandascore is the world’s AI-powered hub of esports data, whose odds feed is the main product serving the esports betting industry.\n\nWe use artificial intelligence to process and model more than 300 data points per second to empower our dedicated esports traders with the most up to date information in real-time.\n\nFirst-person shooter Counter-Strike: Global Offensive (CS:GO) is one of the big 3 esports titles for Western audiences, along with MOBAs League of Legends and Dota 2. When it comes to esports betting, CS:GO is far and away the most popular for punters. The biggest tournaments in the world regularly draw in betting turnover in the tens of millions of euros.\n\nMapping and modeling professional Counter-Strike as accurately as possible is essential to providing the best statistics and odds available on the market.\n\n### CS:GO Rules\n\nCounter-Strike has been an esports staple for over 20 years, with established tournaments featuring teams from every corner of the globe competing year-round and a growing Players’ Association to boot. The game itself boasts almost 35 million players and roughly 53m hours watched on Twitch every month.\n\nTo break the game down in simple terms:\n\n• 2 teams of 5 players face each other in a 30 round matchup\n• Each round is 1 minute and 55 seconds, with either team having specific win conditions\n• For the T-side, they can win a round by either eliminating every member of the opposing team OR by planting a bomb in a designated zone, which will detonate after 40 seconds\n• For the CT-side, they can win a round by eliminating all members of the T-side, or defusing the bomb after it has been planted\n• After playing 15 rounds, the two teams will switch sides from T-side to CT-side and vice versa\n• The first side to win 16 rounds wins the match\n\nThere is also overtime to account for:\n\n• A team must win by 2 rounds, otherwise the game will go into overtime after the 30 rounds are completed\n• In overtime, the two teams will need to win in a best-of-6 rounds format. If the teams are tied at the end of overtime, another round of overtime will start until there is a victor\n\nIn the competitive scene, teams will compete over multiple matches and maps in a best-of-3 or best-of-5 series. As you can imagine, there is a ton of data to process in any CS:GO esports match.\n\n### The problem\n\nWe need to have access to a lot of predictions (called markets in the betting industry) regarding CS:GO matches such as:\n\n• Who is going to win the match?\n• Who is going to have 10 rounds first?\n• What will be the round difference at the end of the match?\n• How many rounds will be played in the match?\n\nIt is not possible to have one model per prediction since it could potentially lead to contradictory predictions easily exploitable by bettors. We need to model the round dynamic of CS:GO all at once. This means that we need to have access to probabilities to reach any given intermediate and final round score.\n\nSince our model will run also during live for in-play betting, the model also needs to be able to infer predictions fast — typically a few dozens of milliseconds. This motivated us to try analytical-based solutions for inference instead of simulation-based ones.\n\n### The approach\n\nFor the model we are describing in this blog post, we are going to make the following assumption:\n\n• The probability for a team to win a round only depends on the outcome of the previous round\n\nAnyone knowing a bit about the game CS:GO could argue that this assumption is too naïve for the problem we are trying to solve. Indeed, it is commonly accepted that the best feature in CS:GO to predict the outcome of the coming round in live is the economy which has its own round dynamic. However, we found it interesting to check how a simple model like the one we are going to present would perform.\n\n### Binomial distribution with Markov states\n\nA 2 states Markov Chain Binomial (MB in this post) can be seen as an extension of a binomial distribution in which the probability for the nth trial to be a success or a failure depends on the outcome of the previous trial.\n\nLet’s walk through the equations while keeping in mind CS:GO.\n\nMore formally, we can define:\n\n• The probability for team A to win (j=1) or lose (j=0) the round m+1 round given they won (i=1) or lost (i=0) round m\n• Alongside a transition matrix P representation\n\nFollowing this paper, we can rewrite P\n\n• p being the probability of success of the first trial (first pistol round in CS:GO)\n• q = 1-p being the probability of failure of the first trial\n• delta can be interpreted as the first-order autocorrelation between 2 rounds\n\nThe details to go from the first matrix to the second one is well explained in the paper mentioned above.\n\nThe nth transition probability matrix is then equal to:\n\nOnly 2 parameters need to be estimated to fit such model to some data: p and delta.\n\nAgain following the paper, the likelihood of a sequence of trials parametrized by N1, N0 and Nij (i,j = 0|1) following a MB model can be expressed as:\n\nN1 is a boolean equal to 1 if the first round was won by team A.\n\nN0 is a boolean equal to 1 if the first round was lost team A.\n\nNij denotes the total number of transitions from state i to state j within the sequence.\n\nLet’s change the notations from the paper for the application to CS:GO. We will call i the outcome of the first round, j the outcome of the last round, n the number of rounds, k the number of rounds won, l the number of pairs of successive round wins.\n\nWe then have the following equalities:\n\n• N1 + N01 is equal to the number of “individual successes”:\n• N0 + N10 is equal to the number of “individual failures”:\n• N11 is equal to the number of pairs of consecutive successes:\n• N00 is equal to the number of pairs consecutive failures:\n• N01 + N10 is the number of times the state (win, lose) has changed in the sequence:\n\nWe won’t take a detailed dive into the calculus that leads to the above equations, but you can easily check that they are correct on the specific example shown below!\n\nThe probability to observe a path with n rounds, k wins, l pairs of consecutive wins given that the first pistol round is i and the last round is j, under an MB model parametrized with p and delta can now be written as:\n\ni, j, n, k, l together define a sequence pattern, and we therefore consider all sequences that have the same structure equal in terms of probabilities. To compute the probability of having a given sequence pattern, we have to multiply the likelihood of a certain pattern to occur with the number of possible patterns, given by Ѱ.\n\nFollowing Lemma 2 of Rudolfer (1990) “A Markov chain model of extrabinomial variation”.\n\nThe picture above shows one counting example of the sequence patterns of a MB model.\n\nWe can then write the probability for team A to reach k rounds in n rounds, with l pairs of consecutive rounds given than the outcome of the first round is i and the last is j:\n\nTo get the probability of team A to win, we just need to marginalise over n, l and i. Indeed, if team A wins, they will win the last round so j = 1. However there is something we have not considered at all for now which is the half time.\n\nIndeed, in a CS:GO game, after round 15, both teams switch sides (T-side becomes CT-side and vice-versa) and the outcome of the 16th round (second pistol round) can be considered as independent from what happened before.\n\nThis brings us to model a CS:GO game as follows:\n\n• The first half (from round 1 to 15) should be modeled with a fixed-n Markov Binomial distribution (a fixed number of trials is run, in our case 15)\n• The second half (after round 15) should be modeled with a Negative Markov Binomial (some trials are run until there is a winner, 16 rounds if no overtime)\n\nFollowing what we have said in the previous section we have:\n\n• The probability to have k successes in n trials for a sequence modeled with a Markov Binomial distribution can be written as:\n• The probability to reach k successes and r failures, the last trial being a success\n\nWe are almost there!\n\nImagine you are watching a game of CS:GO and the score at the half of the game is 8–7. Then the probability for team A to win 16–14 at the end of the game (8 successes and 7 failures in the second half) is:\n\nWithout any assumption on the first half (prematch setup), we can still compute the probability for team A to win the game 16–14 by just marginalizing on all possible scores for the first half:\n\nFinally:\n\n• the probability for team A to win the game without overtime is:\n• the probability to go to overtime is:\n• the probability for team B to win the game without overtime is:\n\nAnd this is it! We manage to have a closed-form expression that models the round dynamic in CS:GO.\n\nN.B. It’s possible to model the overtimes with the same idea since they are just a sequence of 6 rounds maximum with a “first to 4” rule.\n\n### How to use such a model?\n\nFirst, the delta parameter can be found easily from the data we collect at PandaScore. The other parameter p (probability to win the pistol rounds) can be found using a machine learning model or with the help of humans.\n\nSecondly, it’s also possible to work the other way around. We can for instance have another model estimating the probability for team A to win the game, and then infer p using some optimisation algorithms.\n\n### Experiments\n\nWe have fixed delta to 0.35 which appeared to work well. Let’s take as example 2 scenarios.\n\n1. Team A has a 50% of chance to win the game and we deduce p from that\n\nThe first plot below shows the probability for every possible in-play round score to be reached. The anti-diagonals sum to 1 since they gather all possible scores for a given fixed number of rounds played. Since both teams have the same chance to win, the plot is symmetrical and the biggest probabilities stand near the diagonal.\n\nThe second plot below shows the probabilities on all end scores. Since both teams are equal, the highest probabilities are on scores ranging from 16–14 to 16–10.\n\n2. Team A has only 5% of chance to win the game and we deduce p from that\n\nThe plots below are the same as described above. But obviously the matrices are not symmetrical anymore!\n\n### Limitations\n\nObviously the assumption made with this model is too strong. While the model proposed has its advantages (fast to compute with analytic solutions, easy to interpret, good estimates of the round distribution), it has shown some limitations e.g.\n\n• Overestimation of close games for teams of similar strengths\n• Underestimation of stomps for teams of similar strengths\n• Fine grained dynamics are averaged\n\nThe plot above shows for teams of the same level, difference in % between empirical distribution (historical data) and our Markov Binomial model (Old model)\n\nMany aspects of CS:GO round dynamic were not taken into account in this attempt. To mention just a few of them:\n\n• Momentum\n• “Eco rounds”\n• Catchup mechanisms\n• Map\n• Pistol rounds\n\nThis led us to go for a more complex model for production which captures better these mechanisms.\n\n### Conclusion\n\nWhen we model some esports at PandaScore, we always try to evaluate simple solutions first and then iterate from this baseline. Markov Binomial models is not a common distribution — we did not know about it before working on CS:GO! — but has proven to be a good first approximation of the round dynamic of the game."
] | [
null,
"https://px.ads.linkedin.com/collect/",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.9426193,"math_prob":0.9576142,"size":11313,"snap":"2023-40-2023-50","text_gpt3_token_len":2538,"char_repetition_ratio":0.14183393,"word_repetition_ratio":0.052093476,"special_character_ratio":0.22133829,"punctuation_ratio":0.07890071,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.98045915,"pos_list":[0,1,2],"im_url_duplicate_count":[null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-09-28T07:21:27Z\",\"WARC-Record-ID\":\"<urn:uuid:c8192e34-5d2f-41d6-b2b7-ca7fc784738c>\",\"Content-Length\":\"41640\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:a5bc73be-42ab-4470-8d8a-cbf3caa53be9>\",\"WARC-Concurrent-To\":\"<urn:uuid:88d944ed-c594-4ed0-b48c-c7ca5c43d7b2>\",\"WARC-IP-Address\":\"34.79.38.35\",\"WARC-Target-URI\":\"https://pandascore.co/blog/cs-go-round-modeling\",\"WARC-Payload-Digest\":\"sha1:2NNTMM7Y3P72LKA4BGC5DDEKX3ZGLSUT\",\"WARC-Block-Digest\":\"sha1:2PZH5LLX634GXMRWE2LLIAVYGMPA7Y4R\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-40/CC-MAIN-2023-40_segments_1695233510368.33_warc_CC-MAIN-20230928063033-20230928093033-00076.warc.gz\"}"} |
https://idsoftwaredownload.com/binary/formula-options-in-excel/ | [
"# Change formula recalculation, iteration, or precision in Excel",
null,
"## Formula options in excel\n\nmy input looks like this, in K i would like to see OJ6, when D is OJ and F is 6668. the first part of the nested commands works fine.\nD F K\nOJDS56 6668 OJ6\nSSDSC6 CX\n\n## IF Function with 3 Conditions - ExcelDemy | Free Excel\n\n=if(and(A6=\"Y\",B6=\"N\",C6=\"N\"),\"AA\",if(and(A6=\"N\",B6=\"N\",C6=\"Y\"),\"BB\",if(and(A6=\"Y\",B6=\"N\",C6=\"Y\"),\"CC\",if(and(A6=\"N\",B6=\"Y\",C6=\"N\"),\"DD\",if(and(A6=\"Y\",B6=\"Y\",C6=\"N\"),\"EE\",if(and(A6=\"Y\",B6=\"Y\",C6=\"Y\"),\"FF\",if(and(A6=\"N\",B6=\"Y\",C6=\"Y\"),\"GG\",if(and(A6=\"N\",B6=\"N\",C6=\"N\"),\"HH\",\"\"))))))))\n\n### How to Use AutoFill in Excel? | Top 5 Methods (with Examples)\n\nThere is a problem, though. Transpose is a one-time snapshot of the data. What if you have formulas in the horizontal data? Is there a way to transpose with a formula?\n\n#### IF AND in Excel: nested formula, multiple statements, and more\n\nTo recalculate all dependent formulas — except data tables — every time you make a change to a value, formula, or name, in the Calculation options section, under Workbook Calculation , click Automatic except for data tables.\n\nHave you ever seen a dollar sign in an Excel formula? When used in a formula, it isn't representing an American dollar instead, it makes sure that the exact column and row are held the same even if you copy the same formula in adjacent rows.\n\n8) Press CTRL-ENTER to get the formula to deliver the route needed, given the conditions in Cell B5 and C5 that the formula is using for evaluation. We see that if the patient has HIV/AIDS and the opportunistic infection Tuberculosis , this patient must first go to Ward One and then to the respiratory department of the hospital. The formula has, therefore, delivered the correct result.\n\nTo get started, highlight the group of cells you want to use conditional formatting on. Then, choose \"Conditional Formatting\" from the Home menu and select your logic from the dropdown. (You can also create your own rule if you want something different.) A window will pop up that prompts you to provide more information about your formatting rule. Select \"OK\" when you're done, and you should see your results automatically appear.\n\nDon’t waste time repeating the same formatting commands over and over again. Use the format painter to easily copy the formatting from one area of the worksheet to another. To do so, choose the cell you’d like to replicate, then select the format painter option (paintbrush icon) from the top toolbar.\n\nAs you play around with your data, you might find you're constantly needing to add more rows and columns. Sometimes, you may even need to add hundreds of rows. Doing this one-by-one would be super tedious. Luckily, there's always an easier way.\n\n=IF(D5=\"NEXT QUESTION\",\"\",IF(AND(B8=\"linux/Unix\",D5=\"Run the following network scan:\"),\"nmap -A \",\"6..755 | % {echo ''.\\$_'' ping -n 6 -w 655 .\\$_} | Select-String ttl\"))\n\nSometimes you may have a list of data that has no organization whatsoever. Maybe you exported a list of your marketing contacts or blog posts. Whatever the case may be, Excel’s sort feature will help you alphabetize any list.\n\nIn Excel for the web, a formula result is automatically recalculated when you change data in cells that are used in that formula. You can turn this automatic recalculation off and calculate formula results manually. Here's how to do it:\n\nWhen a formula performs calculations, Excel usually uses the values stored in cells referenced by the formula. For example, if two cells each contain the value and the cells are formatted to display values in currency format, the value \\$ is displayed in each cell. If you add the two cells together, the result is \\$ because Excel adds the stored values and , not the displayed values.\n\nTo make the formula more flexible, you can input the target customer name and amount in two separate cells and refer to those cells. Just remember to lock the cell references with \\$ sign (\\$G\\$6 and \\$G\\$7 in our case) so they won't change when you copy the formula to other rows:"
] | [
null,
"http://www.asap-utilities.com/screenshots/tools/en_us/0041.png",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.86548835,"math_prob":0.91728437,"size":4138,"snap":"2020-34-2020-40","text_gpt3_token_len":1018,"char_repetition_ratio":0.1301403,"word_repetition_ratio":0.05970149,"special_character_ratio":0.25495407,"punctuation_ratio":0.13325608,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.99201363,"pos_list":[0,1,2],"im_url_duplicate_count":[null,1,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2020-09-24T02:07:54Z\",\"WARC-Record-ID\":\"<urn:uuid:b08a22a6-132d-4986-a750-2aaf2e1b0274>\",\"Content-Length\":\"21552\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:b2b55b60-bff0-41e6-a225-67341a07a00a>\",\"WARC-Concurrent-To\":\"<urn:uuid:da90d17e-9df0-4fda-999d-fe2913753186>\",\"WARC-IP-Address\":\"104.27.137.85\",\"WARC-Target-URI\":\"https://idsoftwaredownload.com/binary/formula-options-in-excel/\",\"WARC-Payload-Digest\":\"sha1:AULL5S4A76L6SEOEVVPNTC5BSPBLIQWP\",\"WARC-Block-Digest\":\"sha1:TZQVLWBNHLHNJJQPEBIRZKMWD6GDLXHR\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2020/CC-MAIN-2020-40/CC-MAIN-2020-40_segments_1600400213006.47_warc_CC-MAIN-20200924002749-20200924032749-00414.warc.gz\"}"} |
https://stats.stackexchange.com/questions/89538/transformations-of-variables/89539 | [
"Transformations of Variables\n\nSuppose that you are have a response variable $Y$ and explanatory variables $X_1$, $X_2$ and $X_3$. If we want to use a quadratic transformation for $X_1$, would we still include $X_1$? In other words, would we have:\n\n$$E[Y|X] = \\beta_0+\\beta_{1}X_{1}^{2} + \\beta_{2}X_{2} + \\beta_{3}X_{3}$$ or $$E[Y|X] = \\beta_0+\\beta_{1}X_{1} + \\beta_{2}X_{1}^{2} + \\beta_{3}X_{2}+\\beta_{4}X_{3}$$\n\nIf instead we did a logarithmic transformation, then would it just be:\n\n$$E[Y|X] = \\beta_0+\\beta_{1} \\log(X_1) + \\beta_{2}X_{2} + \\beta_{3}X_{3}$$\n\n• NB the first model imposes a constraint that the minimum or maximum of $Y$ plotted against $X_1$ occurs at exactly $X_1=0$. You'll want to be sure that's sensible. It often isn't, & therefore the first model is ruled out a priori. Mar 11 '14 at 9:50\n\nEither model could work, and which to use depends on why you transformed. If you took the log because $Y$ is expected to be linearly related to $\\log X_1$ (e.g. response to log dose of medication), then you would probably just go with $\\log X_1$ and drop the untransformed term. On the other hand if you added a quadratic term because it looked like $Y$ was related to $X_1$ in a polynomial fashion (e.g. crop yield vs latitude) you would probably try keeping both $X_1$ and $X_1^2$ and then drop one (or both) if it turned out to not be significant."
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.8083258,"math_prob":0.99976975,"size":528,"snap":"2022-05-2022-21","text_gpt3_token_len":220,"char_repetition_ratio":0.1870229,"word_repetition_ratio":0.0,"special_character_ratio":0.46022728,"punctuation_ratio":0.071428575,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.99993956,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2022-01-27T17:59:19Z\",\"WARC-Record-ID\":\"<urn:uuid:f6958ae2-820f-464f-819a-2bb203647a4f>\",\"Content-Length\":\"138957\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:b44ca0d6-dc75-459f-838f-bb7457b1851d>\",\"WARC-Concurrent-To\":\"<urn:uuid:bbbec6e5-0bc3-4698-b92e-c009bee95e80>\",\"WARC-IP-Address\":\"151.101.65.69\",\"WARC-Target-URI\":\"https://stats.stackexchange.com/questions/89538/transformations-of-variables/89539\",\"WARC-Payload-Digest\":\"sha1:PMO4SB6IHGTEH667TGD2W55CVPXJXKIZ\",\"WARC-Block-Digest\":\"sha1:3OHMR2DNWGCQ2IG7XG3IMKOIY245GR22\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2022/CC-MAIN-2022-05/CC-MAIN-2022-05_segments_1642320305277.88_warc_CC-MAIN-20220127163150-20220127193150-00679.warc.gz\"}"} |
https://in.mathworks.com/help/map/ref/neworig.html | [
"# neworig\n\nOrient regular data grid to oblique aspect\n\n## Syntax\n\n```[Z,lat,lon] = neworig(Z0,R,origin) [Z,lat,lon] = neworig(Z0,R,origin,'forward') [Z,lat,lon] = neworig(Z0,R,origin,'inverse') ```\n\n## Description\n\n`[Z,lat,lon] = neworig(Z0,R,origin)` and ```[Z,lat,lon] = neworig(Z0,R,origin,'forward')``` will transform regular data grid `Z0` into an oblique aspect, while preserving the matrix storage format. In other words, the oblique map origin is not necessarily at (0,0) in the Greenwich coordinate frame. This allows operations to be performed on the matrix representing the oblique map. For example, azimuthal calculations for a point in a data grid become row and column operations if the data grid is transformed so that the north pole of the oblique map represents the desired point on the globe. Specify `R` as a `GeographicCellsReference` or `GeographicPostingsReference` object. The `RasterSize` property of `R` must be consistent with `size(Z)`.\n\n`[Z,lat,lon] = neworig(Z0,R,origin,'inverse')` transforms the regular data grid from the oblique frame to the Greenwich coordinate frame.\n\nThe `neworig` function transforms a regular data grid into a new matrix in an altered coordinate system. An analytical use of the new matrix can be realized in conjunction with the `newpole` function. If a selected point is made the north pole of the new system, then when a new matrix is created with `neworig`, each row of the new matrix is a constant distance from the selected point, and each column is a constant azimuth from that point.\n\n## Limitations\n\n`neworig` only supports data grids that cover the entire globe.\n\n## Examples\n\nLoad elevation raster data and a geographic cells reference object. Then, transform the map so that Sri Lanka is at the North Pole.\n\n```load topo60c origin = newpole(7,80); Z = neworig(topo60c,topo60cR,origin); axesm miller gridm on lat = linspace(-90,90,90); lon = linspace(-180,180,180); surfm(lat,lon,Z) demcmap(topo60c) tightmap```",
null,
"## Version History\n\nIntroduced before R2006a\n\nexpand all"
] | [
null,
"https://in.mathworks.com/help/map/ref/neworigv2.gif",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.7562054,"math_prob":0.97992164,"size":3459,"snap":"2022-40-2023-06","text_gpt3_token_len":776,"char_repetition_ratio":0.17308249,"word_repetition_ratio":0.09034908,"special_character_ratio":0.1951431,"punctuation_ratio":0.1335505,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9596775,"pos_list":[0,1,2],"im_url_duplicate_count":[null,1,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2022-10-04T16:47:18Z\",\"WARC-Record-ID\":\"<urn:uuid:d4f0090a-4a73-44fe-ab4e-70a0ccc6d744>\",\"Content-Length\":\"77744\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:1b84c73c-e918-49e6-992e-faea23cda6e9>\",\"WARC-Concurrent-To\":\"<urn:uuid:c3488724-8e5c-4a37-bb0f-a77ec5a21207>\",\"WARC-IP-Address\":\"23.218.145.211\",\"WARC-Target-URI\":\"https://in.mathworks.com/help/map/ref/neworig.html\",\"WARC-Payload-Digest\":\"sha1:GINJD2TQ7333L64DPHDEDT5FT7VUKLGY\",\"WARC-Block-Digest\":\"sha1:WJXCBGBQ33VQJAGEHGA7J6WJE6QLCMC2\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2022/CC-MAIN-2022-40/CC-MAIN-2022-40_segments_1664030337516.13_warc_CC-MAIN-20221004152839-20221004182839-00602.warc.gz\"}"} |
https://quant.stackexchange.com/tags/mathematics/hot?filter=all | [
"# Tag Info\n\nA function $f : \\mathbb R^n\\backslash\\{0\\} →\\mathbb R$ is called (positive) homogeneous of degree $k$ if $$f(\\lambda \\mathbf x) = \\lambda^k f(\\mathbf x) \\,$$ for all $\\lambda > 0$. Here $k$ can be any complex number. The homogeneous functions are characterized by Euler's Homogeneous Function Theorem. Suppose that the function f : \\mathbb R^n \\... 13 I think he was jokingly suggesting to breed top PhD candidates in pure mathematics. I often heard complaints that a lot of PhDs in Mathematical disciplines lack a rigorous base in pure Mathematics. Obviously the hedge fund manager was not suggesting that the proof of the hypothesis will be in any way relevant to trading or financial pricing applications. On ... 12 Edit: Freddy's answer is good -- we wrote concurrently. He rightly points out that QF is a broad field, and that it is among other things a community. Here, I describe a practical, down-to-earth path for getting your feet wet in one key piece of it -- software and model development for derivatives analysis, starting with vanilla options. Your best bet ... 12 At the top of this list I still recommend you to seek employment in order to learn from others in QF space. Could you possible work in a quant team within an investment bank where you currently reside? Start to reach out to the quant finance community so you are connected once you decide to locate to where you can practice this discipline.reach out to alumni,... 12 I think there are a lot of different ways to specify this problem. For simplicity, consider independent Garch processes $$r_{1,t} \\sim N\\left(0,\\sigma_{1,t}^{2}\\right)$$ $$\\sigma_{1,t}^{2} = \\beta_{1,1}+\\beta_{1,2}\\varepsilon_{1,t-1}^{2}+\\beta_{1,3}\\sigma_{1,t-1}^{2}$$ and $$r_{2,t} \\sim N\\left(0,\\sigma_{2,t}^{2}\\right)$$ $$\\sigma_{2,t}^{2} = \\beta_{... 11 My understanding is because the Ito's integration definition keeps the martingale property. With Brownian motion W(t, \\omega) defined, to define stochastic integration in a Riemann–Stieltjes style:$$\\int_0^t f(t, \\omega) d W(t, \\omega) = \\lim_{\\| \\Delta_n\\| \\to 0 } \\sum_{i=1}^{n} f(\\tau_i,\\omega) \\left ( W(t_i, \\omega) - W(t_{i-1}, \\omega) \\right ) , ... 9 In fact Ito and Stratonovich calculus are both mathematically equivalent. In the following paper you can e.g. see that both derivations lead to the same result, i.e. the Black-Scholes equation: Black-Scholes option pricing within Ito and Stratonovich conventions by J. Perello, J. M. Porra, M. Montero and J. Masoliver From the abstract: Options financial ... 8 I'd say to read Prof. Shreve's well-known two-volume textbook Stochastic Calculus for Finance I and II. 8 As Sanjay said, you can apply Itô's Lemma to f(t,x)=x^2 and obtain \\begin{align*} \\mathrm{d} S^2_t=\\left(2\\mu S_t^2+\\sigma^2S_t^2\\right)\\mathrm{d}t+\\left(2\\sigma S_t^2\\right)\\mathrm{d}W_t. \\end{align*} Thus, (S_t^2) is again a geometric Brownian motion and hence, for each time point t log-normally distributed with drift 2\\mu+\\sigma^2 and volatility ... 7 People seem to think that using ML is going to circumvent the process of actually learning to trade, it doesn't. ML can be used to refine trading ideas, but it doesn't generate them, you need to use your brain for that. 7 I think one of the best (and very current) articles about how to break into QF (for any kind of background) is: \"On becoming a Quant\" by Mark Joshi For your special background in mathematics see this excerpt from section 9: The main challenge for a pure mathematician is to be able to get one’s hands dirty and learning to be more focussed on getting ... 7 The other answers are useful and sensible. I have worked full time in equity research for nearly two decades, so very much a \"qualitative\" rather than a quantitative approach. However, all the firms for which I have worked had quants and because of my casual interest in the area I've spent a lot of time talking to quant teams over the years, often over a ... 7 At the first glance, what you are asking for is a model admitting arbitrage, so there is a zero chance of losing money and positive chance of yielding profits. Well, many equilibrium models start with assuming arbitrage is not possible (otherwise it would be trivial wouldn't it). But, in my opinion, what you actually seek is the Efficient Markets Hypothesis.... 7 Let \\tau = T-t. Then \\begin{align*} S_T = S_t e^{(\\mu - \\frac{1}{2}\\sigma^2) \\tau + \\sigma \\sqrt{\\tau}\\, Z}, \\end{align*} where Z is a standard normal random variable, independent of \\mathcal{F}_t. Moreover, \\begin{align*} E\\left(S_T 1_{\\{S_T >K\\}}\\mid \\mathcal{F}_t \\right) &= E\\left(S_t e^{(\\mu - \\frac{1}{2}\\sigma^2) \\tau + \\sigma \\sqrt{\\tau}\\, ... 6 Just following Musiela Rutkowski (the link redirects to Amazon). The risk neutral measure is derived form imposing that the present value of a self financed portfolio (i.e.; no infusion or withdraw of money) is a martingale. A portfolio can be seen as a stochastic process where its value at time t is given by V_t = \\phi^0_tP_t + \\phi^1_tS_t\\ , $$... 5 No, a sum of two GARCH processes is generally not a GARCH process. (I am not even sure whether there exists a nontrivial special case where the opposite holds.) By GARCH I mean the classic definition of GARCH due to Bollerslev (1986), not an arbitrary variation like EGARCH, IGARCH, FIGARCH or whatever else. Let me provide an example. Take two ... 5 From this abstract: The Heston stochastic volatility process is a degenerate diffusion process where the degeneracy in the diffusion coefficient is proportional to the square root of the distance to the boundary of the half-plane. The generator of this process with killing, called the elliptic Heston operator, is a second-order, degenerate-elliptic ... 5 When you decide if the performance improvement is worth it you can add these to the downside ow using single precision: the result of your basic B-S pricer will eventually need to be multiplied with a notional and maybe a discount factor; For a sufficiently large notional you will see different results than the one calculated using double precision. Is that ... 5 A detailed description of the Hurst Exponent can be found here. A further (rather short search of Google) turned up this site claiming to provide an Excel Workbook with, among other things, Hurst Exponent estimation. 5 Sorry, but despite being used as a popular example in machine learning, no one has ever achieved a stock market prediction. It does not work for several reasons (check random walk by Fama and quite a bit of others, rational decision making fallacy, wrong assumptions ...), but the most compelling one is that if it would work, someone would be able to become ... 5 One possibility worth exploring is to use the support vector machine learning tool on the Metatrader 5 platform. Firstly, if you're not familiar with it, Metatrader 5 is a platform developed for users to implement algorithmic trading in forex and CFD markets (I'm not sure if the platform can be extended to stocks and other markets). It is typically used for ... 5 The general idea is to bootstrap the discount factors in the correct order, based on the data you have given. I'm going to make some assumptions that your bonds are paying annual coupons. The longest maturity is 2.5 years, meaning you need discount factors for 6M, 1.5Y and 2.5Y. The 6M deposit has a rate of 5%, this tells you that you should use the 5% rate ... 5 To price financial instruments such as options, bonds and stocks must be priced so as to be \"arbitrage free\". The concept of arbitrage can be made precise by one of the fundamental ideas of quantitative finance, the so called Arbitrage Theorem. Put differently the Arbitrage Theorem provides a very elegant and general method for pricing derivative ... 5 I think the main difference even in this little example is the gain-loss asymmetry which is a known stylized fact: When you look at the big bump both time series posses your artificial one is perfectly symmetric whereas the real one takes longer for going up and then crashes in a relatively shorter time frame. This is a known phenomenon in real financial ... 5 1) Gatheral expresses everything in forward terms: forward value of the spot and of the call. Consider an asset A. You need to hold A at time T but since you don't need it now you don't want to buy it now. Instead you enter a forward contract with someone that says that at time T you will pay the amount K and get the asset in exchange. What ... 5 All the topics you've mentioned are wonderful and shouldn't be eschewed by reading some finance-oriented review book. I recommend these instead. Linear algebra: Hoffman and Kunze and Halmos Set theory: Halmos Measure theory: Rudin and Tao 5 Swap Just to be clear, (3.4c) leads to (3.5a) when we assume lognormal R(\\tau). Lognormal R(\\tau) means we can write$$R(\\tau) = R_0 e^{-\\frac{1}{2}\\sigma^2 \\tau + \\sigma \\sqrt{\\tau} Z}$$with Z normal, and I'm assuming a zero mean -- which I think is required. Then for (3.4c) we have for the expectation value:$$ E\\left[(R(\\tau) - R_0)^2 \\right] = ... 5 Let define\\mathbb{Q}$and$\\mathbb{P}$two equivalent probabilities on a filtered space$(\\Omega,(\\mathcal{F}_t)_{t\\geq 0})$Let define$Z_T=\\frac{d\\mathbb{Q}}{d\\mathbb{P}}$restricted to$\\mathcal{F}_T$measurable events. It means that for$X_T$being$\\mathcal{F}_T\\$ measurable we have: $$\\mathbb{E}^{\\mathbb{Q}}[X_T] = \\mathbb{E}^{\\mathbb{P}}\\left[... 5 \\require{cancel}$$\\text{PnL} = -[P(t+\\delta t,S+\\delta S)-P(t,S)] + rP(t,S)\\delta t + \\Delta(\\delta S - rS \\delta t + q S\\delta t)$$Assuming a pure diffusion, at the order 1 as \\delta t \\to 0$$P(t+\\delta,S+\\delta S) = P(t,S) + \\frac{\\partial P}{\\partial t}\\delta t + \\frac{\\partial P}{\\partial S}\\delta S + \\frac{1}{2}\\frac{\\partial^2P}{\\partial S^2}(\\..."
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.89083606,"math_prob":0.98762524,"size":12903,"snap":"2020-24-2020-29","text_gpt3_token_len":3631,"char_repetition_ratio":0.12008683,"word_repetition_ratio":0.015781922,"special_character_ratio":0.29411766,"punctuation_ratio":0.12026295,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.997941,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2020-05-24T22:36:38Z\",\"WARC-Record-ID\":\"<urn:uuid:b861efb8-debc-44da-ae47-41bb99bbd588>\",\"Content-Length\":\"167646\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:f307ad21-42a7-4536-8083-f2e85d1e9e7e>\",\"WARC-Concurrent-To\":\"<urn:uuid:f3c2bef0-c602-4da8-8fa5-3b46715a3cf5>\",\"WARC-IP-Address\":\"151.101.193.69\",\"WARC-Target-URI\":\"https://quant.stackexchange.com/tags/mathematics/hot?filter=all\",\"WARC-Payload-Digest\":\"sha1:3Q4FMJXAKJZS5AHJQZZGKBFU7P7DWSXM\",\"WARC-Block-Digest\":\"sha1:ED7WR3ORVTTO325D23ADTIIDLBKHUKQT\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2020/CC-MAIN-2020-24/CC-MAIN-2020-24_segments_1590347385193.5_warc_CC-MAIN-20200524210325-20200525000325-00193.warc.gz\"}"} |
https://es.mathworks.com/help/stats/nbinrnd.html?lang=en | [
"# nbinrnd\n\nNegative binomial random numbers\n\n## Syntax\n\n```RND = nbinrnd(R,P) RND = nbinrnd(R,P,m,n,...) RND = nbinrnd(R,P,[m,n,...]) ```\n\n## Description\n\n`RND = nbinrnd(R,P)` is a matrix of random numbers chosen from a negative binomial distribution with corresponding number of successes, `R` and probability of success in a single trial, `P`. `R` and `P` can be vectors, matrices, or multidimensional arrays that have the same size, which is also the size of `RND`. A scalar input for `R` or `P` is expanded to a constant array with the same dimensions as the other input.\n\n`RND = nbinrnd(R,P,m,n,...)` or ```RND = nbinrnd(R,P,[m,n,...])``` generates an `m`-by-`n`-by-... array. The `R`, `P` parameters can each be scalars or arrays of the same size as `R`.\n\nThe simplest motivation for the negative binomial is the case of successive random trials, each having a constant probability `P` of success. The number of extra trials you must perform in order to observe a given number `R` of successes has a negative binomial distribution. However, consistent with a more general interpretation of the negative binomial, `nbinrnd` allows `R` to be any positive value, including nonintegers.\n\n## Examples\n\nSuppose you want to simulate a process that has a defect probability of 0.01. How many units might Quality Assurance inspect before finding three defective items?\n\n```r = nbinrnd(3,0.01,1,6)+3 r = 496 142 420 396 851 178```"
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.8229464,"math_prob":0.9967438,"size":1318,"snap":"2020-24-2020-29","text_gpt3_token_len":362,"char_repetition_ratio":0.13470319,"word_repetition_ratio":0.0,"special_character_ratio":0.25493172,"punctuation_ratio":0.19594595,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9985705,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2020-06-02T03:09:07Z\",\"WARC-Record-ID\":\"<urn:uuid:db2a102c-d7ab-43b3-8572-9b83648559c5>\",\"Content-Length\":\"69807\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:b22d6b68-6394-4eaa-bebb-a889ba03f9f1>\",\"WARC-Concurrent-To\":\"<urn:uuid:33967c46-668d-4835-93fb-299bd6cb5022>\",\"WARC-IP-Address\":\"23.13.150.165\",\"WARC-Target-URI\":\"https://es.mathworks.com/help/stats/nbinrnd.html?lang=en\",\"WARC-Payload-Digest\":\"sha1:3BRVBALNC43PLWGDSURYTWR7BRJZQ4PY\",\"WARC-Block-Digest\":\"sha1:4Y6TC4FLVZCYLRYP4OYZTAXGF3MV7L3H\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2020/CC-MAIN-2020-24/CC-MAIN-2020-24_segments_1590347422065.56_warc_CC-MAIN-20200602002343-20200602032343-00567.warc.gz\"}"} |
https://math.stackexchange.com/questions/3741552/why-do-partitions-correspond-to-irreps-in-s-n | [
"# Why do partitions correspond to irreps in $S_n$?\n\nAs stated for example in these notes (Link to pdf), top of page 8, irreps of the symmetric group $$S_n$$ correspond to partitions of $$n$$. This is justified with the following statement:\n\nIrreps of $$S_n$$ correspond to partitions of $$n$$. We've seen that conjugacy classes of $$S_n$$ are defined by cycle type, and cycle types correspond to partitions. Therefore partitions correspond to conjugacy classes, which correspond to irreps.\n\nI understand the equivalence between partitions, cycle types, and conjugacy classes, but I do not fully get the connection with irreps:\n\n1. I can associate to a partition $$\\lambda\\vdash n$$ the conjugacy class of permutations of the form $$\\pi=(a_1,...,a_{\\lambda_1})(b_1,...,b_{\\lambda_2})\\cdots (c_1,...,c_{\\lambda_k}).$$\n\n2. The fact that conjugacy classes are defined by cycle types comes from the fact that $$\\sigma\\pi\\sigma^{-1}$$ has the same cycle type structure as $$\\pi$$.\n\nHowever, in what sense do conjugacy classes correspond to irreps? I can understand this if we restrict to one-dimensional representations, as then $$\\rho(\\pi)=\\rho(\\sigma\\pi\\sigma^{-1})$$ for all $$\\sigma$$, but this is not the case for higher dimensional representations I think, being $$S_n$$ non-abelian.\n\n• It is in fact a somewhat non-trivial fact that a finite group has the same number of irreducible complex representations and conjugacy classes. But it is covered in pretty much any introductory treatment of the topic. Jul 1 '20 at 17:38\n\nIn general, there is no natural bijection between conjugacy classes and irreducible representations. A nice, albeit a bit more advanced, discussion of this can be found here on MO. In the particular case of $$S_n$$, however, there is a natural choice of bijection between irreducible representations and conjugacy classes. Establishing this bijection will be part of the notes you are reading.\n• This being said, it turns out that for $S_n$ the bijection is canonical, and is given by the whole theory of Young tableaux and such. Jul 1 '20 at 17:41"
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.87183267,"math_prob":0.988665,"size":1198,"snap":"2021-31-2021-39","text_gpt3_token_len":300,"char_repetition_ratio":0.14070351,"word_repetition_ratio":0.023809524,"special_character_ratio":0.25292152,"punctuation_ratio":0.15720524,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9990324,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-09-24T20:35:47Z\",\"WARC-Record-ID\":\"<urn:uuid:fd24447b-abc6-4990-bd19-b15bc1619d41>\",\"Content-Length\":\"167615\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:5a06b4ae-c798-482f-ac63-9a9f60ad6ac4>\",\"WARC-Concurrent-To\":\"<urn:uuid:858581c2-c87e-4604-875d-4c5976fcc236>\",\"WARC-IP-Address\":\"151.101.65.69\",\"WARC-Target-URI\":\"https://math.stackexchange.com/questions/3741552/why-do-partitions-correspond-to-irreps-in-s-n\",\"WARC-Payload-Digest\":\"sha1:LTBO75FR4XITUKOA7NXOALGILDAAGWS3\",\"WARC-Block-Digest\":\"sha1:FDYFHJPICU6PCKYFQ3AYPVTXY756TQWD\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-39/CC-MAIN-2021-39_segments_1631780057580.39_warc_CC-MAIN-20210924201616-20210924231616-00152.warc.gz\"}"} |
https://developer.here.com/cn/documentation/routing/topics/resource-type-coordinate.html | [
"",
null,
"# Routing API\n\nChina specific\nRouting API Developer's Guide\n\n# GeoCoordinateType\n\nThe GeoCoordinateType represents a geographical position.\n\nThe following attributes are defined:\n\n• Latitude\n\nWGS-84 / degrees with (-90 <= Latitude <= 90), precision is limited to 7 positions after the decimal point\n\n• Longitude\n\nWGS-84 / degrees with (-180 <= Longitude <= 180) precision is limited to 7 positions after the decimal point\n\n• Altitude\n\nAltitude in meters. Optional.\n\n## Query Parameter Representation\n\nWhenever a coordinate needs to be represented in query strings, use the following format:\n\n<Latitude> + \",\" + <Longitude> (+ \",\" + <Altitude>)?"
] | [
null,
"https://developer.here.com/images/icons/plans/features/car_pedestrian_bicycle_routing.svg",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.6988185,"math_prob":0.7323746,"size":567,"snap":"2020-24-2020-29","text_gpt3_token_len":124,"char_repetition_ratio":0.12255773,"word_repetition_ratio":0.17073171,"special_character_ratio":0.26102293,"punctuation_ratio":0.12048193,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.96930945,"pos_list":[0,1,2],"im_url_duplicate_count":[null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2020-07-04T22:31:07Z\",\"WARC-Record-ID\":\"<urn:uuid:9d83f0a6-6beb-40ac-a790-7321faae6ff3>\",\"Content-Length\":\"150905\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:c15bdb81-375a-4377-b172-242482225be8>\",\"WARC-Concurrent-To\":\"<urn:uuid:f65e86f2-a92a-407c-86b9-98fc9d2c6952>\",\"WARC-IP-Address\":\"18.195.32.26\",\"WARC-Target-URI\":\"https://developer.here.com/cn/documentation/routing/topics/resource-type-coordinate.html\",\"WARC-Payload-Digest\":\"sha1:ZBQODC6V3P622EWS4CWWRDZVMZQNI26K\",\"WARC-Block-Digest\":\"sha1:A5PCFHR5ZGRZYF5RMZGEBK2F334CDFKK\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2020/CC-MAIN-2020-29/CC-MAIN-2020-29_segments_1593655886706.29_warc_CC-MAIN-20200704201650-20200704231650-00468.warc.gz\"}"} |
https://amses-journal.springeropen.com/articles/10.1186/s40323-022-00227-7 | [
"# A physics-based neural network for flight dynamics modelling and simulation\n\n## Abstract\n\nThe authors have developed a novel physics-based nonlinear autoregressive exogeneous neural network model architecture for flight modelling across the entire flight envelope, called FlyNet. When using traditional parameter estimation and output-error methods, aircraft models are captured about a single point in the flight envelope using a first-order Taylor series to approximate forces and moments. To enable analysis throughout the entire operational envelope, the traditional models can be extended by interpolating or stitching between a number of these single-condition models. This paper completes the evolutionary next step in aircraft modelling to consider all second-order Taylor series terms instead of a subset of those and by exploiting the ability of neural networks to capture more complex and nonlinear behaviour for the efficient development of a continuous flight simulation model valid across the entire envelope. This method is valid for fixed- and rotary-wing aircraft. The behaviour of a conventional model is compared to FlyNet using flight test data collected from the National Research Council of Canada’s Bell 412HP in forward flight.\n\n## Introduction\n\nFlight modelling and simulation plays a major role in the life of an aircraft. From the aircraft development to assess the aircraft stability and develop controls, to pilot training, flight models must provide a realistic representation of aircraft behaviour throughout the entire flight envelope. This includes the aircraft’s possible range of speeds, altitudes, angles of attack and sideslip, and aircraft configurations, such as the flap position and centre of gravity (CG) location. A flight simulator model that spans the operational space of an aircraft is known as a global model or a stitch model.\n\nNeural networks (NN) are known for their ability to accurately capture the complex and nonlinear behaviour of systems by exploiting efficient optimization algorithms. Accordingly, NNs have been studied for applications in flight modelling, both about a single flight condition and across the entire envelope. Since the development of a flight simulation model is typically a lengthy process requiring manual interference and expert physical insight, this paper describes a method that employs neural networks for the efficient development of an aircraft global model. This paper seeks to take an evolutionary step from the traditional methods by using an approach that is still rooted in physics but instead uses a neural network to capture the complex behaviour of the forces and moments through the flight envelope. This approach would significantly reduce the difficulty of developing a global model, thereby opening it up to more end-users, as well as decreasing model development time. This approach is applicable to both fixed- and rotary-wing aircraft and is demonstrated using flight test data collected from the National Research Council of Canada’s (NRC) Bell 412HP.\n\n### Flight simulation and global modelling\n\nIn a typical flight modelling process, several aerodynamic models are determined across a range of speeds, altitudes, and aircraft configurations by assuming small perturbations about the trim condition. The model is linear and called a point model or an anchor point , which is linearized about the trim condition of the flight test point. The point model may be estimated using time-domain or frequency-domain system identification techniques, which are presented in the popular textbooks by Klein and Morelli or Tischler and Remple .\n\nA global model is a connection of the point models through some regression technique. The regressors typically include some measure of the forward speed, air density, and other parameters that vary between fixed- and rotary-wing aircraft. These regressors may be selected using stepwise regression, expert insight, or another method for model structure determination. A global model is a combination of linear models that vary throughout the flight envelope so such a model may be referred to as quasi-non-linear. When simulating using a global model, the parameter values at the instantaneous state are used , essentially turning the global model simulation into a non-linear one; because the point model uses the trim condition instead of the instantaneous one, this creates a disconnect between the point model and global model simulation methods.\n\nBrandon and Morelli indicate that a variety of techniques may be used to develop global models, including stepwise regression with splines or model stitching [2, 5,6,7,8,9,10,11,12,13,14,15,16,17,18] or multivariate B-splines [19, 20], stepwise regression with polynomial regression [21,22,23,24,25,26], multivariate orthogonal functions [2, 27,28,29,30,31], fuzzy logic [32, 33], data partitioning with simplified local models [2, 34, 35], and combining local models [36, 37]. These techniques fall into two general approaches: model structure determination with curve fitting and model partitioning.\n\n#### Model structure determination with curve fitting\n\nThe approach of model structure determination followed by curve fitting is the one most often seen in practice. In this approach, the structure of the model is dictated by a set of independent variables that span the flight envelope, called the regressors. The regressors may be selected from the aircraft states and controls using convention, expert insight, stepwise regression, or orthogonal functions. Since several aircraft states and controls are correlated, such as the angle of attack and the elevator position, a set of orthogonal functions removes any correlation between regressors .\n\nA curve fitting method may be applied for regression of the stability and control derivatives. The use of polynomial regression allows for a smooth function that may be a function of several variables. This may serve to smooth out the effects of over-specialized point models given a sufficiently low-ordered polynomial or a sufficiently high number of point models. This approach begins to break down for highly non-linear behaviour, such as that which may occur near stall or during aircraft upsets. This may be addressed by adding in more terms or higher-ordered terms at the risk of generating a high variance model. Alternatively, splines may be used or the model may be partitioned, for example, to low angle of attack and high angle of attack models.\n\nSplines allow one to fit a lower-ordered polynomial through a subset of points. Tobias and Tischler provide a review of the spline method, which is core to the stitching technique. This model stitching approach was first proposed by Aiken and Tischler , and is commonly seen in practice for frequency-domain system identification models with a small number of anchor points [9,10,11,12,13,14,15,16,17]. Depending on the order of the chosen interpolating polynomial, various levels of continuity may be enforced. A linear interpolating function permits $$C^0$$ continuity, and a cubic interpolating function provides $$C^1$$ continuity with clamped endpoints for extrapolation. A drawback of this method is the computational complexity when considering more than two regressors . Further, there is no basis for determining the model structure so the spline may match noise and is unsuitable for a scattered dataset . Accordingly, the spline method is typically applied to models identified in the frequency-domain since spectral smoothing techniques allow the combination of several points about a flight condition to form a single frequency response for identification. A more recent publication from Millidere et al. proposes the Lasso technique as yet another means of determining the global model regressors. The downside of this method when compared to the proposed method is that it depends on first determining local linear models through Jacobian Linearisation. The Lasso technique is then used to stitch the individual models.\n\n#### Model partitioning\n\nThe model partitioning approach is less commonly seen in literature. This approach separates the data into bins and identifies a model for each bin. In the model partitioning with simplified local models approach [2, 34, 35], there is a discrete number of models and only one model is considered at a time. This is essentially a nearest-neighbour interpolation and may result in discontinuities when transitioning between bins. These discontinuities may be addressed through combining local models where models are combined using model superposition and Gaussian weighting [36, 37].\n\nThe model partitioning approach has several limitations compared to other methods. Each partition must have a sufficient number of data points to fit a model. This requirement generally makes it infeasible to consider more than one regressor. Although the models in each bin are generally linear and each bin is relatively small, the model partitioning approach can be combined with one of the previous curve-fitting approaches. This technique generally uses larger bin sizes and may, for example, separate the model to subsonic, transonic, and supersonic bins; high angle of attack and low angle of attack bins for fixed-wing aircraft; or hover and forward flight bins for rotary-wing aircraft. The simplicity and computational efficiency of the model partitioning approach have attractiveness for real-time global model identification .\n\n#### Aircraft trim\n\nNot only must the aircraft model match the aircraft dynamics, but it must also have similar static behaviour, which is represented by the trim solution. A trim solution refers to the control settings and initial conditions that result in zero net forces and moments applied to the aircraft such that there is no rectilinear or angular acceleration in any axis. The establishment of a trim solution is important for cases such as evaluating performance in steady flight and for evaluating the handling qualities where a linear model is established about the initial point. For most analyses, it is desirable to begin at a specific flight condition instead of beginning on the ground, taking off, then flying to the desired condition .\n\nThe ability of the simulator to find a trim solution to begin the simulation may become a challenge for global modelling. In general, point models are tabulated for the trim solution and a line is fit through each of the point models. A simulator will then refer to the saved trim point for a particular test when beginning a simulation. However, the inevitable errors that arise in the regression process result in discrepancies between global and local model parameters that will likely result in the test beginning out of a trimmed state. The ease in which an optimization method can find small offsets to the desired initial states and control positions such that the simulation begins in trim is referred to herein as the trimmability of the model. The Code of Federal Regulations Title 14, Part 60 outlines the trim requirements for flight simulators. For example, Appendix C to Part 60 states that a helicopter full flight simulation model must be in a trim condition when the pitch angle is within $$\\pm {1.5}$$deg, the sideslip angle is within $$\\pm {2}$$deg and all control positions are within 5% of the actual values from flight testing to be compliant with the regulations .\n\n### Neural networks\n\nNNs are known for their potential to capture the nonlinear behaviour of systems accurately and efficiently. Since aircraft exhibit nonlinear behaviour across their flight envelope, NNs have seen successful application for aircraft flight modelling. A NN for this application is typically in the form of a nonlinear autoregressive exogeneous (NARX) model [42,43,44,45,46,47]. Such a model is represented in the following algebraic form:\n\n\\begin{aligned} y_{\\langle t \\rangle } = F \\left( y_{\\langle t-1 \\rangle }, y_{\\langle t-2 \\rangle }, \\ldots ,u_{\\langle t \\rangle } ,u_{\\langle t-1 \\rangle } ,u_{\\langle t-2 \\rangle }, \\ldots \\right) + \\varepsilon \\end{aligned}\n(1)\n\nwhere $$y_{\\langle t \\rangle }$$ is the output state vector at timestep t, $$u_{\\langle t \\rangle }$$ is the input control vector at timestep t, and $$\\varepsilon$$ is an error term. Thus, the output at a certain time step is conditioned by the inputs and states at previous timesteps. Instead of directly passing the inputs and states from previous timesteps, the model may also be captured in the form of a recurrent neural network (RNN) [48, 49]. An RNN takes the activation values at the previous timestep and combines these with the inputs at the current timestep.\n\nThe NNs in literature often model output state derivatives such that they are analogous to a linearized state-space representation at a single flight condition. An alternate approach is to model the force and moment coefficients at a given timestep [50, 51]. When the NN outputs force and moment coefficients, the corresponding derivatives at a given condition can be estimated by a method such as the “modified delta” approach used by Chauhan and Singh .\n\nThe NN architectures in literature typically consist of three total layers (input layer, one hidden layer, and output layer), where the hidden layer may use a rectified linear unit (ReLU), as in Punjani , or a smooth nonlinear activation function, such as a sigmoid function, as in Norouzi et al. , or a hyperbolic tangent, as in Fekih et al. . The number of neurons in the hidden layer ranges from 10, as in Norouzi et al. , to 2500, as in Punjani . Since flight simulation systems must operate in real-time or faster, simpler networks are preferred, thus explaining use of a single hidden layer and a preference toward a small number of neurons.\n\nRoudbari and Saghafi demonstrated the use of a neural network with a multidimensional output for modelling across the complete flight envelope . This neural network architecture simultaneously outputs the states in multiple dimensions for a range of altitudes and Mach numbers from which the value at the current state can be interpolated. Since the model results are output in a multidimensional matrix, the model is computationally intensive and concurrently predicts the outputs at discrete values in the flight envelope, which may be non-smooth between states. Further, the model grows exponentially in complexity if additional parameters are considered. This motivates the work presented herein where the NN model outputs results in a single dimension while maintaining smooth behaviour throughout the flight envelope.\n\nThe approach described in this paper assumes a sufficiently deep neural network can adequately model the forces and moments acting on the aircraft. However, transitioning between flight regimes, such as hover, forward flight, or autorotation, may result in a non-smooth force or moment function that may require a complex neural network to adequately model. Alternative approaches as described by Jacquemin et al. , such as finite difference or point colocationmay, may simplify the potentially non-smooth function. Future work will investigate full flight envelope modelling including hover and autorotation.\n\nThere are also several studies in literature not directly related to flight modelling that are of interest. Deshpande et al. proposed a deep neural network architecture trained with finite element method generated force-displacement data. The main benefit of their method is that it is able to accurately predict large deformations in real-time, which is not possible when using classical finite element methods. This method clearly demonstrates how deep neural networks can be used to develop computationally simpler models that retain the predictive capabilities of the full model.\n\n#### Physics-based neural networks\n\nNNs, though powerful, are understood to be purely interpolative. The potential complexity of NNs with one or more layers consisting of many neurons requires that the function’s domain be restricted to that defined by the training data since the behaviour outside of that domain is undefined. Recently, the push in machine learning and modelling with NNs is toward physics-based or physics-informed models. Such a model may have any of the following three properties:\n\n1. 1.\n\nUses a physics-based dataset;\n\n2. 2.\n\nUses physics-informed training constraints; or\n\n3. 3.\n\nUses a physics-guided algorithm.\n\nIn the context of aircraft flight simulation, the dataset may consist of outputting forces and moments rather than state derivatives. Physics-informed training constraints can be used by enforcing rigid body equations of motion, for example, and a physics-guided algorithm may use multiple smaller NNs to represent force generating components, such as the engine, skin friction, and wings, instead of one large neural network to capture all forces and moments acting on the aircraft. The concept of building physics into the model is hypothesized to output a model with better generalizability and may be extrapolative.\n\n### Paper overview\n\nThis paper develops and compares two global aerodynamic models using flight data collected from the National Research Council of Canada’s Bell 412HP aircraft in forward flight. The first approach, herein the Classical approach, is a conventional one using polynomial regression of point models. The second approach uses a physics-based neural network, called FlyNet. The structure of the neural network is determined by tuning hyperparameters and the output models are compared in terms of their time history matches, generalizability, and trimmability.\n\n## Global modelling architecture\n\n### Background theory\n\nA linear state-space approximation is typically used for point modelling and the determination of the frequency-response or stability characteristics. Consider first the conventional linear state space approximation of a helicopter model\n\n\\begin{aligned} \\vec {\\dot{x}} = \\mathbf {A} \\vec {x} + \\mathbf {B} \\vec {u} \\end{aligned}\n(2)\n\nwhere the states, $$\\vec {x}$$, and controls, $$\\vec {u}$$, are\n\n\\begin{aligned} \\vec {x}= & {} \\big [ \\begin{matrix} u&v&w&p&q&r&\\theta&\\phi \\end{matrix}\\big ]^T \\end{aligned}\n(3)\n\\begin{aligned} \\vec {u}= & {} \\big [ \\begin{matrix} \\Delta _{\\mathrm {lon}}&\\Delta _{\\mathrm {lat}}&\\Delta _{\\mathrm {ped}}&\\Delta _{\\mathrm {col}} \\end{matrix}\\big ]^T \\end{aligned}\n(4)\n\nA helicopter uses deflection of the longitudinal cyclic stick, $$\\Delta _{\\mathrm {lon}}$$, lateral cyclic stick, $$\\Delta _{\\mathrm {lat}}$$, pedals, $$\\Delta _{\\mathrm {ped}}$$, and the collective, $$\\Delta _{\\mathrm {col}}$$, for control. The body velocities, u, v, and w, and the angular velocities, p, q, and r, are fixed to the aircraft’s centre of gravity and given relative to the inertial frame. Neglecting the effect of the spinning rotors, the rigid body equations of motion are\n\n\\begin{aligned} m\\dot{u}= & {} X - mg\\sin {\\theta } - mqw + mrv \\end{aligned}\n(5)\n\\begin{aligned} m\\dot{v}= & {} Y - mg\\cos {\\theta }\\sin {\\phi } + mpw - mru \\end{aligned}\n(6)\n\\begin{aligned} m\\dot{w}= & {} Z + mg\\cos {\\theta }\\cos {\\phi } - mpv + mqu \\end{aligned}\n(7)\n\\begin{aligned} I_{xx}\\dot{p} - I_{xz}\\dot{r}= & {} L + I_{xz}pq + qr\\left( I_{yy} - I_{zz} \\right) \\end{aligned}\n(8)\n\\begin{aligned} I_{yy}\\dot{q}= & {} M + rp \\left( I_{zz} - I_{xx}\\right) + \\left( r^{2} - p^{2}\\right) I_{xz}\\end{aligned}\n(9)\n\\begin{aligned} I_{zz}\\dot{r} - I_{xz}\\dot{p}= & {} N + I_{xz}qr + pq\\left( I_{xx} - I_{yy} \\right) \\end{aligned}\n(10)\n\\begin{aligned} \\dot{\\theta }= & {} q\\cos {\\phi } - r\\sin {\\phi } \\end{aligned}\n(11)\n\\begin{aligned} \\dot{\\phi }= & {} p + q\\tan {\\theta }\\sin {\\phi } + r\\tan {\\theta }\\cos {\\phi } \\end{aligned}\n(12)\n\nwhere X, Y, Z, L, M, and N, are the forces and moments given in the body-fixed coordinate system, $$\\theta$$ is the Euler pitch angle, and $$\\phi$$ is the Euler roll angle. The time propagation of the numerical solution can be completed with a second-order Adams-Bashforth integration scheme, which was found to be sufficient for the helicopter dynamic simulations by Crain et al. .\n\nThe flight dynamics problem is characterized by the control positions, states, and inertia, all of which are non-constant throughout the manoeuvre or flight envelope. The model is conventionally parameterized by the stability and control derivatives that are in the Taylor series of the forces and moments. The forces and moments can be represented by a Taylor series in multiple dimensions, such as\n\n\\begin{aligned}&T(\\chi _1,\\ldots ,\\ \\chi _d) = \\nonumber \\\\&\\quad \\sum _{n_1=0}^{\\infty } \\ldots \\sum _{n_d=0}^{\\infty } \\left[ \\frac{\\left( \\chi _1-a_1\\right) ^{n_1}\\ldots \\left( \\chi _d-a_d\\right) ^{n_d}}{n_1!\\ldots n_d!} \\left( \\frac{\\partial ^{n_1+\\ldots +n_d}}{\\partial x_1^{n_1} \\ldots \\partial x_d^{n_d}}\\right) f\\left( a_1,\\ldots ,a_d\\right) \\right] \\end{aligned}\n(13)\n\nwhere the vector $$\\vec {\\chi }$$ is a concatenation of the states and controls and $$\\vec {a}$$ is the set of points about which the Taylor series is taken. The forces and moments are conventionally captured by a first-order Taylor series about the initial state and control values for a manoeuvre to form the state space approximation. That is\n\n\\begin{aligned} \\left( n_{i}=1\\ |\\ n_{j}=0,\\ j\\in \\left[ 1,\\ n_{d}\\right] ,\\ j\\ne i,a_{i}=\\chi _{i}(t=0)\\right) \\end{aligned}\n(14)\n\nFor demonstration, this expansion simplifies to the following expression in the case of the longitudinal body force, X\n\n\\begin{aligned}&X = X_u\\delta u +X_v\\delta v + X_w\\delta w + X_p\\delta p + X_q\\delta q + X_r\\delta r \\nonumber \\\\&\\qquad + X_{\\Delta _{\\mathrm {lon}}}\\delta \\Delta _{\\mathrm {lon}} + X_{\\Delta _{\\mathrm {lat}}}\\delta \\Delta _{\\mathrm {lat}} + X_{\\Delta _{\\mathrm {ped}}}\\delta \\Delta _{\\mathrm {ped}} + X_{\\Delta _{\\mathrm {col}}}\\delta \\Delta _{\\mathrm {col}} + X_0 \\end{aligned}\n(15)\n\nwhere the subscript notation denotes the derivative with respect to the variable. For example\n\n\\begin{aligned} X_{u} \\equiv \\frac{\\partial }{\\partial u} X \\end{aligned}\n(16)\n\nThe $$X_0$$ term represents the constant portion of the Taylor series\n\n\\begin{aligned} X_{0} = f(a_{1},\\ldots ,a_{d}) \\end{aligned}\n(17)\n\nThe set of derivatives with respect to the states are called stability derivatives, and the derivatives with respect to the controls are called control derivatives. The stability and control derivatives may be estimated using two main approaches. In the first approach, a linear state space model is formed by linearizing the rigid body equations of motion about the initial condition and combining with the first-order Taylor series of the forces and moments taken about the same point. The linear model can then be identified using time- or frequency-domain methods. In the second approach, the non-linear equations of motion are used and combined with the first-order Taylor series of the forces and moments taken about 0 to form a grey-box system identification problem performed in the time-domain using the output-error (OE) method–this approach was used by Crain et al. . The dynamics of a rotor-craft in a any given flight regime (such as forward flight) are well established continuous functions, as are the forces and moments, but the collected flight data, as described in Sect. , contains noise and is discrete. The function used to fit this data is nevertheless assumed to be smooth and continuous, as the objective of this paper is not to capture the noise inherently present in flight data. Rather, the objective is to capture the underlying smooth dynamics without the noise.\n\n### Point model system identification: the output-error method\n\nAircraft stability and control derivatives that are valid about a point in the flight envelope can either be identified using time-domain or frequency-domain system identification techniques. This paper uses the OE method for time-domain aircraft system identification. OE optimization for aircraft parameter estimation was first introduced by Main and Iliff [55, 56] and remains a popular method [2, 57]. Aircraft dynamics are a continuous-time system, but measurements are assumed to be taken at discrete time intervals for processing. The OE method minimizes the difference between the predicted model response corresponding to parameter vector $$\\vec {\\lambda }$$, $$\\hat{\\vec {x}}\\left( \\vec {\\lambda }\\right)$$, and the measured flight data, $$\\vec {x}$$, as in\n\n\\begin{aligned} \\vec {J}\\left( \\vec {\\lambda } \\right) = \\frac{1}{\\sqrt{N}}\\left[ \\sum _{i=1}^{N}\\left( x_{\\langle t+i \\rangle } - \\hat{x}_{\\langle t+i \\rangle }\\left( \\vec {\\lambda } \\right) \\right) ^{2} \\right] ^{\\frac{1}{2}} \\end{aligned}\n(18)\n\nwhere N is the number of discrete samples.\n\nWhen simultaneously considering multiple channels with various unit bases and magnitudes, the channel may be scalarized through mean normalization, which is necessary to ensure that each channel is considered equally, as in\n\n\\begin{aligned} x_{\\langle t \\rangle }^{\\mathrm {norm}}=\\frac{x_{\\langle t \\rangle }-\\mathrm {mean}(\\vec {x})}{\\max {(\\vec {x})}-\\min {(\\vec {x})}} \\end{aligned}\n(19)\n\nThis improves the performance and accuracy of most optimization routines .\n\nThe cost for a time history is the root mean square error (RMSE) between $$\\vec {x}^{\\mathrm {norm}}$$ and its simulated estimate, $$\\hat{\\vec {x}}^{\\mathrm {norm}}$$, when evaluated using parameter vector $$\\vec {\\lambda }$$. For a single input test time-history, j, the overall cost is the average cost across all $$N_o$$ output channels\n\n\\begin{aligned} J_{j}\\left( \\vec {\\lambda }\\right) = \\frac{1}{N_{o}}\\sum _{i=1}^{N_{o}}J_{i}\\left( \\vec {\\lambda }\\right) \\end{aligned}\n(20)\n\nFinally, the overall cost for a set of inputs at a single flight condition is the average of $$J_j\\left( \\vec {\\lambda }\\right)$$ for all m time-histories\n\n\\begin{aligned} J\\left( \\vec {\\lambda }\\right) = \\frac{1}{m}\\sum _{j=1}^{m}J_j\\left( \\vec {\\lambda }\\right) \\end{aligned}\n(21)\n\n### Global modelling\n\n#### Classical approach: point modelling with polynomial regression\n\nThe development of this global model using point modelling with polynomial regression is documented in References . In this approach, the Taylor series is taken about 0 for all point models. Further, the nonlinear equations of motion are used instead of a state space model, which was found to improve the quality of global modelling matches by reducing the errors resulting from linearisation.\n\nAll stability and control derivatives are first determined using the output-error method. Next, all stability and control derivatives are assumed as a function of the dynamic pressure, $$P_d$$, and stepwise regression determines the appropriate order of the fit up to a maximum order of 2. For example, assuming $$X_u$$ is a second-order function of $$P_d$$, the following line is fit using least-square regression:\n\n\\begin{aligned} \\hat{X}_{u} = f \\left( P_{d} \\right) = b_{1}P_{d}^{2} + b_{2}P_{d} + b_{3} \\end{aligned}\n(22)\n\nwhere $$b_i$$ are the fit parameters. A similar analysis is performed for each stability and control derivative.\n\n#### FlyNet: physics-based neural network\n\nThe proposed global modelling approach closes the gap in the piecemeal approach of identifying linear models, connecting the points through regression, then validating using a quasi-non-linear simulation. Consider the example of a polynomial fit approach presented in Eq. (22). Substituting this into Eq. (15) expands to\n\n\\begin{aligned} X_{uu}= & {} \\left( b_{1}P_{d}^{2} + b_{2}P_{d} + b_{3}\\right) u \\end{aligned}\n(23a)\n\\begin{aligned} X_{uu}= & {} b_{1}P_{d}^{2}u + b_{2}P_{d}u + b_{3}u \\end{aligned}\n(23b)\n\nThis expanded form can be considered part of the Taylor expansion with\n\n\\begin{aligned} \\sum _{i=1}^{d}n_i \\le {\\left\\{ \\begin{array}{ll} 2 &{} n_{P_d}\\le 1 \\\\ 3 &{} n_{P_d}=2 \\end{array}\\right. } \\end{aligned}\n(24)\n\nwhere many of the other terms in the Taylor series are discarded. This knowledge of the conventional global modelling approach indicates that a limited Taylor expansion about zero to the second- or third-order has traditionally been acceptable for global aircraft modelling. Instead of using a higher-ordered Taylor series, this paper postulates the quality of the global model matches will be improved with a neural network. The neural network uses the states, control positions, dynamic pressure, altitude, and longitudinal centre of gravity position as inputs and outputs the forces and moments. The hidden layer uses a hyperbolic tangent activation function and the output layer uses a linear activation function. Thus, the model structure is as follows\n\n\\begin{aligned} \\vec {y}_{\\langle t \\rangle } = {\\mathbf {W}}_{2}\\tanh \\left( {\\mathbf {W}}_{1} \\chi _{\\langle t \\rangle } + \\vec {b}_{1} \\right) + \\vec {b}_{2} \\end{aligned}\n(25)\n\nThe parameter identification process for a model of this form utilizes the output-error method. Unlike the previous approaches, a single model can consider all test points simultaneously. Thus, for a flight data set consisting of $$N_t$$ test points, the cost function is the average across all time histories\n\n\\begin{aligned} J\\left( \\vec {\\lambda }\\right) = \\frac{1}{N_t}\\sum _{j=1}^{N_t}J_j\\left( \\vec {\\lambda }\\right) \\end{aligned}\n(26)\n\nIf all higher-ordered terms are used as inputs, this will include many more inputs than conventional methods, many of which will have a weak influence on the model response. The use of L2 regularization will pull these insensitive parameters toward 0 and may help prevent model overfitting. In this case, the cost function becomes\n\n\\begin{aligned} J\\left( \\vec {\\lambda }\\right) = \\frac{1}{n_t}\\sum _{j=1}^{n_t}J_j\\left( \\vec {\\lambda }\\right) + \\alpha \\sum \\lambda _{k}^{2} \\end{aligned}\n(27)\n\nwhere $$\\alpha$$ is the regularization parameter.\n\nA flow chart of the FlyNet model is shown in Fig. 1. The piecemeal approach of developing point models then using some method to connect the stability and control derivatives makes no guarantee on the performance of the global model since this is not considered in the curve fitting process. The approach of considering all points simultaneously with a neural network consisting of higher-ordered input terms ensures positive global model matches since these are directly considered in the cost function. The structure of the neural network is informed by conventional physics-based flight simulation models and ensures $$C^1$$ continuity. The simplicity of this method does not require expert insight or manual intervention and opens it up to a larger range of non-expert users. In Fig. 1, $$\\vec {x}$$ is the vector of states, $$\\vec {u}$$ is the vector of controls, $$P_d$$ is the dynamic pressure, h is the altitude, $$\\mathbf {M}$$ is the mass and inertia matrix, and $$x_{cg}$$ is the longitudinal center of gravity.\n\n## Case study: comparison of global modelling methods\n\n### Aircraft and flight data collection\n\nFlight test data collection was completed using the Advanced Systems Research Aircraft Bell 412HP (S/N 36034), which is operated by the National Research Council of Canada (NRC). It is powered by a PT6T-3BE TwinPac power plant. The maximum gross weight of the aircraft is 11900lbs. Flight testing was performed using the standard mechanical flight control system, which incorporates dual limited-authority automatic flight control systems. These are the standard helipilots furnished with the Bell 412HP and feature both rate damping and attitude retention modes. The yaw axis incorporates rate damping in either mode. The data acquisition system onboard the aircraft collects data at 128 Hz. The data was collected for a Level D full flight simulator to the same standard as required by FAA Title 14 CFR Part 60 ; additional details on the aircraft and the instrumentation suite can be found in References . The aircraft is shown in Fig. 2.\n\nThis report considers only forward flight for modelling. Each point model is developed from a set of 2-3-1-1 inputs and control response tests. A 2-3-1-1 input is a series of 4 consecutive and alternative step inputs of 2, 3, 1, and 1 seconds in duration in a given control axis. A set of four 2-3-1-1 inputs consisting of one each of inputs in the longitudinal cyclic stick, lateral cyclic stick, pedal, and collective channels shall be referred to hereafter as an input quartet. A typical 2-3-1-1 input is shown in Fig. 3. The quartet test points were generally conducted around 45 Knots Indicated Airspeed (KIAS), 60KIAS, 75KIAS, 90KIAS, and 105KIAS.\n\nThe data for modelling was separated into two subsets: an optimization set and a test set. The optimization set is used for model identification and consists of fifty 2-3-1-1 input quartets ranging in speed from 30 Knots True Airspeed (KTAS) to 120KTAS and control response tests for a total of 252 individual time-histories. The test set is not used in the model identification and is used to test the ability of a model to generalize to new cases. The test set consists of 45 time histories including control response tests and two 2-3-1-1 input quartets randomly selected from each of the aforementioned speed bins for a total of ten quartets. It should be noted that separating the data into training and test sets is not required by the regulations for full flight simulators but this is a best practice in the machine learning community.\n\n### Global modelling\n\n#### Classical approach\n\nParameter identification was performed for each 2-3-1-1 quartet for a total of 50 identified point models. The parameters were identified using a constrained interior point optimization algorithm with the cost function given by Eq. (21). Parameter values were left unbounded. All parameters were initialized using a linear least-squares parameter estimate. Since dynamic stability tests from flight testing demonstrated stability in forward flight, stability was enforced for each point model. Mathematically, a linear flight dynamics model is stable when the real part of the eigenvalues of the state matrix, $$\\mathbf {A}$$, are all less than zero. Thus, for stability\n\n\\begin{aligned} \\max {(\\Re (\\mathrm {eig}(\\mathbf {A})))} < 0 \\end{aligned}\n(28)\n\nThe stability constraint given by Eq. (28) was imposed as a non-linear constraint. The identification of the point model derivatives used non-linear time-varying equations of motion with constant parameters. A full description of the modelling approach is available in References .\n\nOnce all flight dynamics models were identified, the global model was created using $$P_d$$ as the regressor. $$P_d$$ was selected as the regressor since it is a metric that considers both the forward speed, which is conventional , as well as the altitude, which is represented by the density in the dynamic pressure expression. All stability and control derivatives, as well as the constant values in the Taylor expansion, were fit using stepwise regression up to the second-order of $$P_d$$.\n\n#### FlyNet\n\nModel training\n\nThe model training consists of two parts: first is a pre-training using a feed-forward system, and second is training the system to optimize simulation matches. In the first step, parameters were initialized using Glorot uniform initialization , which randomly initializes each parameter in the range $$[-\\varepsilon , \\varepsilon ]$$ where\n\n\\begin{aligned} \\varepsilon = \\sqrt{\\frac{6}{N_{i} + N_{o}}} \\end{aligned}\n(29)\n\nwhere $$N_i$$ is the number of input terms and $$N_o$$ is the number of output terms. The parameters were subsequently refined as a feed-forward system where tabulated states, controls, and the second-order terms are the inputs, and the forces and moments calculated from flight data are the outputs. Optimization of the parameters uses the Adam optimizer with a learning rate of $$10^{-3}$$ for 500 epochs. Feed-forward training is faster than the closed-loop system and minimizes the prediction error but makes no guarantee of the simulation error. The prediction error refers to the error one time step ahead whereas the simulation error is the error of the entire time history match. This approach also does not risk simulation model divergence due to initial model instabilities.\n\nAfter the model is pre-trained, the output-error method was applied to the closed-loop system using the Adam optimizer to minimize the cost function given by Eq. (27) with regularization parameter $$\\alpha = 10^{-4}$$. The loss function also included the initial trim error as given by the normalized force and moment error in each degree of freedom. This allows the model to simultaneously optimize for time history matches and trimmability.\n\nModel structure determination\n\nHyperparameter tuning was conducted to determine the optimal input order and the number of neurons in the hidden layer. Using first-order inputs only is intended to test if the neural network alone is able to capture the nonlinearities of the global model instead of using second-order input terms. The losses of models trained with first- and second-order inputs with the number of nodes in the hidden layer $$\\in \\lbrace 8,16,32,64,128 \\rbrace$$ were determined and are plotted in Fig. 4. The models were all initially pre-trained in a feed-forward manner for 500 epochs then as a closed-loop for 1000 epochs. The final MSEs of the time history matches are plotted in Fig. 4.\n\nThis figure demonstrates that there are small gains in the performance of the model with first-order inputs using 32 neurons in the hidden layer while the model with second-order inputs had marginal gains with more than 16 hidden layer neurons. Models with 2nd order inputs had better performance on the training set with similar performance on the test set. Accordingly, the model structure will use second-order input terms and 16 nodes in the hidden layer, which has a total of 2278 trainable parameters. This model was subsequently trained for 2500 epochs using the Adam optimizer with a learning rate of $$10^{-3}$$. The training and test set losses are plotted in Fig. 5, which shows a stable and asymptotic minimum was attained. Further, both training and test set losses remained stable, thus indicating that the solution is not one of high variance.\n\n### Results\n\nThe average RMSEs for each channel between the two approaches with the 95% confidence interval (CI) are given in Tables 1 and 2. The tables also present the one-tailed p-value using a paired-sample t-test of the null hypothesis. Since the datasets are dependent, a paired-sample t-test was performed on the null hypothesis, $$H_0$$, which is that mean value of the Classical approach, $$\\mu _{1}$$, equals that of FlyNet, $$\\mu _0$$, as in\n\n\\begin{aligned} H_{0_{1}}: \\mu _{0} = \\mu _{1}, H_{0_{1}}: (\\mu _{0} - \\mu _{1}) = 0 \\end{aligned}\n(30)\n\nThus, the alternative hypothesis, $$H_A$$, is\n\n\\begin{aligned} H_{A}: \\mu _{1}> \\mu _{0}, H_{A}: (\\mu _1 - \\mu _{0}) > 0 \\end{aligned}\n(31)\n\nTable 1 demonstrates that FlyNet has a lower average RMSE than the Classical approach in all cases for the training set with a p-value less than 5% in all cases. FlyNet also has a lower average RMSE than the Classical approach for the test set in most cases cases except for the w matches ($$p = 0.207$$) and the p-value approaches significance for u, p, and $$\\phi$$. Example time history matches for the best- and worst-case matches of FlyNet to the pitch rate for a longitudinal cyclic stick input 2-3-1-1 is presented in Fig. 6.\n\nThe average of the absolute initial trim offsets with the 95% confidence interval and the one-tailed p-value from the paired-sample t-test are given in Tables 3 and 4. The tables show that the FlyNet model has superior trim performance compared to the Classical model with greater than 95% confidence.\n\nThe difference between the overall training set losses of the two models, $$J_{\\mathrm {FlyNet}}-J_{\\mathrm {Classical}}$$, are plotted in Fig. 7. This figure shows that in nearly all cases, the loss of the classical model is greater than that of FlyNet. A one-tailed paired-sample t-test results in a p-value of 0.0% for the training set and 2.9% for the test set, thus confirming with greater than 97% confidence that FlyNet outperforms the classical model on average and better generalizes to new data.\n\n## Observations and discussion\n\nThe reference flight test data included sixty 2-3-1-1 input quartets. The test points were generally conducted around 45KIAS, 60KIAS, 75KIAS, 90KIAS, and 105KIAS. The test set randomly selected two quartets from each test condition. Two points at each speed is a small sample size and thus the average loss has a large associated standard deviation. It is assumed that the difference between the training and test set losses is a result of the small sample size rather than resulting from a model with high variance since Fig. 4 shows that the difference between the losses remains similar for simpler models.\n\nPerhaps one of the greatest limitations of the Classical piecemeal approach of first identifying a linear model then performing regression is due to the large variances in the point model derivatives. This approach lacks a method of implementing meaningful bounds on derivatives for point modelling to limit the variances such that a function with both low bias and variance can be fit to the data. One way of addressing this is using an orthogonal function approach to fit the derivatives, such as that of Morelli . However, a good fit to stability and control derivatives does not necessarily translate to good time-history matches. The identified stability and control derivatives are specialized for that one point and thus there is random spread in the derivatives resulting from unmodelled dynamics, manoeuvre execution, beginning the test out of trim, atmospheric disturbances and other sources of random error. Obtaining a good fit to these randomly distributed parameters will result in a high variance fit that does not generalize well. Additionally, the disconnect between the linear model assumption when identifying point models then subsequently using a quasi-non-linear model for global simulation, which has varying stability and control derivatives, will further amplify the effect of a high variance fit.\n\nFlyNet does not require fitting a function to point models. Since it fits all point tests simultaneously, this has a regularization effect to prevent the over-fitting that may occur when considering a single point at a time. Further, by considering many test points, higher-ordered terms can be introduced without as high of a risk of obtaining a high variance model. With the large number of terms in this second-order model, several of these terms may not have a significant influence on the model and thus L2 regularization is used to aid in convergence and further prevent an over-specialized model. It was shown with over 95% confidence that FlyNet generalizes better to test set data so it can be concluded that the model does not exhibit over-fitting behaviour.\n\nImprovements in computational power and memory permit the ability to consider all points simultaneously and improved optimization algorithms allow for the consideration of a large number of parameters. It should be noted, however, that FlyNet optimizes fewer parameters overall than the classical approach. For a 6-DOF model using the classical approach, there are 66 parameters for identification at each point. When there are 60 test points, this leaves the optimization of 3960 parameters plus the parameters for the global model fits. The proposed approach requires the determination of a total of 2278 parameters and does require the additional step of determining global model fits.\n\nFlyNet showed an improved ability to trim over the Classical approach. Both modelling approaches take the Taylor expansion about 0 so the simulated time history will result in a high cost using the output-error method if it begins out of trim. When considering only a single point at a time, the constant terms in the Taylor expansion can adequately capture the static behaviour and trim the model for the test. However, the global model fits to the constant terms do not guarantee the quality of the global model trim solution in the same manner that the fits to the stability and control derivatives do not guarantee the quality of the global model dynamic matches. In comparison, FlyNet directly considers the cost of the global model so the simulated time history will have a high cost if it begins out of trim. This forces the optimization to simultaneously consider trimmability both indirectly and by directly including the trim error in the loss function. The improved trimmability using FlyNet is observed in Tables 3 and 4, which shows that the novel model begins closer to a trim condition in every axis with a one-tailed p-value from a paired-sample t-test of approximately 0%.\n\nThe FlyNet architecture is physics informed. The neural network part generates forces, thus allowing the closed-loop system to enforce rigid body equations of motion and use physics-based data, such as the mass and inertia during closed-loop training, and calculated forces and moments for feed-forward training. This architecture is in contrast to more complex neural network models that merely take measured states and controls and output state derivatives or the value one step ahead. Future work will include separate models for the rotors, and bluff-body aerodynamics, thus furthering the physics-guided algorithm.\n\nFuture work will also assess the handling qualities and pilot feedback using a model developed using this novel approach. It is possible and trivial to estimate the stability and control derivatives of this model about a given set of initial conditions. The estimation of these derivatives would allow one to form a stability matrix from which the eigenvalues can be determined. This may also be used to estimate the frequency response about a given condition, which can be compared to the estimated frequency response from flight data.\n\n## Conclusion\n\nThis study compared the performance of a two-step pseudo-non-linear global aircraft modelling architecture to a novel single-step continuous and non-linear global modelling method using a physics-based neural network called FlyNet. It was shown that a model with second-order input terms consisting of states and control positions with a neural network that outputs forces and moments outperformed the conventional global modelling approach with greater than 97% confidence for both training and test sets. Since FlyNet considers all second-order terms in the Taylor expansion, it automatically determines the model structure without the need for expert insight or manual intervention that may be required for legacy multi-step approaches. The novel approach also had improved trimmability compared to the legacy approach. Future work shall assess the handling qualities of a model developed using this novel approach, as well as its performance on a fixed-wing aircraft.\n\n## Availability of data and materials\n\nThe data that support the findings of this study are available from the National Research Council Canada but restrictions apply to the availability of these data, which were used under license for the current study, and so are not publicly available. Data are however available from the authors upon reasonable request and with permission of the National Research Council Canada.\n\n## References\n\n1. Tischler MB, Tobias EL. A Model stitching architecture for continuous full flight-envelope simulation of fixed-wing aircraft and rotorcraft from discrete point linear models. U.S. Army Aviation and Missile Research Development and Engineering Center; 2016. http://www.dtic.mil/docs/citations/AD1008448.\n\n2. Klein V, Morelli EA. Aircraft system identification: theory and practice. American Institute of Aeronautics and Astronautics; 2006.\n\n3. Tischler MB, Remple RK. Aircraft and rotorcraft system identification. American Institute of Aeronautics and Astronautics; 2006.\n\n4. Brandon JM, Morelli EA. Real-time onboard global nonlinear aerodynamic modeling from flight data. J Aircr. 2016;53:1261–97.\n\n5. Aiken EW. A Mathematical representation of an advanced helicopter for piloted simulator investigations of control-system and display variations. National Aeronautics and Space Administration; 1980.\n\n6. Tischler MB. Aerodynamic model for piloted V/STOL simulation. Systems Technology. Inc; 1982.\n\n7. Klein V, Batterson JG, Smith PL. On the determination of airplane model structure from flight data. IFAC Proc Vol. 1982;6(15):1163–8.\n\n8. McNally BD. Full-envelope aerodynamic modeling of the harrier aircraft. NASA; 1986.\n\n9. Downs J, Prentice R, Dalzell S, Besachio A, Ivler CM, Tischler MB. et al. Control system development and flight test experience with the MQ-8B fire scout vertical take-off unmanned aerial vehicle (VTUAV). In: American helicopter society 63rd annual forum. 2007 5;.\n\n10. Burnett EL, Atkinson C, Beranek J, Sibbitt B, Holm-Hansen B, Nicolai L. NDOF simulation model for flight control development with flight test correlation. AIAA Model Simul Technol Conf. 2010;2010:1–14.\n\n11. Lawrence B, Malpica CA, Theodore CR. The development of a large civil tiltrotor simulation for hover and low-speed handling qualities investigations. In: 36th European rotorcraft forum, Association Aéronautique et Astronautique de France; 2010. .\n\n12. Zivan L, Tischler MB. Development of a full flight envelope helicopter simulation using system identification. J Am Helicopter Soc. 2010;4:55.\n\n13. Mansur MH, Tischler MB, Bieleeld MD, Bacon JW, Cheung KK, Berrios MG. et al. Full flight envelope inner-loop control law development for the unmanned K-MAX. American Helicopter Society 67th Annual Forum; 2011. p. 5.\n\n14. Greiser S, Seher-Weiss S. A contribution to the development of a full flight envelope quasi-nonlinear helicopter simulation. CEAS Aeronaut J. 2013;10(5):53–66.\n\n15. Spires JM, Horn JF. Multi-input multi-output model-following control design methods for rotorcraft. American Helicopter Society 71st Annual Forum; 2015. p. 5.\n\n16. Tobias E, Tischler M, Berger T, Hagerott SG. Full flight-envelope simulation and piloted fidelity assessment of a business jet using a model stitching architecture. AIAA Modeling and Simulation Technologies Conference; 2015. p. 1.\n\n17. Knapp ME, Berger T, Tischler M, Cotting MC. Development of a full envelope flight identified F-16 simulation model. 2018 AIAA atmospheric flight mechanics conference. 2018. p. 1.\n\n18. Berger T, Tischler MB, Hagerott SG, Cotting MC, Gray WR. Identification of a full-envelope learjet-25 simulation model using a stitching architecture. J Guid Control Dyn. 2020;43:2091–111.\n\n19. de Visser C, Mulder J, Chu Q. Global Aerodynamic Modeling with Multivariate Splines. AIAA Modeling and Simulation Technologies Conference and Exhibit. 2008 8;.\n\n20. de Visser C, Mulder J, Chu Q. A Multidimensional spline-based global nonlinear aerodynamic model for the cessna citation II. AIAA Atmospheric Flight Mechanics Conference; 2010. p. 8.\n\n21. Hui K, Ricciardi J, Ellis K, Tuomey D. Beechjet flight test data gathering and level-D simulator aerodynamic mathematical model development. AIAA Atmospheric Flight Mechanics Conference and Exhibit; 2001.\n\n22. Hui K, Ricciardi J, Srinivasan R, Lambert E, Sarafian A. Assessment of the dynamic stability characteristics of the bell model M427 helicopter using parameter estimation technology. SAE technical paper series. 2002. p. 11.\n\n23. Hui K, Srinivasan R, Auriti L, Ricciardi J, Blair K, Pokhariyal D. et al. King air 350 flight-test data gathering and level-D simulator aerodynamic model development. In: ICAS 2002 congress. ICAS; 2002. p. 1–10.\n\n24. Hui K, Auriti L, Ricciardi J. Advances in real-time aerodynamic model identification. J Aircr. 2005;1(42):73–9.\n\n25. Hui K, Lambert E, Seto J. Bell M427 flight test data gathering and level-D simulator model development. In: 25th international congress of the aeronautical sciences. ICAS; 2006.\n\n26. Hui K, Auriti L, Ricciardi J. Cessna citation CJ1 flight-test data gathering and level-C simulator model development. In: 26th international congress of the aeronautical sciences. ICAS; 2008. .\n\n27. Morelli EA. Global nonlinear aerodynamic modeling using multivariate orthogonal functions. J Aircr. 1995;3(32):270–7.\n\n28. Morelli EA. Global nonlinear parametric modeling with application to F-16 aerodynamics. American Control Conference; 1998. p. 6.\n\n29. Lombaerts TJJ, Oort ERV, Chu QP, Mulder JA, Joosten DA. Online aerodynamic model structure selection and parameter estimation for fault tolerant Control. J Guid Control Dyn. 2010;5(33):707–23.\n\n30. Morelli E. Efficient global aerodynamic modeling from flight data. In: 50th AIAA aerospace sciences meeting including the New Horizons Forum and aerospace exposition; 2012. p. 1.\n\n31. Morelli EA, Cunningham K, Hill MA. Global aerodynamic modeling for stall/upset recovery training using efficient piloted flight test techniques. In: AIAA modeling and simulation technologies (MST) conference. 2013. p. 8.\n\n32. Wang Z, Lan C, Brandon J. Fuzzy logic modeling of nonlinear unsteady aerodynamics. In: 23rd atmospheric flight mechanics conference. 1998. p. 8.\n\n33. Brandon JM, Morelli EA. Nonlinear aerodynamic modeling from flight data using advanced piloted maneuvers and fuzzy logic. NASA; 2012.\n\n34. Batterson JG. Estimation of airplane stability and control derivatives from large amplitude longitudinal maneuvers. NASA; 1981.\n\n35. Batterson JG, Klein V. Partitioning of flight data for aerodynamic modeling of aircraft at high angles of attack. J Aircr. 1989;26:334–9.\n\n36. Jategaonkar RV, Mönnich W, Fischenberg D, Krag B. Identification of C-160 simulator data base from flight data. IFAC Proc Vol. 1994;7(27):1031–8.\n\n37. Seher-Weiss S. Identification of nonlinear aerodynamic derivatives using classical and extended local model networks. Aerosp Sci Technol. 2011;1(15):33–44.\n\n38. Millidere M, Yigit T, Ulsu S. Full-envelope stiched simulation model of a fighter aircraft using the lasso technique. In: AIAA SCITECH 2022 forum. American Institute of Aeronautics and Astronautics Inc.; 2022.\n\n39. Morelli EA. Autonomous real-time global aerodynamic modeling in the frequency domain. AIAA Scitech 2020 forum. 2020. p. 1. https://arc.aiaa.org/doi/10.2514/6.2020-0761.\n\n40. Dreier ME. Introduction to helicopter and tiltrotor flight simulation. American Institute of Aeronautics and Astronautics (AIAA); 2018.\n\n41. Federal Aviation Administration. 14 code of federal regulations appendix C to part 60—qualification performance standards for helicopter full flight simulators; 2016.\n\n42. Shaheed MH. Feedforward neural network based non-linear dynamic modelling of a TRMS using RPROP algorithm. Aircr Eng Aerosp Technol 2005 2;77(1):13–22. https://www.emerald.com/insight/content/doi/10.1108/00022660510576000/full/html.\n\n43. Fekih A, Xu H, Chowdhury FN. Neural networks based system identification techniques for model based fault detection of nonlinear systems. Int J Innov Comput Inf Control. 2007;10:3.\n\n44. Punjani A. Machine learning for helicopter dynamics models; 2014.\n\n45. Harris J, Arthurs F, Henrickson JV, Valasek J. Aircraft system identification using artificial neural networks with flight test data. In: 2016 international conference on unmanned aircraft systems (ICUAS). 2016 6;p. 679–688. http://ieeexplore.ieee.org/document/7502624/.\n\n46. Priya SS. Application of neural networks for flight simulation. In: 1st IEEE international conference on power electronics, intelligent control and energy systems, ICPEICES 2016; 2017 2.\n\n47. Norouzi R, Kosari A, Sabour MH. Investigating the generalization capability and performance of neural networks and neuro-fuzzy systems for nonlinear dynamics modeling of impaired aircraft. IEEE Access. 2019;7:21067–93.\n\n48. Roudbari A, Saghafi F. Generalization of ANN-based aircraft dynamics identification techniques into the entire flight envelope. IEEE Trans Aerosp Electron Syst. 2016;52:1866–80.\n\n49. Yu Y, Yao H, Liu Y. Physics-based learning for aircraft dynamics simulation. In: 10th annual conference of the prognostics and health management society. Prognostics and Health Management Society; 2018.\n\n50. Chauhan RK, Singh S. Application of neural networks based method for estimation of aerodynamic derivatives. In: Proceedings of the 7th international conference confluence 2017 on cloud computing, data science and engineering. 2017 6;p. 58–64.\n\n51. Ghazi G, Bosne M, Sammartano Q, Botez RM. Cessna citation X stall characteristics identification from flight data using neural networks. In: AIAA atmospheric flight mechanics conference. American Institute of Aeronautics and Astronautics.\n\n52. Jacquemin T, Tomar S, Agathos K, Mohseni-Mofidi S, Bordas S. Taylor-series expansion based numerical methods: a primer, performance benchmarking and new approaches for problems with non-smooth solutions. Arch Comput Methods Eng. 2019;11(27):1465–513.\n\n53. Deshpande S, Lengiewicz J, Bordas SPA. Probabilistic deep learning for real-time large deformation simulations. arXiv; 2021. https://arxiv.org/abs/2111.01867.\n\n54. Crain A, Ricciardi J, Stachiw T. Bell 412 full flight envelope aircraft simulation model development and evaluation with nonlinear equations of motion. In: Volume 4: advances in aerospace technology. IMECE2021-71173. American Society of Mechanical Engineers.\n\n55. Maine RE, Iliff KW. Identification of dynamic systems, theory and formulation. NASA Ames Research Center; 1985.\n\n56. Maine RE, Iliff KW. Application of parameter estimation to aircraft stability and control: The output-error approach. Dryden Flight Research Cente: NASA Hugh L; 1986.\n\n57. Góes LCS, Hemerly EM, de Oliveira Maciel BC, Neto WR, Mendonca C, Hoff J. Aircraft parameter estimation using output-error methods. Inverse Problems Sci Eng. 2006;14:651–64. https://doi.org/10.1080/17415970600573544.\n\n58. Gubbels A, Carignan S, Ellis K, Dillon J, Bastian M, Swail C, et al. NRC bell 412 aircraft fuselage pressure and rotor state data collection flight test. In: 32nd European rotorcraft forum. Curran Associates; 2008. p. 1064–1086.\n\n59. Byrd RH, Gilbert JC, Nocedal J. A trust region method based on interior point techniques for nonlinear programming. Math Program. 2000;11(89):149–85.\n\n60. Glorot X, Bengio Y. Understanding the difficulty of training deep feedforward neural networks. Proceedings of the thirteenth international conference on artificial intelligence and statistics, vol 9. 2010. p. 249–256. http://proceedings.mlr.press/v9/glorot10a.html.\n\n61. Kingma DP, Ba J. Adam: a method for stochastic optimization. 2014. p. 12.\n\n## Acknowledgements\n\nThe authors would like to acknowledge Greg Craig and Patrick Zdunich from the NRC Flight Research Laboratory for their reviews of this work. The authors would also like to thank Laird McKinnon and Jeremy Smith, DTAES 7-5 Flight Sciences, who have inspired this work by their shared vision of making increasing use of simulation analyses through software engineering tools that are more accessible to non-expert users.\n\n## Funding\n\nThis research was funded by the Defence Technologies and Sustainment Program under the leadership of Prakash Pratnaik as a strategic investment of the National Research Council of Canada and Directorate - Technical Airworthiness and Engineering Support 7-5 Flight Sciences of the Department of National Defence.\n\n## Author information\n\nAuthors\n\n### Contributions\n\nTS developed the FlyNet architecture, trained the model, analysed and interpreted the results, and wrote the manuscript. AC developed the flight data processing software. AC and JR developed the Classical model. JR collected the flight test data. All authors contributed to the conception and theoretical development of FlyNet. All authors read and approved the final manuscript.\n\n### Corresponding author\n\nCorrespondence to Alexander Crain.\n\n## Ethics declarations\n\n### Competing interests\n\nThe authors declare that they have no competing interests",
null,
""
] | [
null,
"https://amses-journal.springeropen.com/track/article/10.1186/s40323-022-00227-7",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.8878866,"math_prob":0.9689509,"size":56251,"snap":"2023-14-2023-23","text_gpt3_token_len":11861,"char_repetition_ratio":0.14743897,"word_repetition_ratio":0.029449876,"special_character_ratio":0.2086185,"punctuation_ratio":0.11876978,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9884626,"pos_list":[0,1,2],"im_url_duplicate_count":[null,2,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-03-29T04:07:12Z\",\"WARC-Record-ID\":\"<urn:uuid:11a94abb-b2b8-465b-b7d3-b54bdaaef8e6>\",\"Content-Length\":\"358710\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:bc2c52f8-12d5-447c-ae5d-1059fba8726f>\",\"WARC-Concurrent-To\":\"<urn:uuid:ac5b0dbb-7945-4d28-b8c3-301d6be5c9f7>\",\"WARC-IP-Address\":\"146.75.32.95\",\"WARC-Target-URI\":\"https://amses-journal.springeropen.com/articles/10.1186/s40323-022-00227-7\",\"WARC-Payload-Digest\":\"sha1:4FUWNVE45H4SCSQAI2GY5LIDV5VN2HUT\",\"WARC-Block-Digest\":\"sha1:72D6N44IW52LMLY36ISQV7YXDLNYA4U3\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-14/CC-MAIN-2023-14_segments_1679296948932.75_warc_CC-MAIN-20230329023546-20230329053546-00567.warc.gz\"}"} |
http://atcoder.noip.space/contest/abc066/a | [
"# Home\n\nScore : $100$ points\n\n### Problem Statement\n\nSnuke is buying a bicycle. The bicycle of his choice does not come with a bell, so he has to buy one separately.\n\nHe has very high awareness of safety, and decides to buy two bells, one for each hand.\n\nThe store sells three kinds of bells for the price of $a$, $b$ and $c$ yen (the currency of Japan), respectively. Find the minimum total price of two different bells.\n\n### Constraints\n\n• $1 \\leq a,b,c \\leq 10000$\n• $a$, $b$ and $c$ are integers.\n\n### Input\n\nInput is given from Standard Input in the following format:\n\n$a$ $b$ $c$\n\n\n### Output\n\nPrint the minimum total price of two different bells.\n\n### Sample Input 1\n\n700 600 780\n\n\n### Sample Output 1\n\n1300\n\n• Buying a $700$-yen bell and a $600$-yen bell costs $1300$ yen.\n• Buying a $700$-yen bell and a $780$-yen bell costs $1480$ yen.\n• Buying a $600$-yen bell and a $780$-yen bell costs $1380$ yen.\n\nThe minimum among these is $1300$ yen.\n\n### Sample Input 2\n\n10000 10000 10000\n\n\n### Sample Output 2\n\n20000\n\n\nBuying any two bells costs $20000$ yen."
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.948697,"math_prob":0.9975566,"size":633,"snap":"2021-43-2021-49","text_gpt3_token_len":167,"char_repetition_ratio":0.11446741,"word_repetition_ratio":0.07017544,"special_character_ratio":0.31121644,"punctuation_ratio":0.11363637,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9973382,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-11-27T11:48:49Z\",\"WARC-Record-ID\":\"<urn:uuid:7695d539-bd81-49e6-bbae-562eb586fe02>\",\"Content-Length\":\"3987\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:8dde2f99-e90b-4b29-b4a1-21f6482dd1ef>\",\"WARC-Concurrent-To\":\"<urn:uuid:7249e8e7-ef23-4703-963f-e210c82eff39>\",\"WARC-IP-Address\":\"43.128.40.193\",\"WARC-Target-URI\":\"http://atcoder.noip.space/contest/abc066/a\",\"WARC-Payload-Digest\":\"sha1:ZPT6WIVH2TUHTREVABCK6N7QDY2NWIQZ\",\"WARC-Block-Digest\":\"sha1:EISSEFJQQDQASVYZN4WJXO5PIYPPDCOL\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-49/CC-MAIN-2021-49_segments_1637964358180.42_warc_CC-MAIN-20211127103444-20211127133444-00317.warc.gz\"}"} |
https://solvedlib.com/a-find-the-solution-to-laplaces-equation-on-a,22684 | [
"# (a) Find the solution to Laplace's equation on a disk with boundary condition u(1,0) = 5...\n\n###### Question:",
null,
"(a) Find the solution to Laplace's equation on a disk with boundary condition u(1,0) = 5 + sin(40). (You do not need to derive the general solution to the polar Laplace's equation.) (b) Verify that the solution to (a) satisfies the mean value property. (Hint: compare the average value of u(r, ) on the boundary r=1 to the value of u(r,() at r = 0.) (c) Find the minimum and maximum of the solution to (a) and verify they occur on the boundary.\n\n#### Similar Solved Questions\n\n##### 1. Which of the following additions will result in no change in the pH of a...\n1. Which of the following additions will result in no change in the pH of a solution? a) adding ammonium nitrate to an ammonia solution b) adding potassium chloride to a hydrochloric acid solution c) adding sodium formate to a formic acid solution 2. Determine the pH of a solution that is 0.35 M CH3...\n##### You are working for one of the big airlines. Your manager asks you to create a...\nYou are working for one of the big airlines. Your manager asks you to create a sample program using queue data structure that explains how to board in the aircraft. Be sure to implement following things: Implement Queue data structure Enqueue Bonnai, Tim, Jerry and tom Display the front of the queue...\n##### 1.Briefly discuss an emergent public health issue that has been recognized by public health officials as...\n1.Briefly discuss an emergent public health issue that has been recognized by public health officials as significantly impacting the health of the population in the past 5 years in the US. Be sure to include statistical disease epidemiology to support the significance of the issue. 2.Describe the si...\n##### Hello, could you please show all your steps without skipping any part. please show also all...\nHello, could you please show all your steps without skipping any part. please show also all your defintion or anything that would enhancemy understanding of this question . Thanks in advance we've covered in class in your explanation. 3) (4 marks) Find a group of permutations that is isomorph...\n##### VH 1 adult all [email protected] your distance are work and ceabcoweers write your 1 answer cind and 5 the 207.00 complete probability cm Pleaset sentence_ draw they have 5\nVH 1 adult all [email protected] your distance are work and ceabcoweers write your 1 answer cind and 5 the 207.00 complete probability cm Pleaset sentence_ draw they have 5...\n##### Find the radius of convergence of the following power seriesn(-1)\" T=\nFind the radius of convergence of the following power series n(-1)\" T=...\n##### Ballistic Pendulum ( Physics LAB QUESTION)Part I - Discuss what a ballistic pendulum is,what physics principles they are based on, and the keyfeatures. Part II - Brainstorm ways to build a ballisticpendulum from the materials available to you. Part III - Build a ballisticpendulum.\nBallistic Pendulum ( Physics LAB QUESTION) Part I - Discuss what a ballistic pendulum is, what physics principles they are based on, and the key features. Part II - Brainstorm ways to build a ballistic pendulum from the materials available to you. Part III - Build a ballistic pendulum....\n##### The table shows the results of a survey of 100 authors by publishing company_New AuthorsEstablished AuthorsTotalSuccessful3035Unsuccessful204565Total25 Compute the following conditional probability: An author is established, given that she is successful.75100\nThe table shows the results of a survey of 100 authors by publishing company_ New Authors Established Authors Total Successful 30 35 Unsuccessful 20 45 65 Total 25 Compute the following conditional probability: An author is established, given that she is successful. 75 100...\n##### Please let it be legible, thanks in advance! How much work must you do to push...\nPlease let it be legible, thanks in advance! How much work must you do to push a 10 kg block of steel across a stool table at a steady speed of 1.3 m/s for 9.4 s ? The coefficient of kinetic friction for steel on steel is 0.60. Express your answer in joules. | ΑΣφ Wpus J Submit Re...\n##### 1. Match either Internal Auditor or External Auditor to the appropriate statement below. A. Internal auditor...\n1. Match either Internal Auditor or External Auditor to the appropriate statement below. A. Internal auditor B. External auditor . work for an outside audit firm . produces reports used by management . examine the financial records and issue an opinion regarding the financial stat...\n##### Predict the product 2 Hsot of ((CHs)CH)Culi the following reactiorHO\nPredict the product 2 Hsot of ((CHs)CH)Culi the following reactior HO...\n##### 5) Give the reagents for_ path A and B for the following reaction below. 20 pointsOHOHI\n5) Give the reagents for_ path A and B for the following reaction below. 20 points OH OHI...\n##### 1. Sketch the Fermi-dirac probability function at T=0 K and T=300 K for function of E...\n1. Sketch the Fermi-dirac probability function at T=0 K and T=300 K for function of E above and below EF. 2. Find f(EP). 3. Describe Fermi Energy. What are the significances of Fermi energy level in semiconductor device physics? 4. Sktech Density of State Diagram, Fermi-dirac probability function di...\n##### SPRin:_Program; Bachelor_,Apply tor13_ [0/4 Points]DETAILSPREVIOUS ANSWERSILLOWSKYINTROSTATI 6.Pr.Os6Find the maximum of in the bottom quartile. (Round your answer to four decima places:) X ~ N(6,Enter nuinberpercentage 0r real worid measure? Which are You asked to find? How can you translate beti Additional MaterialseBookSubmit Answer[4/4 Points]DETAILSPREVIOUS ANSWERSILLOWSKYINTROSTATI 6.Hw.O71:parklng space at 9 A.M: follows normal distributlon wlth mean of5 minut The length of tirne It takes\nSPRin:_ Program; Bachelor_, Apply tor 13_ [0/4 Points] DETAILS PREVIOUS ANSWERS ILLOWSKYINTROSTATI 6.Pr.Os6 Find the maximum of in the bottom quartile. (Round your answer to four decima places:) X ~ N(6, Enter nuinber percentage 0r real worid measure? Which are You asked to find? How can you transla...\n##### What are ions? What are the two types of ions? What istheir crucial role in single replacement reaction? Doublereplacement reaction?\nWhat are ions? What are the two types of ions? What is their crucial role in single replacement reaction? Double replacement reaction?...\n##### 3 Consider the system of equationsx + ky = 1 k+y =1Answer the following:(1+2+2=5)(a) For what values of k: does this system of equations have no solution? (b) For what values of k does this system of equations have an infinite number of solutions, and what are the solutions? (c) For what values of k does this system of equations have unique solution, and what is the solution?\n3 Consider the system of equations x + ky = 1 k+y =1 Answer the following: (1+2+2=5) (a) For what values of k: does this system of equations have no solution? (b) For what values of k does this system of equations have an infinite number of solutions, and what are the solutions? (c) For what values ...\n##### 0f Unis Produced In A0Lours Houn Needec Numn Dhee5e App €Hakt UnitolCneeseIncund _ Erantect0za no ^Po = coula Fngtand no\" pfoduc\" Goncts Wchel the (ollonng tombinalonscheeUno un t Appleae(hs\"it 4ndApplecnerjeanoAop &Un uof <70ts8 Jno - Unils &4 Apoic\n0f Unis Produced In A0Lours Houn Needec Numn Dhee5e App € Hakt Unitol Cneese Incund _ Erante ct0za no ^Po = coula Fngtand no\" pfoduc\" Goncts Wchel the (ollonng tombinalons cheeUno un t Appleae (hs\"it 4nd Apple cnerjeano Aop & Un uof <70ts8 Jno - Unils &4 Apoic...\n##### Help to answer it and Explain Ramire2 Company Insta. 1 Inbox (3)-205040e X apters 7 to...\nhelp to answer it and Explain Ramire2 Company Insta. 1 Inbox (3)-205040e X apters 7 to 12 6 Saved Exercise 11-11 Preparing a statement of retained earnings Lo c3 The following information is available for Amos Company for the year ended December 31, 2017 o. Balance of retained earnings, December 31....\n##### U110) JUUNTUR IVILES alu Ue as 15 Assignment Score: 1438/2000 Resources C Give Up? Hint Check...\nU110) JUUNTUR IVILES alu Ue as 15 Assignment Score: 1438/2000 Resources C Give Up? Hint Check Answ Question 15 of 20 > Consider these reactions, where M represents a generic metal. 2 M(s) + 6HCl(aq) — 2 MCI, (aq) + 3H,(g) AH = -554.0 kJ 2. HCI(g) — HCl(aq) AH2 = -74.8 kJ 3. H2(g) + Cl...\n##### 6. Find the product(s) of the following reaction: 1. Br2, FeBrz 2. Mg, CO2 3. H3O+...\n6. Find the product(s) of the following reaction: 1. Br2, FeBrz 2. Mg, CO2 3. H3O+ 4. SOC12...\n##### Is \"iodide anion\", I^(-), isoelectronic with \"xenon\"?\nIs \"iodide anion\", I^(-), isoelectronic with \"xenon\"?...\n##### A local hospital receives a request from a local business for medical information on Mrs. Jones....\nA local hospital receives a request from a local business for medical information on Mrs. Jones. Mrs. Jones has applied for a job with the business, and the business has made an offer pending medical clearance. All the proper authorizations have been received at the hospital for the release of the i...\n##### 2, The set of \"h\" orbitals are predicted by the Schrodinger wave function, but are not utilized by any known element in its ground state: What angular momentum quantum number, 6 corresponds to h orbitals? In what quantum level (n) do h orbitals first occur? How many h orbitals would there be in a full set of h orbitals?\n2, The set of \"h\" orbitals are predicted by the Schrodinger wave function, but are not utilized by any known element in its ground state: What angular momentum quantum number, 6 corresponds to h orbitals? In what quantum level (n) do h orbitals first occur? How many h orbitals would th...\n##### Find two positlve numbers satisfying the given requlrements The sum of the flrst and twlce the second Is 280 and the product Is & maxlmum((Irst number) (second number)\nFind two positlve numbers satisfying the given requlrements The sum of the flrst and twlce the second Is 280 and the product Is & maxlmum ((Irst number) (second number)...\n##### Score: 0 of18 of 22 (0 complete)HW Score:4.5.35QuesiFind the derivative of the function;Y = log5VTx+4Enter your answer in the answer box and then click Check Answer:AIl parts showingClear AIICheck Answ\nScore: 0 of 18 of 22 (0 complete) HW Score: 4.5.35 Quesi Find the derivative of the function; Y = log5VTx+4 Enter your answer in the answer box and then click Check Answer: AIl parts showing Clear AII Check Answ...\n##### The variables x and y vary directly. When x = 4, y = 24. Which equation correctly relates x and y?$F. x=4 y$$G.y=4 x$$H.x=6 y$$J.y=6 x$\nThe variables x and y vary directly. When x = 4, y = 24. Which equation correctly relates x and y? $F. x=4 y$ $G.y=4 x$ $H.x=6 y$ $J.y=6 x$...\n##### Consider the two interconnected tanks shown below. Tank initially contains 30 gal water and 20 0z,of salt, and Tank 2 initially contains 20 gal of water and Qo salt) Water containing oz/gal of salt flows into Tank rate of 3 gal/min the mixture flows from Tank to Tank 2 at ratc of 4 gal/ min Water containing 0L/gal of salt also flows into Tank 2 at & rate of 2 gal/min (from the outside)_ Thc mixture drains from Tank 2 at rate of 6 gal/min_ of which some flows back into Tank rate of gal/min, w\nConsider the two interconnected tanks shown below. Tank initially contains 30 gal water and 20 0z,of salt, and Tank 2 initially contains 20 gal of water and Qo salt) Water containing oz/gal of salt flows into Tank rate of 3 gal/min the mixture flows from Tank to Tank 2 at ratc of 4 gal/ min Water co...\n##### 1) can any one please givem the code for this a) If n is a power...\n1) can any one please givem the code for this a) If n is a power of 2, as it is in Figure 9-3, you would merge pairs of individual entries, starting at the beginning of the array. Then you would return to the beginning of the array and merge pairs of twoentry subarrays. Finally, you would merge one ...\n##### The following reaction is second order in the [NOz]:NOz (g) 4 2 NO (g) + Oz (g)thls reaction at 750.09C was found to be 7.498 M--minutes If the reaction was The constant for the tedewith 0.400 M, and allowed to run for 1.70 minutes what concentration of [NOz] would started [NOz] remain?[NOz]\nThe following reaction is second order in the [NOz]: NOz (g) 4 2 NO (g) + Oz (g) thls reaction at 750.09C was found to be 7.498 M--minutes If the reaction was The constant for the tedewith 0.400 M, and allowed to run for 1.70 minutes what concentration of [NOz] would started [NOz] remain? [NOz]...\n##### 1 Tuld 01Solect O1 OWBN W 1 1 1 IQiiowing 1 1 1 Gxntoger 1 Il uebomiu 1 VVL Wil 1 1 1 N,o NOx Aamarot 3 dnilonen letoxk\n1 Tuld 01 Solect O1 OWBN W 1 1 1 IQiiowing 1 1 1 Gxntoger 1 Il uebomiu 1 VVL Wil 1 1 1 N,o NOx Aamarot 3 dnilonen letoxk...\n##### Q1: Use det function to compute determinant of each of the following: (3*eye(size(A)) A)2 Hint: function eye in MATLAB use to generate identity matrix_Where A = [5 21\nQ1: Use det function to compute determinant of each of the following: (3*eye(size(A)) A)2 Hint: function eye in MATLAB use to generate identity matrix_ Where A = [5 21...\n##### Provide a plot of residues against the predicted y (8 points) Provide a plot of residues over tim...\nProvide a plot of residues against the predicted y (8 points) Provide a plot of residues over time (8 points) Advertising and sales data: 36 consecutive monthly sales and advertising expenditures of a dietary weight control product Exported from datamarket.com Date exported 2014-10-26 21:28 On Data...\n##### 1. Assuming the curves on the right are the actual market Demand curve Nice of a...\n1. Assuming the curves on the right are the actual market Demand curve Nice of a pint of alle and market supply curve for a pint of ale, determine the following if the price of a pint of ale = $6/pint a. quantity demanded for ale =_30.000$16/pint b. quantity supplied for ale = _40.000 c. the excess..."
] | [
null,
"https://i.imgur.com/qkp7Zmk.png",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.8481939,"math_prob":0.9103635,"size":14929,"snap":"2023-14-2023-23","text_gpt3_token_len":4124,"char_repetition_ratio":0.110686764,"word_repetition_ratio":0.47518277,"special_character_ratio":0.27175295,"punctuation_ratio":0.13853504,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.97248316,"pos_list":[0,1,2],"im_url_duplicate_count":[null,1,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-03-23T23:54:35Z\",\"WARC-Record-ID\":\"<urn:uuid:5992d518-c509-4fc7-90f1-8c84627c0efa>\",\"Content-Length\":\"80864\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:b0f5e976-e274-407c-abdd-4e3692ae3662>\",\"WARC-Concurrent-To\":\"<urn:uuid:d70bc1ab-59f0-46dc-9ce1-ba4f4d4cb257>\",\"WARC-IP-Address\":\"104.21.12.185\",\"WARC-Target-URI\":\"https://solvedlib.com/a-find-the-solution-to-laplaces-equation-on-a,22684\",\"WARC-Payload-Digest\":\"sha1:LPIXTI56TVTNY47NOTJHNA6ZGMJ7LXDZ\",\"WARC-Block-Digest\":\"sha1:BHBT5SATZHPQOSWY2HCILYU3NC4QARX5\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-14/CC-MAIN-2023-14_segments_1679296945218.30_warc_CC-MAIN-20230323225049-20230324015049-00452.warc.gz\"}"} |
https://www.queryfloor.com/blog/the-effects-of-math-homework-on-student-study | [
" The effects of Math homework on student study\n\n### The effects of Math homework on student study\n\nAre you among the people who hate Math? Without any hesitation, you will say yes. Mathematics is the most boring subject for every student in the world. It is even more boring",
null,
"to do math homework. Whenever there is loads of homework, all the parents chase hard to get it done properly from their kids. They also send their kids to the best of math classes for scoring good marks in exams. Today, we will discuss the importance of math practice and how it can help in scoring good marks in exams.\n\n## Importance of Math Practice for the students\n\n### Reasoning\n\nOne of the biggest advantages of math practice is that students get the logical reasoning for every question. Today, there are many ways by which students can get",
null,
"math homework help. There is modern equipment to teach the concepts of mathematics such as cards.\n\n### Helps in handling various situations\n\nBy learning math, students can handle even the most difficult situations in life. Math can also help the students in inventions and discoveries of science. It is also important in all scientific operations and theories. Today, math is applicable in every field whether it is science, technology or medicine.\n\n### Helps in framing economics\n\nMath helps economists in making public policies. It further helps in making some of the most important decisions in the economy of the country. Cash reserve ratio and other analysis involve math as a major study. Math also helps in better functioning of the economy.\n\n### Makes lateral thinking better\n\nMath helps the students in developing their lateral thinking. Today, one should have",
null,
"vast knowledge about other things rather than studies. With math, the students can gain the ability to use the available resources smartly and get the maximum results.\n\n## Gain better focus\n\nWhen you solve math questions with answers, your focus becomes better at work. The focus is essential for every student these days. Math will help in increasing the concentration levels in the work. Students will learn to be more organized with math. They will also gain a feeling of helpfulness by learning math.\n\n## Time management",
null,
"Unlike before, there are various new techniques nowadays by which students can gain an interest in mathematics. They can take the help of math solver online and other experts. This subject will make the students more punctual in doing all their regular activities. Further, they will not feel tired of doing boring work also.\n\n## Helps in understanding the complex things\n\nBecoming an expert in math will help the kids to understand even the complex things. They will not get afraid or lose their self-confidence even in the toughest times of life. Math will increase the kids’ confidence in all the things.\n\nApart from this, math also helps the students in pursuing a career in science, engineering, medical, pharmacy or MBA.\n\nHow can math homework help students?\n\nHave you ever thought why teachers always give you a bundle of math homework? There are some of the main reasons why it is so. Read below to know how math homework helps the students.\n\n### Increases enthusiasm\n\nAny work done with passion, zeal, and enthusiasm proves to be the best. Solving math questions with answers makes the students more enthusiastic than before. They will love everything that they do. This will automatically reflect in their work. In another way, math increases the interest in you for every work.\n\nThese days the projects and assignments in high schools and colleges involve a lot of research. One has to find the information in nook and corner for a unique project. Math homework will help the students to explore more of websites and other web pages. They will know to utilize every resource in a fruitful manner.\n\n### Independence\n\nThe Internet has made possible everything these days. Students can easily get math homework answers online. There are various math experts who will help the students in getting done the math homework. In this way, students will get more independent in doing everything. They will not need the help of parents or teachers in small things.\n\n## Revision\n\nFor scoring good marks in exams, it is necessary to revise the chapters taught earlier. Revision and practice are important in the subject of math. The students will get a better idea of the concepts with math homework. Whatever they learned can be easily grasped by doing math homework regularly.\n\n### Helps the parents too\n\nAs a parent, you are always concerned about what your kid learns in school. Math homework will also help the parents to know in details what their students learned in the school. They can pay more attention to their kids which improve their performance in school.\n\n## Improves memory\n\nToday, there is a Math work problem solver for solving the difficulties of students in math subject. A sharp memory is necessary to do any work efficiently. Math homework will sharpen the memory and the students can remember everything in a precise way. The students can develop more their intellectual thinking with math.\n\n### Prepares for exams\n\nPractice makes the man perfect is the quote which matches with the subject of math completely. Students have to practice math questions with answers for scoring good marks in exams. Doing math homework will make your kids ready for the exams beforehand. They don’t have to rush at the last moment of the exam.\n\n### Helps the teachers too\n\nJust like students, teachers also have benefits if they give math homework to their students. It will further help the teachers in finding simple ways to teach math concepts.\n\nTips to score well in math exams\n\nA night before the math exam is very important for all students. If you are a student or were the student before, you must be aware of the tension that a math exam brings in one’s life. But, there are some expert tips by which you can score good marks in math exams without stress or tension.\n\n## Regular homework\n\nYou can now use the Photomath tool for doing the math homework. It makes the work of every student much better and simpler than before. For scoring good marks in exams, it is necessary that you should practice the mathematical equations every day without a break. Regular practice in math is key to success. You can also get math homework answers from the internet.\n\n## Revise the notes every now and then\n\nAs a student, you should make a habit of reviewing the math notes on a regular basis. After learning the chapters in the classroom, you should revise them at night and doing this every day will help you gain a better knowledge of the subject.\n\n### Use other math sources\n\nThe students have a lot of study material on every subject. For scoring excellent marks in the exams, you should refer to other materials rather than just textbooks. You can take math homework help from online tutorials which solve your questions anytime and anywhere. There are CD-ROMs, math guides and other study materials for excelling in math for students which prove to be of great help during exams.\n\n### Learn old concepts to master the new ones\n\nThe subject of math has succession. Whatever you learned in earlier class may come in the next class. The new concepts of the math have relation with the old ones. In order to learn new math chapters well, you should review the previous years’ chapters. This will help you when get stuck up in solving the problems. You can also take the help of math solver online when you are practicing the subject.\n\n### Utilize free time\n\nAbove we discussed how math practice can help the students for scoring good marks in exams. There is another golden tip for gaining mastery in math subject. You should review the chapters which you learned in the previous class or which are coming in the next class. Knowing the math concepts beforehand will help to know how to solve each problem.\n\n## Take as much help as you can\n\nMath subject sounds more interesting with a group of friends. You can make a group and discuss the concepts in a clear manner. There are many online math teachers available on different websites who will help in math homework answers. There is also a math problem solver which will help you in getting mastery in the subject.\n\n## Think of various steps to solve the problems\n\nStudents should find out the different ways to solve math problems. Math has various ways by which a problem can be solved. You can memorize the steps which will solve the problem in an easy way. You should find easy steps to solve math problems.\n\n# Important tips for math homework\n\n## Do homework on time\n\nAs a parent, you should instruct your kids to do math homework on time. It is also the responsibilities of the students to do work on time. This will save much of their time and they can practice more sums in a day. You can pick noon or evening hours for practicing math sums after lunch or play.\n\n## Change the place\n\nMath seems boring if you practice it daily in one place. As a teacher, you can choose the place where the students can learn the subject in a better way. As a parent, you can choose a park where your kids will love doing math sums. You can get them a math word problem solver by which they will take more interest in the subject.\n\n### Practice with a fresh mind\n\nToday, the students are loaded with assignments, internals, and projects. They have to handle various tasks in a limited time frame. So, if you are a student, you should practice math sums when you really want to. You should have a fresh mind before practicing math. As a parent, you should allow your kids to play for a while or do some interesting things to boost their moods.\n\n### Never lose confidence\n\nMath often makes the students nervous and worried. They may get demotivated if there is not an answer to a question. As a student, you should have self-confidence. You should try to solve the problems in numerous ways. You can get help from math solver online or other websites which will make you better in the subject. The parents should also praise their kids which will increase their motivation and confidence in every situation.\n\n### Set time\n\nProcrastination is often dangerous, especially for students. The teachers should set a timer to get the work done by their students. The students also should solve math problems within a given time. This will help in time management and they can also perform better in exams.\n\nThis is one of the most important tips for parents. Whenever there is math homework, you should ask the teachers to give their feedback after checking it. You can discuss with teachers about the progress of your child. This will also help your kids in getting better in weak areas. You can call the teacher or send an email asking their feedback on math homework.\n\n### Plan it\n\nIf you do not understand a certain math sum, you should circle it or mark it with a pen or pencil for asking your teachers later. You can prepare a note of sums which you didn’t understand in the previous class.\n\nConclusion\n\nThese Math homework help tips are beneficial for students, parents, and teachers. Apart from that, there are also online guides and other books which will help the students in solving the sums of algebra and geometry easily. Math is the subject of practice and hard work. You should keep practicing without a break for excelling in it."
] | [
null,
"https://www.queryfloor.com/uploads/posts/1542722099-10278855837-85354096.png",
null,
"https://www.queryfloor.com/uploads/posts/1543403081-10173395621-33122473.png",
null,
"https://www.queryfloor.com/uploads/posts/1543579762-10069938459-65654967.png",
null,
"https://www.queryfloor.com/uploads/posts/1543582721-10122398747-49366662.png",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.96002686,"math_prob":0.51577336,"size":11199,"snap":"2019-26-2019-30","text_gpt3_token_len":2203,"char_repetition_ratio":0.16257258,"word_repetition_ratio":0.014940753,"special_character_ratio":0.19064203,"punctuation_ratio":0.08571429,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9581948,"pos_list":[0,1,2,3,4,5,6,7,8],"im_url_duplicate_count":[null,2,null,2,null,2,null,2,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2019-07-16T14:15:51Z\",\"WARC-Record-ID\":\"<urn:uuid:be99a8e1-583b-4dea-a108-bddb06075a0b>\",\"Content-Length\":\"176133\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:2f8bcc60-2436-4fb8-a348-abfd5c69adac>\",\"WARC-Concurrent-To\":\"<urn:uuid:f8c8d60a-592f-4df6-91e1-f9141eff67ce>\",\"WARC-IP-Address\":\"34.204.212.240\",\"WARC-Target-URI\":\"https://www.queryfloor.com/blog/the-effects-of-math-homework-on-student-study\",\"WARC-Payload-Digest\":\"sha1:7EXURGDVE3AL5Q6N5S6R2YKIXILKTNEE\",\"WARC-Block-Digest\":\"sha1:V6TT5NJHY6AHG6TTHEBKV77THBWNGS7U\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2019/CC-MAIN-2019-30/CC-MAIN-2019-30_segments_1563195524568.14_warc_CC-MAIN-20190716135748-20190716161748-00532.warc.gz\"}"} |
https://www.ias.ac.in/listing/articles/pmsc/124/02 | [
"• Volume 124, Issue 2\n\nMay 2014, pages 127-279\n\n• A Statistic on 𝑛-Color Compositions and Related Sequences\n\nA composition of a positive integer in which a part of size 𝑛 may be assigned one of 𝑛 colors is called an 𝑛-color composition. Let $a_m$ denote the number of 𝑛-color compositions of the integer 𝑚. It is known that $a_m = F_{2m}$ for all $m \\geq 1$, where $F_m$ denotes the Fibonacci number defined by $F_m = F_{m-1}+F_{m-2}$ if $m\\geq 2$, with $F_0=0$ and $F_1=1$. A statistic is studied on the set of 𝑛-color compositions of 𝑚 thus providing a polynomial generalization of the sequence $F_{2m}$. The statistic may be described, equivalently, in terms of statistics on linear tilings and lattice paths. The restriction to the set of 𝑛-color compositions having a prescribed number of parts is considered and an explicit formula for the distribution is derived. We also provide 𝑞-generalizations of relations between $a_m$ and the number of self-inverse 𝑛-compositions of $2m+1$ or $2m$. Finally, we consider a more general recurrence than that satisfied by the numbers $a_m$ and note some particular cases.\n\n• Repdigits in 𝑘-Lucas Sequences\n\nFor an integer $k\\geq 2$, let $(L_n^{(k)})_n$ be the 𝑘-Lucas sequence which starts with $0,\\ldots,0,2,1$ (𝑘 terms) and each term afterwards is the sum of the 𝑘 preceding terms. In 2000, Luca (Port. Math. 57(2) 2000 243-254) proved that 11 is the largest number with only one distinct digit (the so-called repdigit) in the sequence $(L_n^{(2)})_n$. In this paper, we address a similar problem in the family of 𝑘-Lucas sequences. We also show that the 𝑘-Lucas sequences have similar properties to those of 𝑘-Fibonacci sequences and occur in formulae simultaneously with the latter.\n\n• Gaussian Curvature on Hyperelliptic Riemann Surfaces\n\nLet 𝐶 be a compact Riemann surface of genus $g \\geq 1, \\omega_1,\\ldots,\\omega_g$ be a basis of holomorphic 1-forms on 𝐶 and let $H=(h_{ij})^g_{i,j=1}$ be a positive definite Hermitian matrix. It is well known that the metric defined as $ds_H^2=\\sum^g_{i,j=1}h_{ij}\\omega_i\\otimes \\overline{\\omega_j}$ is a K\\\"a hler metric on 𝐶 of non-positive curvature. Let $K_H:C\\to \\mathbb{R}$ be the Gaussian curvature of this metric. When 𝐶 is hyperelliptic we show that the hyperelliptic Weierstrass points are non-degenerated critical points of $K_H$ of Morse index +2. In the particular case when 𝐻 is the $g\\times g$ identity matrix, we give a criteria to find local minima for $K_H$ and we give examples of hyperelliptic curves where the curvature function $K_H$ is a Morse function.\n\n• On $IA$-Automorphisms that Fix the Centre Element-Wise\n\nLet 𝐺 be a group. An automorphism of 𝐺 is called an $IA$-automorphism if it induces the identity mapping on $G/\\gamma 2(G)$, where $\\gamma 2(G)$ is the commutator sub-group of 𝐺. Let $IA_z(G)$ be the group of those $IA$-automorphisms, which fix the centre element-wise and let Autcent $(G)$ be the group of central automorphisms, the automorphisms that induce the identity mapping on the central quotient. It can be observed that Autcent $(G)=C_{\\mathrm{Aut}(G)}(IA_z(G))$. We prove that $IA_z(G)$ and $IA_z(H)$ are isomorphic for any two finite isoclinic groups 𝐺 and 𝐻. Also, for a finite 𝑝-group 𝐺, we give a necessary and sufficient condition to ensure that $IA_z(G)=\\mathrm{Autcent}(G)$.\n\n• Dirichlet Problem on the Upper Half Space\n\nIn this paper, a solution of the Dirichlet problem on the upper half space for a fast growing continuous boundary function is constructed by the generalized Dirichlet integral with this boundary function.\n\n• Nonexistence and Existence of Solutions for a Fourth-Order Discrete Mixed Boundary Value Problem\n\n• Boundedness for Marcinkiewicz Integrals Associated with Schr\\\"odinger Operators\n\nLet $L=-\\Delta +V$ be a Schr\\\"odinger operator, where 𝛥 is the Laplacian on $\\mathbb{R}^n$, while nonnegative potential 𝑉 belongs to the reverse H\\\"older class. In this paper, we will show that Marcinkiewicz integral associated with Schr\\\"odinger operator is bounded on $BMO_L$, and from $H^1_L(\\mathbb{R}^n)$ to $L^1(\\mathbb{R}^n)$.\n\n• Perturbation of Operators and Approximation of Spectrum\n\nLet $A(x)$ be a norm continuous family of bounded self-adjoint operators on a separable Hilbert space $\\mathbb{H}$ and let $A(x)_n$ be the orthogonal compressions of $A(x)$ to the span of first 𝑛 elements of an orthonormal basis of $\\mathbb{H}$. The problem considered here is to approximate the spectrum of $A(x)$ using the sequence of eigenvalues of $A(x)_n$. We show that the bounds of the essential spectrum and the discrete spectral values outside the bounds of essential spectrum of $A(x)$ can be approximated uniformly on all compact subsets by the sequence of eigenvalue functions of $A(x)_n$. The known results, for a bounded self-adjoint operator, are translated into the case of a norm continuous family of operators. Also an attempt is made to predict the existence of spectral gaps that may occur between the bounds of essential spectrum of $A(0)=A$ and study the effect of norm continuous perturbation of operators in the prediction of spectral gaps. As an example, gap issues of some block Toeplitz–Laurent operators are discussed. The pure linear algebraic approach is the main advantage of the results here.\n\n• Homogeneous Bilateral Block Shifts\n\nA new 3-parameter family of homogeneous 2-by-2 block shifts is described. These are the first examples of irreducible homogeneous bilateral block shifts of block size larger than 1.\n\n• Estimate of 𝐾-Functionals and Modulus of Smoothness Constructed by Generalized Spherical Mean Operator\n\nUsing a generalized spherical mean operator, we define generalized modulus of smoothness in the space $L^2_k(\\mathbb{R}^d)$. Based on the Dunkl operator we define Sobolev-type space and 𝐾-functionals. The main result of the paper is the proof of the equivalence theorem for a 𝐾-functional and a modulus of smoothness for the Dunkl transform on $\\mathbb{R}^d$.\n\n• On a Generalization of $B_1(\\Omega)$ on $C^*$-Algebras\n\nWe discuss the unitary classification problem of a class of holomorphic curves on $C^∗$-algebras. It can been regarded as a generalization of Cowen–Doulgas operators with index one.\n\n• A Note on Automorphisms of the Sphere Complex\n\nIn this note, we shall give another proof of a theorem of Aramayona and Souto, namely the group of simplicial automorphisms of the sphere complex $\\mathbb{S}(M)$ associated to the manifold $M=\\sharp_nS^2\\times S^1$ is isomorphic to the group Out $(F_n)$ of outer automorphisms of the free group $F_n$ of rank $n\\geq 3$.\n\n• Complete Moment Convergence of Weighted Sums for Processes under Asymptotically almost Negatively Associated Assumptions\n\nFor weighted sums of sequences of asymptotically almost negatively associated (AANA) random variables, we study the complete moment convergence by using the Rosenthal type moment in equalities. Our results extend the corresponding ones for sequences of independently identically distributed random variables of Chow .\n\n• # Editorial Note on Continuous Article Publication\n\nPosted on July 25, 2019"
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.8421358,"math_prob":0.9974666,"size":7364,"snap":"2019-51-2020-05","text_gpt3_token_len":2032,"char_repetition_ratio":0.10978261,"word_repetition_ratio":0.0070733866,"special_character_ratio":0.24918522,"punctuation_ratio":0.059766766,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9996369,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2020-01-18T23:32:32Z\",\"WARC-Record-ID\":\"<urn:uuid:6aaa48e0-6c4c-4e45-a697-88e3e193c646>\",\"Content-Length\":\"54380\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:771f5f9f-0f36-4899-b872-36aa424bee35>\",\"WARC-Concurrent-To\":\"<urn:uuid:026a793d-57dc-40cb-9cd9-05e444ab58d6>\",\"WARC-IP-Address\":\"13.232.189.126\",\"WARC-Target-URI\":\"https://www.ias.ac.in/listing/articles/pmsc/124/02\",\"WARC-Payload-Digest\":\"sha1:OBTXC7EYQ2FMB3XCPYHUYQH7G6KY2HKQ\",\"WARC-Block-Digest\":\"sha1:LGZ4JJIQNYBU3B6PY7NPCUADX6BOAIV6\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2020/CC-MAIN-2020-05/CC-MAIN-2020-05_segments_1579250593994.14_warc_CC-MAIN-20200118221909-20200119005909-00449.warc.gz\"}"} |
https://3dinsider.com/cartesian-coordinate-system/ | [
"# The Cartesian Coordinate System and Its Importance in Manufacturing",
null,
"Posted on\n3D Insider is ad supported and earns money from clicks, commissions from sales, and other ways.\n\nLearning how to use CNC machines properly means having a solid foundation of the fundamentals. One fundamental piece of knowledge useful in general manufacturing is understanding the Cartesian coordinate system. Although simple in concept, the value of the Cartesian coordinate system in manufacturing is often understated.\n\nWhat exactly is the Cartesian coordinate system and what are the rules for using it? How does it translate to how CNC machines work? Are there alternatives to the Cartesian coordinate system?\n\n## Cartesian coordinate system – origin and basic concepts\n\nDeveloped by René Descartes in the 17th century, the Cartesian coordinate system is a method for describing the location of any point in 2D or 3D space using numbers. It was revolutionary at the time as it reconciles algebra and geometry. Using Cartesian coordinates, any shape can be expressed as an algebraic equation.\n\nThe concept of the Cartesian coordinate system may seem simple, but it can be extended and analyzed for much more complex functions. Nowadays, these concepts are essential in fields such as engineering, physics, architecture, astronomy, data processing, 3D modeling, and computer graphics.\n\n## The 2D Cartesian plane\n\nTo better understand the Cartesian coordinate system, it is good to start with a 2D plane described by X and Y axes. These are two lines that are perpendicular to each other and intersect at one point – the “origin.”\n\nEach axis can be divided into segments of equal intervals. Anything to the right of the origin corresponds to a positive X value and anything above the origin corresponds to a positive Y value. Accordingly, there can be negative values along both the X and Y axes.\n\nEach point in this 2D plane can then be described in terms of X and Y coordinates, similar to how each point in a map can be expressed as a latitude and longitude. It is also possible to express shapes like circles and arcs as algebraic equations, with both X and Y values acting as unknown variables.\n\n### Cartesian coordinates in 3D space",
null,
"This same concept can be extended to 3D space by adding a third axis – the Z-axis. This third axis is mutually perpendicular to both the X and Y axes. All three axes must share a common origin. Every point 3D space can then be represented in terms of X, Y, and Z coordinates.\n3D shapes can also be expressed as algebraic equations. This is the foundation of modern trigonometry. Expressing a sphere or column as a mathematical equation has had huge ramifications in engineering and 3D design.\n\nThe standard depiction of the 3D Cartesian coordinate system places the XY plane along the horizontal with the Z-axis pointed towards the vertical. However, this is not an absolute rule. Depending on the application, different orientations of the Cartesian coordinate system may be more convenient. This is acceptable as long they follow the right-hand rule.\n\nThe Cartesian coordinate system is not limited only to 2D and 3D space. Points in higher dimensions can still be described as Cartesian coordinates. However, this is a high-level concept that is no longer relevant to manufacturing. Four or five-dimensional space is also beyond the perception or imagination of humans.\n\n## The right-hand rule\n\nThe right-hand rule is an important concept in the 3D Cartesian coordinate system. It describes the proper orientation of the positive values in the X, Y, and Z axes regardless of how the coordinate system is rotated.\n\nTo use the right-hand rule, simply hold out your right hand and form an L shape with your thumb and index finger. The middle finger should then be pointed outwards and perpendicular to the palm. This should form lines that are perpendicular to each other and represent the positive directions of the X, Y, and Z axes.\n\nThe right-hand rule applies in any orientation of the 3D Cartesian coordinate system. This means you can set the Z axes in either the horizontal or vertical direction and still maintain the system’s consistency.\n\n## How CNC machines use the Cartesian coordinate system\n\nThe Cartesian coordinate system provides a systematic way for a CNC machine to identify a point in 3D space. In almost all CNC machines, the coordinate system is used as such:\n\n• The X coordinates govern left and right movement\n• The Y coordinates govern the front to back movement\n• The Z coordinates govern up and down motion\n\nThis may not always be the case. For instance, a lathe machine may set the Z-axis as the direction parallel to the axis of rotation of the workpiece. In most cases, shifting the orientation of the Cartesian coordinate system is a matter of convenience.\n\nCartesian coordinates make it very easy to program CNC machines to move automatically and predictably. These are integrated into a CNC machine’s G-Code, which is a list of the commands that the machine will follow based on user input.\n\nThe moving parts of CNC machines have a “home location.” This location mimics the “origin” of a Cartesian coordinate system and provides a common reference point for all movements and measurements. Periodic calibration may need to be done to make sure that this home location does not drift significantly from the original point.\n\nMany CNC programs also allow the user to specify a home location. This customized coordinate system is called a Work Coordinate System (WCS). Picking an optimal home location can greatly speed up a CNC machining process by reducing the total distance that the tool needs to travel.\n\n## Alternatives to the Cartesian coordinate system\n\nThe Cartesian coordinate system is not the only way to specify the location of a point in 2D or 3D space. The most common alternative to the Cartesian coordinate system is the polar coordinate system. Instead of XYZ coordinates, the polar coordinate system describes the location of a point based on its distance and angle from the origin.\n\nPolar coordinates are more appropriate when used in applications that make use of a circular pattern. This can include milling holes or making symmetrical patterns on a lathe. Delta 3D printers come with a circular build platform that makes the use of polar coordinates quite ideal.\n\nIn 3D space, polar coordinates can be extended to cylindrical coordinates by the addition of a height dimension. Instead of XYZ coordinates, points in a polar coordinate system are described by r (radius from the origin), ϴ (angle measured from the horizontal), and z (height from the r- ϴ plane that contains the origin). When used correctly, equations that would have been complex if expressed in Cartesian coordinates can be made much simpler using polar or cylindrical coordinates.\n\n## Final thoughts\n\nThe Cartesian coordinate system may be a few centuries old, but it is still recognized as one of the foundations of modern engineering. Fairly simple in principle, this is a system that allows us to express points and shapes in 2D or 3D space using numbers of algebraic equations.\n\nIf you’ve ever used a CNC machine before, then you probably already have an intuitive understanding of the Cartesian coordinate system. Just remember to use the right-hand rule when assigning positive and negative values to Cartesian coordinates in 3D space."
] | [
null,
"https://secure.gravatar.com/avatar/70b7be0f299357f57e27b055a268c818",
null,
"https://3dinsider.com/wp-content/uploads/2019/06/Chip-and-Drink-Bowl.png",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.8994093,"math_prob":0.95887333,"size":7222,"snap":"2022-40-2023-06","text_gpt3_token_len":1416,"char_repetition_ratio":0.19409809,"word_repetition_ratio":0.04781879,"special_character_ratio":0.18845195,"punctuation_ratio":0.07944996,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9669699,"pos_list":[0,1,2,3,4],"im_url_duplicate_count":[null,null,null,3,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-01-29T19:53:48Z\",\"WARC-Record-ID\":\"<urn:uuid:e5d25db2-d07c-441b-b651-d8ab9b02a6a5>\",\"Content-Length\":\"59072\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:f7c902d8-02f0-40fa-8164-41b43fb1d8f7>\",\"WARC-Concurrent-To\":\"<urn:uuid:421c0dc0-c8a8-4ef3-809d-74264ebb638c>\",\"WARC-IP-Address\":\"104.21.45.97\",\"WARC-Target-URI\":\"https://3dinsider.com/cartesian-coordinate-system/\",\"WARC-Payload-Digest\":\"sha1:DXDJN7N7RY227IWYG4EZNZJQZYF2JNMU\",\"WARC-Block-Digest\":\"sha1:WSAQSLQHJNLE5BJZQENZ65RXSUCWDDYR\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-06/CC-MAIN-2023-06_segments_1674764499758.83_warc_CC-MAIN-20230129180008-20230129210008-00263.warc.gz\"}"} |
https://convertoctopus.com/29-cubic-meters-to-deciliters | [
"## Conversion formula\n\nThe conversion factor from cubic meters to deciliters is 10000, which means that 1 cubic meter is equal to 10000 deciliters:\n\n1 m3 = 10000 dL\n\nTo convert 29 cubic meters into deciliters we have to multiply 29 by the conversion factor in order to get the volume amount from cubic meters to deciliters. We can also form a simple proportion to calculate the result:\n\n1 m3 → 10000 dL\n\n29 m3 → V(dL)\n\nSolve the above proportion to obtain the volume V in deciliters:\n\nV(dL) = 29 m3 × 10000 dL\n\nV(dL) = 290000 dL\n\nThe final result is:\n\n29 m3 → 290000 dL\n\nWe conclude that 29 cubic meters is equivalent to 290000 deciliters:\n\n29 cubic meters = 290000 deciliters\n\n## Alternative conversion\n\nWe can also convert by utilizing the inverse value of the conversion factor. In this case 1 deciliter is equal to 3.448275862069E-6 × 29 cubic meters.\n\nAnother way is saying that 29 cubic meters is equal to 1 ÷ 3.448275862069E-6 deciliters.\n\n## Approximate result\n\nFor practical purposes we can round our final result to an approximate numerical value. We can say that twenty-nine cubic meters is approximately two hundred ninety thousand deciliters:\n\n29 m3 ≅ 290000 dL\n\nAn alternative is also that one deciliter is approximately zero times twenty-nine cubic meters.\n\n## Conversion table\n\n### cubic meters to deciliters chart\n\nFor quick reference purposes, below is the conversion table you can use to convert from cubic meters to deciliters\n\ncubic meters (m3) deciliters (dL)\n30 cubic meters 300000 deciliters\n31 cubic meters 310000 deciliters\n32 cubic meters 320000 deciliters\n33 cubic meters 330000 deciliters\n34 cubic meters 340000 deciliters\n35 cubic meters 350000 deciliters\n36 cubic meters 360000 deciliters\n37 cubic meters 370000 deciliters\n38 cubic meters 380000 deciliters\n39 cubic meters 390000 deciliters"
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.73274827,"math_prob":0.99496055,"size":1819,"snap":"2021-04-2021-17","text_gpt3_token_len":489,"char_repetition_ratio":0.30578512,"word_repetition_ratio":0.013559322,"special_character_ratio":0.3051127,"punctuation_ratio":0.05111821,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9983164,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-01-18T05:11:22Z\",\"WARC-Record-ID\":\"<urn:uuid:94be75cf-6fcd-4a27-8491-867d02ec36a1>\",\"Content-Length\":\"29330\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:bb830d89-6978-4897-92b4-de52f7a800f0>\",\"WARC-Concurrent-To\":\"<urn:uuid:4a98d476-c618-41d3-9f4c-458efbd87f42>\",\"WARC-IP-Address\":\"172.67.208.237\",\"WARC-Target-URI\":\"https://convertoctopus.com/29-cubic-meters-to-deciliters\",\"WARC-Payload-Digest\":\"sha1:HVV3WFZ4X6645ACZEU3QXBPFG5MEVS35\",\"WARC-Block-Digest\":\"sha1:YDSE6OM2NKAIE3ZJUPWB72NSJUAT3SMB\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-04/CC-MAIN-2021-04_segments_1610703514121.8_warc_CC-MAIN-20210118030549-20210118060549-00462.warc.gz\"}"} |
http://www.ciaoshen.com/algorithm/leetcode/2017/08/19/leetcode-game-of-life.html | [
"### 题目\n\nAccording to the Wikipedia’s article: “The Game of Life, also known simply as Life, is a cellular automaton devised by the British mathematician John Horton Conway in 1970.”\n\nGiven a board with m by n cells, each cell has an initial state live (1) or dead (0). Each cell interacts with its eight neighbors (horizontal, vertical, diagonal) using the following four rules (taken from the above Wikipedia article):\n\nAny live cell with fewer than two live neighbors dies, as if caused by under-population. Any live cell with two or three live neighbors lives on to the next generation. Any live cell with more than three live neighbors dies, as if by over-population.. Any dead cell with exactly three live neighbors becomes a live cell, as if by reproduction. Write a function to compute the next state (after one update) of the board given its current state.\n\nFollow up: Could you solve it in-place? Remember that the board needs to be updated at the same time: You cannot update some cells first and then use their updated values to update other cells. In this question, we represent the board using a 2D array. In principle, the board is infinite, which would cause problems when the active area encroaches the border of the array. How would you address these problems?\n\n### 要in place就不能马上更新生死状态\n\n#### 代码\n\nclass Solution {\npublic void gameOfLife(int[][] board) {\nfor (int i = 0; i < board.length; i++) {\nfor (int j = 0; j < board[i].length; j++) {\nint nbs = countNeighbors(board,i,j);\nif (board[i][j] == 1) {\nif (nbs < 2 || nbs > 3) {\nboard[i][j] = 2; // 将死亡,先标记上\n}\n} else if (nbs == 3) {\nboard[i][j] = 3; // 将复活,先标记上\n}\n}\n}\nfor (int i = 0; i < board.length; i++) {\nfor (int j = 0; j < board[i].length; j++) {\nif (board[i][j] == 2) { board[i][j] = 0; } // 应死的终将死去\nif (board[i][j] == 3) { board[i][j] = 1; } // 应活的也将得生\n}\n}\n}\n// return the number of neighbors for the given point\nprivate int countNeighbors(int[][] board, int x, int y) {\nint count = 0;\nfor (int i = x-1; i <= x+1; i++) {\nfor (int j = y-1; j <= y+1; j++) {\nif (i < 0) { continue; }\nif (i >= board.length) { continue; }\nif (j < 0) { continue; }\nif (j >= board.length) { continue; }\nif (i == x && j == y) { continue; }\nif (board[i][j] == 0) { continue; }\nif (board[i][j] == 3) { continue; }\n++count;\n}\n}\nreturn count;\n}\n}\n\n\n#### 结果",
null,
""
] | [
null,
"http://www.ciaoshen.com/images/leetcode/game-of-life-1.png",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.8162457,"math_prob":0.988654,"size":2347,"snap":"2021-43-2021-49","text_gpt3_token_len":776,"char_repetition_ratio":0.1442595,"word_repetition_ratio":0.12128147,"special_character_ratio":0.33446953,"punctuation_ratio":0.13771187,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.98963034,"pos_list":[0,1,2],"im_url_duplicate_count":[null,2,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-10-23T07:41:58Z\",\"WARC-Record-ID\":\"<urn:uuid:f2723e4a-27e7-438e-bbb6-11a2a961d241>\",\"Content-Length\":\"20497\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:f90aa59d-85d0-4c81-a25b-86429186d48b>\",\"WARC-Concurrent-To\":\"<urn:uuid:0a514bac-ce5a-45cf-9dad-4cac35bf09f2>\",\"WARC-IP-Address\":\"185.199.111.153\",\"WARC-Target-URI\":\"http://www.ciaoshen.com/algorithm/leetcode/2017/08/19/leetcode-game-of-life.html\",\"WARC-Payload-Digest\":\"sha1:IWC6225TKHXDRX32GH2GNXMNR2JNJXAS\",\"WARC-Block-Digest\":\"sha1:4CZMLUR5GYUSNQEJKVCVKVDUDA6S4RYZ\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-43/CC-MAIN-2021-43_segments_1634323585653.49_warc_CC-MAIN-20211023064718-20211023094718-00397.warc.gz\"}"} |
https://www.paddlepaddle.org.cn/documentation/docs/en/api/paddle/nn/layer/loss/BCEWithLogitsLoss_en.html | [
"# BCEWithLogitsLoss¶\n\nclass paddle.nn. BCEWithLogitsLoss ( weight=None, reduction='mean', pos_weight=None, name=None ) [source]\n\nThis operator combines the sigmoid layer and the api_nn_loss_BCELoss layer. Also, we can see it as the combine of sigmoid_cross_entropy_with_logits layer and some reduce operations.\n\nThis measures the element-wise probability error in classification tasks in which each class is independent. This can be thought of as predicting labels for a data-point, where labels are not mutually exclusive. For example, a news article can be about politics, technology or sports at the same time or none of these.\n\nFirst this operator calculate loss function as follows:\n\n$\\begin{split}Out = -Labels * \\\\log(\\\\sigma(Logit)) - (1 - Labels) * \\\\log(1 - \\\\sigma(Logit))\\end{split}$\n\nWe know that $$\\\\sigma(Logit) = \\\\frac{1}{1 + \\\\e^{-Logit}}$$. By substituting this we get:\n\n$\\begin{split}Out = Logit - Logit * Labels + \\\\log(1 + \\\\e^{-Logit})\\end{split}$\n\nFor stability and to prevent overflow of $$\\\\e^{-Logit}$$ when Logit < 0, we reformulate the loss as follows:\n\n$\\begin{split}Out = \\\\max(Logit, 0) - Logit * Labels + \\\\log(1 + \\\\e^{-\\|Logit\\|})\\end{split}$\n\nThen, if weight or pos_weight is not None, this operator multiply the weight tensor on the loss Out. The weight tensor will attach different weight on every items in the batch. The pos_weight will attach different weight on the positive label of each class.\n\nFinally, this operator applies reduce operation on the loss. If reduction set to 'none', the operator will return the original loss Out. If reduction set to 'mean', the reduced mean loss is $$Out = MEAN(Out)$$. If reduction set to 'sum', the reduced sum loss is $$Out = SUM(Out)$$.\n\nNote that the target labels label should be numbers between 0 and 1.\n\nParameters\n• weight (Tensor, optional) – A manual rescaling weight given to the loss of each batch element. If given, it has to be a 1D Tensor whose size is [N, ], The data type is float32, float64. Default is 'None'.\n\n• reduction (str, optional) – Indicate how to average the loss by batch_size, the candicates are 'none' | 'mean' | 'sum'. If reduction is 'none', the unreduced loss is returned; If reduction is 'mean', the reduced mean loss is returned; If reduction is 'sum', the summed loss is returned. Default is 'mean'.\n\n• pos_weight (Tensor, optional) – A weight of positive examples. Must be a vector with length equal to the number of classes. The data type is float32, float64. Default is 'None'.\n\n• name (str, optional) – Name for the operation (optional, default is None). For more information, please refer to Name.\n\nShapes:\nlogit (Tensor): The input predications tensor. 2-D tensor with shape: [N, *],\n\nSystem Message: WARNING/2 (/usr/local/lib/python3.8/site-packages/paddle/nn/layer/loss.py:docstring of paddle.nn.layer.loss.BCEWithLogitsLoss, line 60); backlink\n\nInline emphasis start-string without end-string.\n\nN is batch_size, * means number of additional dimensions. The logit is usually the output of Linear layer. Available dtype is float32, float64.\n\nlabel (Tensor): The target labels tensor. 2-D tensor with the same shape as\n\nlogit. The target labels which values should be numbers between 0 and 1. Available dtype is float32, float64.\n\noutput (Tensor): If reduction is 'none', the shape of output is\n\nsame as logit , else the shape of output is scalar.\n\nReturns\n\nA callable object of BCEWithLogitsLoss.\n\nExamples\n\nSystem Message: ERROR/3 (/usr/local/lib/python3.8/site-packages/paddle/nn/layer/loss.py:docstring of paddle.nn.layer.loss.BCEWithLogitsLoss, line 72)\n\nError in “code-block” directive: maximum 1 argument(s) allowed, 25 supplied.\n\n.. code-block:: python\nimport paddle\nlogit = paddle.to_tensor([5.0, 1.0, 3.0], dtype=\"float32\")\nlabel = paddle.to_tensor([1.0, 0.0, 1.0], dtype=\"float32\")\nbce_logit_loss = paddle.nn.BCEWithLogitsLoss()\noutput = bce_logit_loss(logit, label)\nprint(output.numpy()) # [0.45618808]\n\n\nforward ( logit, label )\n\nDefines the computation performed at every call. Should be overridden by all subclasses.\n\nParameters\n• *inputs (tuple) – unpacked tuple arguments\n\n• **kwargs (dict) – unpacked dict arguments"
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.74654925,"math_prob":0.97947735,"size":3419,"snap":"2021-04-2021-17","text_gpt3_token_len":914,"char_repetition_ratio":0.112737924,"word_repetition_ratio":0.060037524,"special_character_ratio":0.26469728,"punctuation_ratio":0.14497529,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.99656117,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-04-12T16:46:15Z\",\"WARC-Record-ID\":\"<urn:uuid:77120fa4-35cf-446f-b6eb-7a54256a6c06>\",\"Content-Length\":\"244913\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:37f9e24c-3f44-45f8-955b-6f5e62075a54>\",\"WARC-Concurrent-To\":\"<urn:uuid:8c74ef10-33a3-41c7-a3ed-259d9bb7ad13>\",\"WARC-IP-Address\":\"106.12.155.111\",\"WARC-Target-URI\":\"https://www.paddlepaddle.org.cn/documentation/docs/en/api/paddle/nn/layer/loss/BCEWithLogitsLoss_en.html\",\"WARC-Payload-Digest\":\"sha1:AEPHIOZH6OT7TLG24OKDQJR4HA6I3W4I\",\"WARC-Block-Digest\":\"sha1:XWUBGZ4DA4JQDZT6KJAQJVVH44O4CURW\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-17/CC-MAIN-2021-17_segments_1618038067870.12_warc_CC-MAIN-20210412144351-20210412174351-00225.warc.gz\"}"} |
https://cboard.cprogramming.com/c-programming/130970-need-urgent-help-memcopy-function.html?s=0fcb5878829b96ad8803e30c215c2624 | [
"# Thread: need urgent help in memcopy function\n\n1. ## need urgent help in memcopy function\n\nHi everyone,\n\nI am a dummy in C programming. I have a problem with copying the array of 64 elements of unsigned char to array of 8 element of uint64_t. For example:\n\nunsigned char p\nuint64_t Data;\n\nmemcpy (&Data, &p, 64);\n\nMoreover, do both p and Data have 64 bytes?",
null,
"2. memcpy(Data, p, sizeof(Data) > sizeof(p) ? sizeof(p) : sizeof(Data));\nArrays are implicitly converted to pointers to their first element when passing them to functions.\nAnd avoid \"urgent\" text in titles next time. Post your problem in time instead.\n\nAlso, sizeof(Data) > sizeof(p) ? sizeof(p) : sizeof(Data) is a shorthand notification for an if statement. It will return whichever of sizeof(Data) and sizeof(p) that is smaller, to avoid buffer overruns.",
null,
"3. A char is a byte in C per definition (but it does not need to have 8 bits). uint64_t is exactly 64 bits on platforms where such a type can be implemented. Because of that, your solution is not portable. For example, a char could have 16 bits which would mean that a byte on that system also has 16 bits. That means 64 bytes is actually 16 * 64 bits which is more than the Data array can contain.\n\n&Data is the address of the array, and you should be using either Data or &Data if you want a pointer to the first element. The memory address is the same, but the types are not.\n\nAnother problem is that you need to know the byte order if you want to do anything meaningful with the uint64_t variable once you've copied the chars into it.",
null,
"4. Thank you so much. One more question is how to convert an uint64_t n to an unint64_t array of 8 elements. I tried it with memcpy:\n\nunint64_t Data;\nmemcpy(&Data, &n, sizeof(Data))\n\nAnd then, I tried to print the Data array\n\nif n is 0, it is ok, it printed 00000000\nbut if n is 1, it is 11111111. It should be 00000001.\n\nAny suggestion? Thank you.",
null,
"5. Define \"convert\" in this context.\nAlso, I think you fail to understand how memcpy works. The third parameter tells the function how many bytes to copy from source to dest. If source is not 8 * 8 bytes, then I wonder what will happen?",
null,
"6.",
null,
"Originally Posted by lovesunset21",
null,
"Thank you so much. One more question is how to convert an integer n to an unint64_t array of 8 elements. I tried it with memcpy:\n\nunint64_t Data;\nmemcpy(&Data, &n, sizeof(Data))\n\nAnd then, I tried to print the Data array\n\nIt displayed \"Segmentation Fault\".\n\nAny suggestion? Thank you.\nThe problem is that memcpy will try to copy sizeof(...) bytes from src into dest. Clearly the seg fault is because you can't copy after the 4th byte (I am assuming 32-bit ints here) from n, so when memcpy tries to address the 5th byte you overstep your bounds and seg fault.\n\nTry\nCode:\n`memcpy(&Data, &n, sizeof(int));`\nAlso, if you are getting \"segmentation fault\" rather than \"access violation\" that leads me to think you're not on Windows, meaning you have man pages. You can learn a lot a lot alot from man pages. Try\nCode:\n`man memcpy`\nType q to quit. Scroll with the arrow keys.",
null,
"7. > One more question is how to convert an integer n to an unint64_t array of 8 elements.\n\nThat doesn't make any sense, and you still have the same problems with portability as I described above. Either way, copying sizeof(Data) number of bytes from the address &n, where n is an integer, will result in you reading in additional garbage and possible trying to access memory you don't have access to (hence the segfault). Think about how many bytes an integer is and how many bytes you're trying to copy when you specify sizeof(Data) as the number of bytes to copy.",
null,
"8. Thank you so much for your quick replies.\n\nI need to copy an integer n (or maybe an uint64_t) to an uint64_t array of 8 elements.\nFor example, if n is 0, the array will be 0 0 0 0 0 0 0 0\nif n is 1 then, it will be 0 0 0 0 0 0 0 00000001.\n\nI tried memcpy, but it seems impossible. Can you give me a hint. Thank you so much.",
null,
"9. You mean that the last index in the array shall hold the value of the integer and the rest be 0?",
null,
"10. Yes, that 's right. And it will increase depend on n. Any idea? Thanks.",
null,
"11. Actually, I have to encrypt a counter with three fish algorithm. Therefore, I need to convert it into the array of uint64_t.",
null,
"12. memset(your_array, 0), sizeof(your_array) - sizeof(your_array));\nyour_array[sizeof(your_array) - sizeof(your_array)] = n;\nYou could also use a loop to set index 0...n-1 to 0, and then assign your integer to n.",
null,
"Popular pages Recent additions",
null,
""
] | [
null,
"https://cboard.cprogramming.com/images/misc/progress.gif",
null,
"https://cboard.cprogramming.com/images/misc/progress.gif",
null,
"https://cboard.cprogramming.com/images/misc/progress.gif",
null,
"https://cboard.cprogramming.com/images/misc/progress.gif",
null,
"https://cboard.cprogramming.com/images/misc/progress.gif",
null,
"https://cboard.cprogramming.com/images/misc/quote_icon.png",
null,
"https://cboard.cprogramming.com/images/buttons/viewpost-right.png",
null,
"https://cboard.cprogramming.com/images/misc/progress.gif",
null,
"https://cboard.cprogramming.com/images/misc/progress.gif",
null,
"https://cboard.cprogramming.com/images/misc/progress.gif",
null,
"https://cboard.cprogramming.com/images/misc/progress.gif",
null,
"https://cboard.cprogramming.com/images/misc/progress.gif",
null,
"https://cboard.cprogramming.com/images/misc/progress.gif",
null,
"https://cboard.cprogramming.com/images/misc/progress.gif",
null,
"https://www.feedburner.com/fb/images/pub/feed-icon16x16.png",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.9024044,"math_prob":0.8290591,"size":886,"snap":"2020-34-2020-40","text_gpt3_token_len":226,"char_repetition_ratio":0.09297052,"word_repetition_ratio":0.0,"special_character_ratio":0.25620767,"punctuation_ratio":0.13756613,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.96854395,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20,21,22,23,24,25,26,27,28,29,30],"im_url_duplicate_count":[null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2020-08-04T23:08:38Z\",\"WARC-Record-ID\":\"<urn:uuid:74c7e890-9281-4fb9-8298-33150e090049>\",\"Content-Length\":\"87958\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:f9fc32ff-b79b-40f3-8a4e-ba05263e86f1>\",\"WARC-Concurrent-To\":\"<urn:uuid:009817d5-9ae0-4cb2-9463-2573fad4dbc3>\",\"WARC-IP-Address\":\"198.46.93.160\",\"WARC-Target-URI\":\"https://cboard.cprogramming.com/c-programming/130970-need-urgent-help-memcopy-function.html?s=0fcb5878829b96ad8803e30c215c2624\",\"WARC-Payload-Digest\":\"sha1:WJETKXNGHXXVXD47TV4KA33EJQMBQB5H\",\"WARC-Block-Digest\":\"sha1:B7ZWNU65SOXOPHB6CW7ZPBSY5C5JTJBM\",\"WARC-Identified-Payload-Type\":\"application/xhtml+xml\",\"warc_filename\":\"/cc_download/warc_2020/CC-MAIN-2020-34/CC-MAIN-2020-34_segments_1596439735885.72_warc_CC-MAIN-20200804220455-20200805010455-00255.warc.gz\"}"} |
https://eudml.org/subject/MSC/62J02 | [
"Page 1 Next\n\n## Displaying 1 – 20 of 117\n\nShowing per page\n\n### 3-dimensional multivertex reconstruction from 2-dimensional tracks observations using likelihood inference\n\nApplications of Mathematics\n\nLet ${v}_{1},{v}_{2},...,{v}_{k}$ be vertices in the $XYZ$-space, each vertex producing several tracks (straight lines) emanating from it within a narrow cone with a small angle about a fixed direction ($Z$-axis). Each track is detected (by drift chambers or other detectors) by its projections on $XY$ and $YZ$ views independently with small errors. An automated method is suggested for the reconstruction of vertices from noisy observations of the tracks projections. The procedure is based on the likelihood inference for mixtures. An illustrative...\n\n### A choice of criterion parameters in a linearization of regression models.\n\nActa Mathematica Universitatis Comenianae. New Series\n\nKybernetika\n\n### A comparative study of small area estimators.\n\nSORT\n\nIt is known that direct-survey estimators of small area parameters, calculated with the data from the given small area, often present large mean squared errors because of small sample sizes in the small areas. Model-based estimators borrow strength from other related areas to avoid this problem. How small should domain sample sizes be to recommend the use of model-based estimators? How robust are small area estimators with respect to the rate sample size/number of domains?To give answers or recommendations...\n\n### A comparison of linearization and quadratization domains\n\nApplications of Mathematics\n\nIn a nonlinear model, the linearization and quadratization domains are considered. In the case of a locally quadratic model, explicit expressions for these domains are given and the domains are compared.\n\n### A Kantorovich-type Convergence Analysis for the Gauss-Newton-Method.\n\nNumerische Mathematik\n\n### A new algorithm for non-linear least squares\n\nZapiski naucnych seminarov POMI\n\nKybernetika\n\n### A note on the rate of convergence of local polynomial estimators in regression models\n\nKybernetika\n\nLocal polynomials are used to construct estimators for the value $m\\left({x}_{0}\\right)$ of the regression function $m$ and the values of the derivatives ${D}_{\\gamma }m\\left({x}_{0}\\right)$ in a general class of nonparametric regression models. The covariables are allowed to be random or non-random. Only asymptotic conditions on the average distribution of the covariables are used as smoothness of the experimental design. This smoothness condition is discussed in detail. The optimal stochastic rate of convergence of the estimators is established. The results...\n\n### A regression characterization of inverse Gaussian distributions and application to EDF goodness-of-fit tests.\n\nInternational Journal of Mathematics and Mathematical Sciences\n\nKybernetika\n\n### Adaptive estimation of a quadratic functional of a density by model selection\n\nESAIM: Probability and Statistics\n\nWe consider the problem of estimating the integral of the square of a density $f$ from the observation of a $n$ sample. Our method to estimate ${\\int }_{ℝ}{f}^{2}\\left(x\\right)\\mathrm{d}x$ is based on model selection via some penalized criterion. We prove that our estimator achieves the adaptive rates established by Efroimovich and Low on classes of smooth functions. A key point of the proof is an exponential inequality for $U$-statistics of order 2 due to Houdré and Reynaud.\n\n### Adaptive estimation of a quadratic functional of a density by model selection\n\nESAIM: Probability and Statistics\n\nWe consider the problem of estimating the integral of the square of a density f from the observation of a n sample. Our method to estimate ${\\int }_{ℝ}{f}^{2}\\left(x\\right)\\mathrm{d}x$ is based on model selection via some penalized criterion. We prove that our estimator achieves the adaptive rates established by Efroimovich and Low on classes of smooth functions. A key point of the proof is an exponential inequality for U-statistics of order 2 due to Houdré and Reynaud.\n\n### Adaptive hard-thresholding for linear inverse problems\n\nESAIM: Probability and Statistics\n\nA number of regularization methods for discrete inverse problems consist in considering weighted versions of the usual least square solution. These filter methods are generally restricted to monotonic transformations, e.g. the Tikhonov regularization or the spectral cut-off. However, in several cases, non-monotonic sequences of filters may appear more appropriate. In this paper, we study a hard-thresholding regularization method that extends the spectral cut-off procedure to non-monotonic sequences....\n\n### An eigenvector pattern arising in non linear regression.\n\nQüestiió\n\nLet A = (aij) be an n x n matrix defined by aij = aji = i, i = 1,...,n. This paper gives some elementary properties of A and other related matrices. The eigenstructure of A is conjectured: given an eigenvector v of A the remaining eigenvectors are obtained by permuting up to sign the components of v. This problem arises in a distance based method applied to non linear regression.\n\n### An introduction to optimal designs.\n\nRevista Colombiana de Estadística\n\n### Asymptotic criteria for designs in nonlinear regression with model errors\n\nMathematica Slovaca\n\n### Asymptotically normal estimation in the linear-fractional regression problem with random errors in coefficients.\n\nSibirskij Matematicheskij Zhurnal\n\n### Asymptotically normal estimation of a multidimensional parameter in the linear-fractional regression problem.\n\nSibirskij Matematicheskij Zhurnal\n\n### Asymptotically normal estimation of a parameter in a linear-fractional regression problem.\n\nSiberian Mathematical Journal\n\nPage 1 Next"
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.9181887,"math_prob":0.97619826,"size":612,"snap":"2021-21-2021-25","text_gpt3_token_len":110,"char_repetition_ratio":0.10526316,"word_repetition_ratio":0.0,"special_character_ratio":0.1748366,"punctuation_ratio":0.08163265,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9972146,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-06-19T22:36:26Z\",\"WARC-Record-ID\":\"<urn:uuid:785f36d3-667b-47b2-9d9d-177201bbb4a0>\",\"Content-Length\":\"53678\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:0860dfb3-7df4-494e-ae5e-ca0511c9eec0>\",\"WARC-Concurrent-To\":\"<urn:uuid:4986cf44-568e-4ae2-824f-881af68b640a>\",\"WARC-IP-Address\":\"213.135.60.110\",\"WARC-Target-URI\":\"https://eudml.org/subject/MSC/62J02\",\"WARC-Payload-Digest\":\"sha1:ATHPNBPNTND7DUEJ2KNXLULNG2ZQLLYX\",\"WARC-Block-Digest\":\"sha1:SKRI5OM3FGGHIVABOHYW7FZI2GEGNGL3\",\"WARC-Identified-Payload-Type\":\"application/xhtml+xml\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-25/CC-MAIN-2021-25_segments_1623487649731.59_warc_CC-MAIN-20210619203250-20210619233250-00293.warc.gz\"}"} |
https://www.turito.com/learn/math/fractions-and-division-grade-5 | [
"#### Need Help?\n\nGet in touch with us",
null,
"",
null,
"# Fractions and Division\n\n## Key Concepts\n\n• Fractions\n• Divisions\n• Relating fractions and divisions\n\n## Division\n\nDivision is one the four basic mathematical operations, the other three being addition, subtraction, and multiplication. In simpler words, division can be defined as the splitting of a large group into equal smaller groups or method of grouping objects equally in groups.\n\nExample: Arranging students in rows equally.\n\n### Symbols used for division\n\nThere are two basic divide symbols that represent division. They are / or ÷.\n\nExample: 4/3 or 4÷3.\n\n### Terms involved in division\n\nWhile doing divisions, we come across terms such as dividend, divisor, quotient and remainder. These terms can be understood by going through the image given below.\n\nNote:\n\n• If any number is divided by 1, gives the same answer as the dividend (the quotient equals the dividend). For example, 4÷1 = 4.\n• A number cannot be divided by 0 and the result is thus undefined. For example, 15 ÷ 0 = undefined.\n• When the dividend equals the divisor, then the answer is always 1. For example, 15 ÷ 15 = 1.\n• Anytime you are converting a smaller unit of measure to a larger unit of measure we need to divide by a conversion factor.\n\n### How is division done?\n\nLet us understand the process of the long division with the help of an example. For example, we are to divide 435 by 4. Hence, we need 435 ÷ 4.\n\nHere, the first digit is 4 and it is equal to the divisor. So, 4 ÷ 4 =1; 1 is written on top. The result 4 × 1 = 4 is subtracted from the digit and 0 is written below.\n\n• Next drop the second digit or the digit in the ten’s place beside 0. Since, 03 is less than 4, we cannot divide this number. Hence, we write a 0 on the top and drop the digit on the unit place beside 3.\n• Now, we have 35. As 35 > 4, we can divide this number and to divide 35 ÷ 4, write 8 on top.\n• Subtract the result 4 × 8 = 32 from 35 and write 3.\n• 3 is known as the remainder and 108 is called the quotient\n\n## Fractions\n\nThe word fraction is derived from the latin word “fractio” which means “to break”. In India, fractions were first written with one number over the other (numerator and denominator), without a line. It was the Arabs who introduced the line which seperates the numerator from the denominator.\n\n### What are fractions?\n\nIn mathematics, fractions are represented as a numerical value, which can be defined as the parts of a whole. Let us understand this concept using an example.\n\nExample: There is pizza which is made into 8 equal parts. Suppose you have taken a piece, what is the part chosen by you?\n\nSolution: It means 1 in 8 equal parts. It can be also read as:\n\n• One-eighth\n• 1 by 8.\n\n### Parts of a fraction\n\nAll the fractions consist of a numerator and a denominator.\n\n• The denominator of the fraction tells us, how many parts is the whole been divided into ( 8 parts in the above example)\n• The numerator of the fractions tell about how many parts are selected or represented. ( 1 part is taken)\n\nRepresentation of fraction for 1 in 8 equal parts is 1/8.\n\n### Types of fractions\n\nThere are different types of fractions that can be differentiated by using the numerator and the denominator.\n\nProper fractions: If the numerator of the fraction is less than the denominator.\n\nExample: 5/7, 3/8, 2/5 etc.\n\nImproper fractions: If the numerator of the fraction is greater than the denominator.\n\nExample: 8/4, 10/8, 12/5 etc.\n\nUnit fractions: Fractions with numerators as 1 are known as unit fractions.\n\nExample: 1/3, 1/5 etc.\n\nMixed fractions: A mixed fraction is a mixture of whole and proper fractions.\n\nExample: 2 1/5, 4 2/3, 3 5/6, etc.\n\nLike fractions: Fractions with the same denominators are defined as like fractions.\n\nExample: 6/5, 8/5 etc.\n\nUnlike fractions: Fractions with different denominators are defined as unlike fractions.\n\nExample: 2/3, 4/5 etc.\n\n### How are fractions related to divisions\n\nWriting a division expression for fractions:\n\nExample 1: Express a fraction a/b as division.\n\nSolution: Numerator of the fraction ‘a’ is considered as dividend, and the denominator of the fraction ‘b’ is taken as the divisor.\n\nStep 1: Dividend a is written as the first term followed by the symbol of division and then divisor b is written after the symbol. a ÷ b\n\nWriting a fraction expression for division:\n\nExample 1: Express c ÷ d as a fraction.\n\nSolution: The first term ‘c’ before the division is considered as numerator and the second term ‘d’ after the division symbol is taken as the denominator.\n\nStep 1: The two terms c and d are separated by using a ‘/ ‘symbol horizontally between them. 𝒄/𝒅\n\n9.1.1 Relating fractions to divisions using word problems\n\nExample 1:\n\nHow can 3 bars of chocolates be shared among 4 people equally?\n\nSolution: Partition each bar into 4 equal parts. Each part is 1/4 of one bar.\n\nStep 1: Each of the four persons picked up one color from each of the bars.\n\nStep 2: So, 3 ÷ 4 = 3 ×1/4= 3/4\n\nTherefore, each of the friend receives 3/4 of the one bar.\n\nExample 2: How can we equally divide 5 apples among 8 kids?\n\nSolution: Partition each apple into 8 equal parts. Each part is1/8 of one apple.\n\nStep 1: Each of the 8 kids picked up one part from each of the apples.\n\nAll the 8 kids will be receiving the below 5 parts each.\n\nStep 2: So, 5÷8 = 5 ×1/8= 5/8\n\nTherefore, each of the kid receives 5/8 of one apple.\n\n## Exercise\n\n1. Help Justin to divide 5 packs of milk into 7 cups.\n2. Three friends have decided to complete a marathon of 2 km equally. Find the distance covered by each of them.\n3. Share \\$7 among 10 friends equally.\n4. Divide 5 oranges among six soccer players equally.\n5. A team of 7 workers have constructed 3 sheds in 10 days. How much of a shed each of them built?\n6. John used 3 packages of spaghetti for 10 guests. How much did each guest have?\n7. Explain if 5/6 is equal to 6÷5 or not.\n8. If 5 burgers cost \\$3. What would be the cost of each burger?\n9. A 3-liter pitcher of juice was poured into 7 cups. How much juice was in each cup?\n10. If the weight of 4 sandwiches is 9 pounds. Find the weight of each sandwich.\n\n### What have we learned\n\n#### Related topics",
null,
"#### Addition and Multiplication Using Counters & Bar-Diagrams\n\nIntroduction: We can find the solution to the word problem by solving it. Here, in this topic, we can use 3 methods to find the solution. 1. Add using counters 2. Use factors to get the product 3. Write equations to find the unknown. Addition Equation: 8+8+8 =? Multiplication equation: 3×8=? Example 1: Andrew has […]",
null,
"#### Dilation: Definitions, Characteristics, and Similarities\n\nUnderstanding Dilation A dilation is a transformation that produces an image that is of the same shape and different sizes. Dilation that creates a larger image is called enlargement. Describing Dilation Dilation of Scale Factor 2 The following figure undergoes a dilation with a scale factor of 2 giving an image A’ (2, 4), B’ […]",
null,
"#### How to Write and Interpret Numerical Expressions?\n\nWrite numerical expressions What is the Meaning of Numerical Expression? A numerical expression is a combination of numbers and integers using basic operations such as addition, subtraction, multiplication, or division. The word PEMDAS stands for: P → Parentheses E → Exponents M → Multiplication D → Division A → Addition S → Subtraction Some examples […]",
null,
"",
null,
"",
null,
""
] | [
null,
"https://a.storyblok.com/f/128066/x/8fc40ab3b3/search18gray.svg",
null,
"https://a.storyblok.com/f/128066/x/907568df11/closegray12.svg",
null,
"data:image/gif;base64,R0lGODlhAQABAIAAAAAAAP///yH5BAEAAAAALAAAAAABAAEAAAIBRAA7",
null,
"data:image/gif;base64,R0lGODlhAQABAIAAAAAAAP///yH5BAEAAAAALAAAAAABAAEAAAIBRAA7",
null,
"data:image/gif;base64,R0lGODlhAQABAIAAAAAAAP///yH5BAEAAAAALAAAAAABAAEAAAIBRAA7",
null,
"data:image/gif;base64,R0lGODlhAQABAIAAAAAAAP///yH5BAEAAAAALAAAAAABAAEAAAIBRAA7",
null,
"data:image/gif;base64,R0lGODlhAQABAIAAAAAAAP///yH5BAEAAAAALAAAAAABAAEAAAIBRAA7",
null,
"data:image/gif;base64,R0lGODlhAQABAIAAAAAAAP///yH5BAEAAAAALAAAAAABAAEAAAIBRAA7",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.9213366,"math_prob":0.981708,"size":7638,"snap":"2023-40-2023-50","text_gpt3_token_len":1934,"char_repetition_ratio":0.15313073,"word_repetition_ratio":0.010159652,"special_character_ratio":0.25425503,"punctuation_ratio":0.1306018,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.99944,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16],"im_url_duplicate_count":[null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-09-22T05:52:10Z\",\"WARC-Record-ID\":\"<urn:uuid:ee77ba82-32b8-4a4e-8c42-4d06283bd23c>\",\"Content-Length\":\"146895\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:01c58ed8-caea-4c41-af9a-044df1b5574c>\",\"WARC-Concurrent-To\":\"<urn:uuid:9ea6e7a1-5c00-4563-8b2a-808ffcb9b66e>\",\"WARC-IP-Address\":\"52.66.131.1\",\"WARC-Target-URI\":\"https://www.turito.com/learn/math/fractions-and-division-grade-5\",\"WARC-Payload-Digest\":\"sha1:2IMNNUFZKKEVXRRO456H6VFCJAUDMIQK\",\"WARC-Block-Digest\":\"sha1:MVPZQCWWEXEY7Y47CFYJ4X4QEHA6IGFH\",\"WARC-Identified-Payload-Type\":\"application/xhtml+xml\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-40/CC-MAIN-2023-40_segments_1695233506329.15_warc_CC-MAIN-20230922034112-20230922064112-00351.warc.gz\"}"} |
https://math.stackexchange.com/questions/474404/interpretation-in-notation-for-making-a-proof-and-substitution-processes | [
"# Interpretation in notation for making a proof and substitution processes\n\nIt is asked to be prove:\n\n$$\\forall{n}\\in{N}:(n+1)(n+2)(n+3)...(n+n)=2^n\\cdot1\\cdot3\\cdot5...\\cdot(2n-1)$$\n\n1 Step\n\np(n) is assumed to be true for n=1\n\n$$(n+1)(n+2)(n+3)...(n+n)=2^n\\cdot1\\cdot3\\cdot5...\\cdot(2n-1)$$\n\nMeaning that it is only consider the first term on the left, and only the $2^n\\cdot1$ consider in the right hand.\n\n$$(n+1)=2^n\\cdot1$$\n\n$$2=2 \\square$$\n\nBut,\n\nQuestion\n\nWhat happens with n=3 for example?\n\nMy guess:\n\na:\n\n$$(n+1)(n+2)(n+3)=2^n\\cdot1\\cdot3\\cdot5$$ $$(3+1)(3+2)(3+3)=2^3\\cdot1\\cdot3\\cdot5$$ $$120=120?$$\n\nStep 2\n\nAssuming that the proposition is also valid for p(k)\n\n$$(k+1)(k+2)(k+3)...(k+k)=2^k\\cdot1\\cdot3\\cdot5...\\cdot(2k-1)$$\n\nStep 3\n\nMaking the induction of validity for k+1 to also be true.\n\n$$(k+1)(k+2)(k+3)...(k+k)+\\boxed{(k+1)+(k+1)}=2^k\\cdot1\\cdot3\\cdot5...\\cdot(2k-1)+\\boxed{(k+1)+(k+1)}$$\n\n$$(k+1)(k+2)(k+3)...(k+k)+\\boxed{(2k+2)}=2^k\\cdot1\\cdot3\\cdot5...\\cdot(2k-1)+\\boxed{(2k+2)}$$\n\nQuestion\n\nIs this the right substation?\n\n(a) is the correct way of thinking about it. You said it yourself, you are looking at the $n=3$ case, so you have to plug that into the given equation. (b) is incorrect because $n$ to be a range of numbers ($n=1,2,3$) when you need it to just be one ($n=3$).\n\n-Edit\n\nYou seem to have gotten rid of the (b) option. So then, yes that is the correct way of thinking about it for $n = 3$.\n\nHint: Here is what you want to prove. That is, when you replace $k$ with $k+1$, you obtain the following equation for $p(k+1)$:\n\n$$((k+1)+1)((k+1)+2)((k+1)+3)\\ldots((k+1)+(k+1))\\\\ =\\\\ 2^{k+1}\\cdot1\\cdot3\\cdot5\\cdot\\ldots\\cdot(2k-1)\\cdot(2(k+1)-1)$$\n\nSimplifying it a bit, this is equivalent to:\n\n$$(k+2)(k+3)(k+4)\\ldots(2k+2) = 2^{k+1}\\cdot1\\cdot3\\cdot5\\cdot\\ldots\\cdot(2k-1)\\cdot(2k+1)$$\n\nHopefully you can see how to finish off the induction now."
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.6042034,"math_prob":0.9999981,"size":946,"snap":"2020-24-2020-29","text_gpt3_token_len":441,"char_repetition_ratio":0.17728238,"word_repetition_ratio":0.0,"special_character_ratio":0.47991544,"punctuation_ratio":0.15891473,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9999863,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2020-06-07T01:57:36Z\",\"WARC-Record-ID\":\"<urn:uuid:4ff4a753-e1e2-4765-b5a8-b80429f3d427>\",\"Content-Length\":\"149548\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:7c1855b7-dbfc-4cbc-9b43-905529e78b0d>\",\"WARC-Concurrent-To\":\"<urn:uuid:0f48ee5d-aa5c-41ed-9097-8d6d4ffb5038>\",\"WARC-IP-Address\":\"151.101.1.69\",\"WARC-Target-URI\":\"https://math.stackexchange.com/questions/474404/interpretation-in-notation-for-making-a-proof-and-substitution-processes\",\"WARC-Payload-Digest\":\"sha1:5P4PZ2IQCX3YTTBQ3LGD4PJQZZKGY32V\",\"WARC-Block-Digest\":\"sha1:6LEYPQXENKW37OVVCMMDJVYM5Q7GG6KS\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2020/CC-MAIN-2020-24/CC-MAIN-2020-24_segments_1590348523476.97_warc_CC-MAIN-20200607013327-20200607043327-00029.warc.gz\"}"} |
https://metricsystemconversion.info/unit-conversion-application-number-of-lemons-for-a-lemon-pie/ | [
"",
null,
"The store is selling\nlemons at 68 cents each. Each lemon yields about\n4 tablespoons of juice. How much will it cost to buy enough lemons to make four 9-inch lemon pies, each requiring 3/4 of\na cup of lemon juice? This problem will take several steps. We’ll first determine\nthe amount of lemon juice we need in cups for the four pies. Then we’ll convert cups to tablespoons using this conversion here. Then we’ll determine\nhow many lemons we need, then determine the total\ncost for the lemons. So to begin, we want to\nmake four lemon pies, each requiring 3/4 of\na cup of lemon juice. Therefore, four times 3/4 of a cup will tell us how much lemon\njuice we need in cups. So four or four over\none, times 3/4 of a cup will give us the amount\nof lemon juice we need. Notice how the fours would simply to one, leaving us with three cups. So this is the amount\nof lemon juice needed to make the four lemon pies. Now we’ll convert three\ncups to tablespoons using this conversion here. So through the conversion,\nwe’ll use a unit fraction, so we’ll put three cups over one. We want to convert this to tablespoons. So we’ll have a unit fraction because we want cups to simplify out, we’ll have cups in the\ndenominator and tablespoons in the numerator, and again,\nour conversion is one cup equals 16 tablespoons. Notice in this form, the\nunits of cups simplifies out, or simplifies to one. So we have three times 16 tablespoons, which would give us 48 tablespoons. Again, this is the amount\nof lemon juice that we need and now the units are tablespoons. Now determine how many lemons we need and remember we’re told\nthat each lemon yields four tablespoons of juice. So we’ll use the conversion that one lemon equals four tablespoons of lemon juice. So now we’ll take 48 tablespoons,\nwrite it in fraction form, so over one, and multiply\nby a unit fraction to convert this to the\nnumber of lemons needed. We don’t want tablespoons in our answer, so we’ll put tablespoons\nin the denominator, lemons in the numerator, or lemon, and again, our conversion\nis one lemon equals four tablespoons of lemon juice. Notice how the units of tablespoons, it simplifies to one, so we\nhave 48 divided by four lemons, which would equal 12 lemons. Now to find the total cost, we’re given each lemon costs 68 cents, so the total cost would be equal to 12 lemons times 68 cents per lemon, or just 12 times 0.68 dollars, which comes out to 8.16 or \\$8.16, which is the cost for the\nlemons if we want to make four lemon pies, each requiring\n3/4 of a cup of lemon juice. So again, just to summarize, we first determined how much\nlemon juice we needed in cups by multiplying the number\nof pies by 3/4 of a cup. Next we converted cups to tablespoons. Then we determined the\nnumber of lemons we needed, since we were told that each lemon yielded four tablespoons of juice, and then finally, we found\nthe cost of the lemons needed. I hope you found this helpful."
] | [
null,
"https://metricsystemconversion.info/wp-content/uploads/2019/08/2225/unit-conversion-application-number-of-lemons-for-a-lemon-pie.jpg",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.9104246,"math_prob":0.96950155,"size":2922,"snap":"2019-51-2020-05","text_gpt3_token_len":709,"char_repetition_ratio":0.17786156,"word_repetition_ratio":0.12662943,"special_character_ratio":0.23169062,"punctuation_ratio":0.11023622,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9973691,"pos_list":[0,1,2],"im_url_duplicate_count":[null,5,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2019-12-09T08:43:46Z\",\"WARC-Record-ID\":\"<urn:uuid:09410aba-6bc8-4d6a-8a4c-dce1a4b2f7c7>\",\"Content-Length\":\"49011\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:2bbfcd72-3e9e-40f8-adca-de7083117818>\",\"WARC-Concurrent-To\":\"<urn:uuid:36a325bd-1379-455d-8e4a-6c74c9ecee79>\",\"WARC-IP-Address\":\"104.27.166.77\",\"WARC-Target-URI\":\"https://metricsystemconversion.info/unit-conversion-application-number-of-lemons-for-a-lemon-pie/\",\"WARC-Payload-Digest\":\"sha1:NZBZG3N4JNU77ZJZQLLTEAAQVRWVVLKJ\",\"WARC-Block-Digest\":\"sha1:OIJYSQ4QZGV5QBJ626MIDZZIHDB4MPHD\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2019/CC-MAIN-2019-51/CC-MAIN-2019-51_segments_1575540518337.65_warc_CC-MAIN-20191209065626-20191209093626-00261.warc.gz\"}"} |
https://serverlogic3.com/what-is-data-type-single/ | [
"# What Is Data Type Single?\n\n//\n\nLarry Thompson\n\nWhat Is Data Type Single?\n\nIn programming, the data type Single refers to a numerical data type that is used to store single-precision floating-point numbers. Single precision means that the number is represented using a 32-bit format, allowing for a wide range of values with moderate precision.\n\n## Why Use the Single Data Type?\n\nThe Single data type is commonly used in situations where memory efficiency is important and the level of precision required does not need to be extremely high. This makes it suitable for applications such as graphics processing, scientific calculations, and simulations.\n\n## Declaration and Initialization\n\nTo declare and initialize a variable with the Single data type, you can use the following syntax:\n\n``````\nSingle myNumber;\nmyNumber = 3.14;\n```\n```\n\nYou can also declare and initialize a Single variable in a single line:\n\n``````\nSingle myNumber = 3.14;\n```\n```\n\n## Range and Precision\n\nThe range of values that can be stored in a Single variable is approximately -3.4 x 10^38 to 3.4 x 10^38. However, it’s important to note that as the value gets larger or smaller, the level of precision decreases.\n\nThe precision of a Single value depends on its magnitude. Typically, a Single value has around 7 decimal digits of precision.\n\n## Mathematical Operations\n\nThe Single data type supports all basic mathematical operations such as addition, subtraction, multiplication, and division. These operations can be performed using arithmetic operators like +, -, *, and /.\n\n``````\nSingle num1 = 5.5;\nSingle num2 = 2.3;\n\nSingle result = num1 + num2; // Addition\nresult = num1 - num2; // Subtraction\nresult = num1 * num2; // Multiplication\nresult = num1 / num2; // Division\n```\n```\n\n## Converting to Other Data Types\n\nIt’s possible to convert a Single value to other data types, such as Integer or Double, using type casting. However, it’s important to note that when converting a Single value to an Integer, the decimal portion will be lost.\n\n``````\nSingle myNumber = 3.14;\nint myInteger = (int)myNumber; // Conversion from Single to Integer\ndouble myDouble = (double)myNumber; // Conversion from Single to Double\n```\n```\n\n### Summary\n\nThe Single data type is a numerical data type used for storing single-precision floating-point numbers. It offers moderate precision and is suitable for memory-efficient applications where high precision is not required. Remember to consider the range and precision limitations when using the Single data type in your programs."
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.8103071,"math_prob":0.9786803,"size":2393,"snap":"2023-40-2023-50","text_gpt3_token_len":512,"char_repetition_ratio":0.15864378,"word_repetition_ratio":0.020997375,"special_character_ratio":0.21938989,"punctuation_ratio":0.12844037,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.99011195,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-11-30T17:55:29Z\",\"WARC-Record-ID\":\"<urn:uuid:7af9666a-ec3d-4092-b527-d46b3be02d46>\",\"Content-Length\":\"74056\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:20b5b1b1-3bbc-4906-a58d-1c595bae83da>\",\"WARC-Concurrent-To\":\"<urn:uuid:2153b30f-f498-4fbf-a755-d87fc1b59c86>\",\"WARC-IP-Address\":\"143.244.183.16\",\"WARC-Target-URI\":\"https://serverlogic3.com/what-is-data-type-single/\",\"WARC-Payload-Digest\":\"sha1:H6H6TEOVIGAMEQF3NUCP3YQQRBKE4F6I\",\"WARC-Block-Digest\":\"sha1:7NT7XP4JHR2Y7EKFXJQI2PSNIDXM65JC\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-50/CC-MAIN-2023-50_segments_1700679100229.44_warc_CC-MAIN-20231130161920-20231130191920-00529.warc.gz\"}"} |
https://www.cosonok.com/2012/01/formulas-to-calculate-dimensionless.html | [
"## Friday, 20 January 2012\n\n### Formulas to Calculate Dimensionless Hard Disk Size, and a Real World Application to Extending a UFS Partition\n\nThe dimensionless hard disk size is a quantity that gives a measure of hard disk size without any associated physical dimension (i.e. not measured in bytes, kilobytes, ... - just a number.) This quantity manifests itself in many places, such as: in the VMware vmdk disk descriptor file, and when sizing partitions.\n\nPart 1: Formulas to calculate R (The Dimensionless Hard Disk Size) from Cylinders, Heads, and Sectors; Cylinder Groups, Heads, and Sectors; and Volume Capacity, and Sector Size\nIn the below; * is used for multiply, and / for divide\n\n1.1 Variables Used\n\nR = The Dimensionless Hard Disk Size\nC = Cylinders\nT = Tracks (and T = C * H)\nCyl = Cylinder Groups (used with Unix File System (UFS))\nS = Sectors per Track\nB = Sector Size in bytes\nV = Volume Size in bytes (i.e. disk max capacity; volume, or partition size)\n\n1.2 Formulas for R\n\nR = C * H * S\nR = (SUM of Cylinders in all Cylinder Groups) * H * S\nR = V / B\n\n1.3 Formulas for V (obtained from the above)\n\nV = C * H * S * B\nV = R * B\n\nImportant notes:\n1) R is always a positive integer, as are all the other variables used\n2) Real world values given for disk capacity may need to be converted into the integer value that best satisfies the requirement for the other variables to be integers\n\nPart 2: Real World Application to Extending a UFS Partition\nThe following \"real world\" application of the formulas, is inspired by following blog post by Julian Wood - Installing & Maximising the NetApp ONTAP 8.1 Simulator\n\n2.1 The problem\n\nWe expand a 48 GB VMware vmdk hard disk to 244 GB. The hard disk in question is already partitioned into 4 partitions, and we need to find the new size value for the 4th partition, to make it use up all the extra usable space that is now available.\n\n2.2 Calculations and Explanation\n\nBooting into the FreeBSD_LiveFS ISO media, and in fixit mode; the fdisk ad0 command is run to view the partitions on the disk in question (ad0.)\n\nThe output of the fdisk ad0 command provides the following bits of information:\n\nB = 512 bytes (Sector size)\nH = 15 (Heads – numbered from 0 to 14)\nS = 63 (Sectors per Track – numbered from 1 to 63)\nPartitionStartValue = 4191264\n\nAnd from the real world disk capacity of the hard disk (Vreal = 244GB) in bytes, we get Rreal:\n\nRreal = int( Vreal / B )\n= int( 244*1024*1024*1024 / 512 )\n= 511705088\n\nNote:\nint( x ) is a function that returns the integer value of x. The int function is included in Windows Calculator on the Scientific view. If you do not have this function then just lose everything after the decimal point.\n\nThe disk is split into cylinders (value unknown), heads (15), and sectors (63.) We cannot find out the number of cylinders (would need to know the amount of cylinders in each cylinder group, and there will be quite a few cylinder groups.) But we know that the max value of R (Rmax) must be an integer divisible by heads (15) multiplied by sectors (63.)\n\nRmax = 15*63 * int( Rreal / (15*63) )\n= 511704270\n\nFinally, to find the new size of partition 4 (Rsize):\n\nRsize = Rmax – PartitionStartValue\n= 507513006\n\nWhen we run the fdisk -u ad0 command to extend partition 4; when prompted for the value for the new \"size,\" the above figure – 507513006 – is supplied!\n\n2.3 Summary\n\nRsize = H * S * int{ int( Vreal / B ) / ( H * S ) } - PartitionStartValue\n\nPart 3: Appendix – Further Reading"
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.8214856,"math_prob":0.97413975,"size":3350,"snap":"2019-51-2020-05","text_gpt3_token_len":899,"char_repetition_ratio":0.11177526,"word_repetition_ratio":0.018867925,"special_character_ratio":0.28567165,"punctuation_ratio":0.09831029,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.98941666,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2019-12-10T10:39:06Z\",\"WARC-Record-ID\":\"<urn:uuid:f1f6a661-88bf-4f90-8e59-c14af16834e2>\",\"Content-Length\":\"95828\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:beb7da84-9a8f-416e-b100-974d4892535a>\",\"WARC-Concurrent-To\":\"<urn:uuid:f92df627-413d-412a-a5a3-a05379506887>\",\"WARC-IP-Address\":\"172.217.164.179\",\"WARC-Target-URI\":\"https://www.cosonok.com/2012/01/formulas-to-calculate-dimensionless.html\",\"WARC-Payload-Digest\":\"sha1:UZBFQ7HADR6DXP2P32UTNJ2VYY5XDN7P\",\"WARC-Block-Digest\":\"sha1:2SK7UFRZPJMWMNUEWMZE3DSG4HT3ORZ6\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2019/CC-MAIN-2019-51/CC-MAIN-2019-51_segments_1575540527205.81_warc_CC-MAIN-20191210095118-20191210123118-00146.warc.gz\"}"} |
https://www.litscape.com/word_analysis/sharker | [
"# sharker in Scrabble®\n\nThe word sharker is playable in Scrabble®, no blanks required.\n\nSHARKER\n(107 = 57 + 50)\n\nsharker\n\nSHARKER\n(107 = 57 + 50)\nSHARKER\n(106 = 56 + 50)\nSHARKER\n(104 = 54 + 50)\nSHARKER\n(98 = 48 + 50)\nSHARKER\n(95 = 45 + 50)\nSHARKER\n(95 = 45 + 50)\nSHARKER\n(95 = 45 + 50)\nSHARKER\n(95 = 45 + 50)\nSHARKER\n(95 = 45 + 50)\nSHARKER\n(95 = 45 + 50)\nSHARKER\n(94 = 44 + 50)\nSHARKER\n(92 = 42 + 50)\nSHARKER\n(90 = 40 + 50)\nSHARKER\n(88 = 38 + 50)\nSHARKER\n(86 = 36 + 50)\nSHARKER\n(82 = 32 + 50)\nSHARKER\n(82 = 32 + 50)\nSHARKER\n(82 = 32 + 50)\nSHARKER\n(80 = 30 + 50)\nSHARKER\n(80 = 30 + 50)\nSHARKER\n(80 = 30 + 50)\nSHARKER\n(80 = 30 + 50)\nSHARKER\n(80 = 30 + 50)\nSHARKER\n(80 = 30 + 50)\nSHARKER\n(78 = 28 + 50)\nSHARKER\n(78 = 28 + 50)\nSHARKER\n(78 = 28 + 50)\nSHARKER\n(78 = 28 + 50)\nSHARKER\n(78 = 28 + 50)\nSHARKER\n(76 = 26 + 50)\nSHARKER\n(74 = 24 + 50)\nSHARKER\n(71 = 21 + 50)\nSHARKER\n(70 = 20 + 50)\nSHARKER\n(70 = 20 + 50)\nSHARKER\n(69 = 19 + 50)\nSHARKER\n(69 = 19 + 50)\nSHARKER\n(68 = 18 + 50)\nSHARKER\n(67 = 17 + 50)\nSHARKER\n(66 = 16 + 50)\nSHARKER\n(66 = 16 + 50)\nSHARKER\n(66 = 16 + 50)\nSHARKER\n(65 = 15 + 50)\n\nSHARKER\n(107 = 57 + 50)\nSHARKER\n(106 = 56 + 50)\nSHARKER\n(104 = 54 + 50)\nSHARKER\n(98 = 48 + 50)\nSHARKER\n(95 = 45 + 50)\nSHARKER\n(95 = 45 + 50)\nSHARKER\n(95 = 45 + 50)\nSHARKER\n(95 = 45 + 50)\nSHARKER\n(95 = 45 + 50)\nSHARKER\n(95 = 45 + 50)\nSHARKER\n(94 = 44 + 50)\nSHARKER\n(92 = 42 + 50)\nSHARKER\n(90 = 40 + 50)\nSHARKER\n(88 = 38 + 50)\nSHARKER\n(86 = 36 + 50)\nSHARKER\n(82 = 32 + 50)\nSHARKER\n(82 = 32 + 50)\nSHARKER\n(82 = 32 + 50)\nSHARKER\n(80 = 30 + 50)\nSHARKER\n(80 = 30 + 50)\nSHARKER\n(80 = 30 + 50)\nSHARKER\n(80 = 30 + 50)\nSHARKER\n(80 = 30 + 50)\nSHARKER\n(80 = 30 + 50)\nSHARKER\n(78 = 28 + 50)\nSHARKER\n(78 = 28 + 50)\nSHARKER\n(78 = 28 + 50)\nSHARKER\n(78 = 28 + 50)\nSHARKER\n(78 = 28 + 50)\nSHARKER\n(76 = 26 + 50)\nSHARKER\n(74 = 24 + 50)\nSHARKER\n(71 = 21 + 50)\nSHARKER\n(70 = 20 + 50)\nSHARKER\n(70 = 20 + 50)\nSHARKER\n(69 = 19 + 50)\nSHARKER\n(69 = 19 + 50)\nSHARKER\n(68 = 18 + 50)\nSHARKER\n(67 = 17 + 50)\nSHARKER\n(66 = 16 + 50)\nSHARKER\n(66 = 16 + 50)\nSHARKER\n(66 = 16 + 50)\nSHARKER\n(65 = 15 + 50)\nSHAKER\n(54)\nKASHER\n(54)\nHARKS\n(51)\nSHAKER\n(51)\nSHAKE\n(51)\nSHARK\n(51)\nKASHER\n(51)\nHARK\n(48)\nHARKS\n(48)\nSHARK\n(48)\nSHAKE\n(48)\nKASHER\n(46)\nRAKERS\n(45)\nHARK\n(45)\nSHARK\n(44)\nKASHER\n(42)\nKASHER\n(42)\nSHAKER\n(42)\nSHAKER\n(42)\nSHAKER\n(42)\nSHAKER\n(42)\n(42)\nKASHER\n(42)\nKASHER\n(42)\nREAKS\n(42)\nSHAKER\n(42)\nHARKS\n(40)\nHARKS\n(39)\nHARKS\n(39)\nREAK\n(39)\nSHARER\n(39)\nKASHER\n(39)\nSHAKE\n(39)\nRASHER\n(39)\nSHARK\n(39)\nSHAKE\n(39)\nSHARK\n(39)\nSHAKER\n(39)\nSHAKER\n(39)\nKASHER\n(39)\n(38)\nHEARS\n(36)\nKASHER\n(36)\nSHARE\n(36)\nSHARK\n(36)\nHARES\n(36)\nKASHER\n(36)\nSHEAR\n(36)\nSHAKE\n(36)\nSHAKE\n(36)\nSHARK\n(36)\nSHARK\n(36)\nSHAKE\n(36)\nHARKS\n(36)\nHARKS\n(36)\nHARKS\n(36)\nSHARK\n(34)\nSHARER\n(34)\nSHARK\n(34)\nSHAKER\n(34)\nRESH\n(33)\nHERS\n(33)\nRAKERS\n(33)\nRAKERS\n(33)\nHARE\n(33)\nRASH\n(33)\nRAKERS\n(33)\nRAKERS\n(33)\nHARK\n(33)\nHEAR\n(33)\nRAKERS\n(33)\nHARK\n(33)\nHARK\n(33)\nHARK\n(33)\nHARK\n(32)\nHARES\n(32)\nHARKS\n(32)\nHARKS\n(32)\nHEARS\n(32)\n(30)\nKASHER\n(30)\nRAKER\n(30)\nRAKER\n(30)\nREAKS\n(30)\n(30)\nREAKS\n(30)\n(30)\nRAKER\n(30)\nRAKER\n(30)\nSHARER\n(30)\nKASHER\n(30)\nRAKES\n(30)\nRAKES\n(30)\nRAKES\n(30)\nRAKES\n(30)\nHARK\n(30)\nSHARER\n(30)\nSHARER\n(30)\nSHARER\n(30)\nSHARER\n(30)\nSHAKER\n(30)\nRAKERS\n(30)\nSHAKER\n(30)\nSHAKER\n(30)\nRASHER\n(30)\nRAKERS\n(30)\nRASHER\n(30)\nRASHER\n(30)\nRASHER\n(30)\nRASHER\n(30)\nKASHER\n(30)\nREAKS\n(30)\nSHAKER\n(28)\nSHAKER\n(28)\nKASHER\n(28)\nSHAKER\n(28)\nSHAKER\n(28)\nHARKS\n(28)\nSHARK\n(28)\nSHAKE\n(28)\nSHAKE\n(28)\nKASHER\n(28)\nSHAKER\n(28)\nKASHER\n(28)\n(28)\nKASHER\n(28)\n(28)\nHARES\n(27)\nHARES\n(27)\nHARES\n(27)\nRAKER\n(27)\nHEARS\n(27)\nHEARS\n(27)\nHEARS\n(27)\nRAKE\n(27)\nRAKER\n(27)\nRAKE\n(27)\nRAKER\n(27)\nSHEAR\n(27)\nASHER\n(27)\nRAKES\n(27)\nRAKES\n(27)\nREAKS\n(27)\nASHER\n(27)\n(27)\n(27)\n(27)\nSAKE\n(27)\nSHARER\n(27)\nREAKS\n(27)\nSHARER\n(27)\nSHARE\n(27)\nSHARE\n(27)\nARKS\n(27)\nSHARE\n(27)\nARKS\n(27)\nREAKS\n(27)\nSAKE\n(27)\n\n# sharker in Words With Friends™\n\nThe word sharker is playable in Words With Friends™, no blanks required.\n\nSHARKER\n(110 = 75 + 35)\n\nsharker\n\nSHARKER\n(110 = 75 + 35)\nSHARKER\n(98 = 63 + 35)\nSHARKER\n(92 = 57 + 35)\nSHARKER\n(87 = 52 + 35)\nSHARKER\n(87 = 52 + 35)\nSHARKER\n(87 = 52 + 35)\nSHARKER\n(86 = 51 + 35)\nSHARKER\n(86 = 51 + 35)\nSHARKER\n(81 = 46 + 35)\nSHARKER\n(80 = 45 + 35)\nSHARKER\n(80 = 45 + 35)\nSHARKER\n(80 = 45 + 35)\nSHARKER\n(80 = 45 + 35)\nSHARKER\n(80 = 45 + 35)\nSHARKER\n(73 = 38 + 35)\nSHARKER\n(71 = 36 + 35)\nSHARKER\n(67 = 32 + 35)\nSHARKER\n(65 = 30 + 35)\nSHARKER\n(65 = 30 + 35)\nSHARKER\n(65 = 30 + 35)\nSHARKER\n(65 = 30 + 35)\nSHARKER\n(63 = 28 + 35)\nSHARKER\n(63 = 28 + 35)\nSHARKER\n(63 = 28 + 35)\nSHARKER\n(63 = 28 + 35)\nSHARKER\n(61 = 26 + 35)\nSHARKER\n(61 = 26 + 35)\nSHARKER\n(61 = 26 + 35)\nSHARKER\n(61 = 26 + 35)\nSHARKER\n(61 = 26 + 35)\nSHARKER\n(61 = 26 + 35)\nSHARKER\n(61 = 26 + 35)\nSHARKER\n(60 = 25 + 35)\nSHARKER\n(60 = 25 + 35)\nSHARKER\n(56 = 21 + 35)\nSHARKER\n(56 = 21 + 35)\nSHARKER\n(55 = 20 + 35)\nSHARKER\n(55 = 20 + 35)\nSHARKER\n(54 = 19 + 35)\nSHARKER\n(54 = 19 + 35)\nSHARKER\n(53 = 18 + 35)\nSHARKER\n(52 = 17 + 35)\nSHARKER\n(52 = 17 + 35)\nSHARKER\n(52 = 17 + 35)\nSHARKER\n(51 = 16 + 35)\nSHARKER\n(51 = 16 + 35)\nSHARKER\n(51 = 16 + 35)\nSHARKER\n(50 = 15 + 35)\nSHARKER\n(50 = 15 + 35)\nSHARKER\n(50 = 15 + 35)\nSHARKER\n(50 = 15 + 35)\nSHARKER\n(50 = 15 + 35)\nSHARKER\n(50 = 15 + 35)\nSHARKER\n(50 = 15 + 35)\nSHARKER\n(49 = 14 + 35)\nSHARKER\n(49 = 14 + 35)\nSHARKER\n(49 = 14 + 35)\nSHARKER\n(48 = 13 + 35)\n\nSHARKER\n(110 = 75 + 35)\nSHARKER\n(98 = 63 + 35)\nSHARKER\n(92 = 57 + 35)\nSHARKER\n(87 = 52 + 35)\nSHARKER\n(87 = 52 + 35)\nSHARKER\n(87 = 52 + 35)\nSHARKER\n(86 = 51 + 35)\nSHARKER\n(86 = 51 + 35)\nSHARKER\n(81 = 46 + 35)\nSHARKER\n(80 = 45 + 35)\nSHARKER\n(80 = 45 + 35)\nSHARKER\n(80 = 45 + 35)\nSHARKER\n(80 = 45 + 35)\nSHARKER\n(80 = 45 + 35)\nSHARKER\n(73 = 38 + 35)\nSHAKER\n(72)\nKASHER\n(72)\nSHARKER\n(71 = 36 + 35)\nSHARKER\n(67 = 32 + 35)\nRAKERS\n(66)\nSHAKER\n(66)\nKASHER\n(66)\nSHARKER\n(65 = 30 + 35)\nSHARKER\n(65 = 30 + 35)\nSHARKER\n(65 = 30 + 35)\nSHARKER\n(65 = 30 + 35)\nSHARKER\n(63 = 28 + 35)\nSHARK\n(63)\nSHARKER\n(63 = 28 + 35)\nSHARKER\n(63 = 28 + 35)\nSHAKE\n(63)\nSHARKER\n(63 = 28 + 35)\nHARKS\n(63)\nSHARKER\n(61 = 26 + 35)\nSHARKER\n(61 = 26 + 35)\nSHARKER\n(61 = 26 + 35)\nSHARKER\n(61 = 26 + 35)\nSHARKER\n(61 = 26 + 35)\nSHARKER\n(61 = 26 + 35)\nSHARKER\n(61 = 26 + 35)\nHARK\n(60)\nSHARKER\n(60 = 25 + 35)\nSHARKER\n(60 = 25 + 35)\nRAKERS\n(60)\nKASHER\n(60)\n(57)\nREAKS\n(57)\nSHARKER\n(56 = 21 + 35)\nSHARKER\n(56 = 21 + 35)\nSHARKER\n(55 = 20 + 35)\nSHARKER\n(55 = 20 + 35)\nSHARKER\n(54 = 19 + 35)\nSHAKER\n(54)\nSHARKER\n(54 = 19 + 35)\nKASHER\n(54)\nREAK\n(54)\nSHARKER\n(53 = 18 + 35)\nSHARKER\n(52 = 17 + 35)\nSHARKER\n(52 = 17 + 35)\nSHARKER\n(52 = 17 + 35)\nHARKS\n(51)\nSHARKER\n(51 = 16 + 35)\nSHAKE\n(51)\nSHARK\n(51)\nSHARKER\n(51 = 16 + 35)\nSHARKER\n(51 = 16 + 35)\nSHARKER\n(50 = 15 + 35)\nSHARKER\n(50 = 15 + 35)\nSHARKER\n(50 = 15 + 35)\nSHARKER\n(50 = 15 + 35)\nSHARKER\n(50 = 15 + 35)\nSHARKER\n(50 = 15 + 35)\nSHARKER\n(50 = 15 + 35)\nSHARKER\n(49 = 14 + 35)\nSHARKER\n(49 = 14 + 35)\nSHARKER\n(49 = 14 + 35)\nRASHER\n(48)\nKASHER\n(48)\nSHAKER\n(48)\nSHARKER\n(48 = 13 + 35)\nSHAKER\n(48)\nSHAKER\n(48)\nKASHER\n(48)\nHARK\n(48)\nHARKS\n(44)\nSHARK\n(44)\nSHAKE\n(44)\nKASHER\n(44)\nSHARER\n(42)\nKASHER\n(42)\nSHAKER\n(42)\nKASHER\n(42)\nRAKERS\n(42)\nSHAKER\n(42)\nKASHER\n(42)\nRASHER\n(42)\nSHARK\n(42)\nSHAKER\n(42)\nKASHER\n(42)\nSHAKER\n(42)\nRAKERS\n(40)\nRAKERS\n(40)\nSHARK\n(39)\nSHAKE\n(39)\nHARKS\n(39)\nSHARK\n(39)\nHARKS\n(39)\nSHEAR\n(39)\nHEARS\n(39)\nSHAKE\n(39)\nHARES\n(39)\nSHARE\n(39)\n(38)\nRASHER\n(36)\nHARE\n(36)\nRAKERS\n(36)\nSHAKER\n(36)\nRAKERS\n(36)\nRAKERS\n(36)\nRAKERS\n(36)\nRASH\n(36)\nSHARER\n(36)\nKASHER\n(36)\n(36)\nRAKERS\n(36)\nRESH\n(36)\nHERS\n(36)\nSHARER\n(36)\nHEAR\n(36)\nRAKES\n(36)\nSHAKER\n(36)\nSHAKER\n(36)\nKASHER\n(36)\nRAKER\n(36)\nREAKS\n(36)\nKASHER\n(34)\nSHAKER\n(34)\nHARKS\n(34)\nRAKES\n(33)\n(33)\nSHARK\n(33)\n(33)\nREAKS\n(33)\nRAKES\n(33)\nSHAKE\n(33)\nSHARK\n(33)\nRAKER\n(33)\nRAKER\n(33)\n(33)\nHARKS\n(33)\nSHAKE\n(33)\nSHAKE\n(33)\nRAKER\n(33)\nRAKES\n(33)\nHARKS\n(33)\nHARKS\n(33)\nREAKS\n(33)\nSHARK\n(33)\nRAKER\n(33)\nRAKES\n(33)\nREAKS\n(33)\nSHARK\n(32)\nHARKS\n(32)\nRASHER\n(32)\nSHARER\n(32)\nSHAKE\n(32)\nRASHER\n(32)\nSHARER\n(32)\nRAKE\n(30)\nSAKE\n(30)\nSAKE\n(30)\nRAKE\n(30)\nSHARER\n(30)\nSHARER\n(30)\nSHARER\n(30)\nSHARER\n(30)\nRAKERS\n(30)\nSHARER\n(30)\nRAKERS\n(30)\nRAKERS\n(30)\nHARK\n(30)\nHARK\n(30)\nHARK\n(30)\nHARK\n(30)\nRASHER\n(30)\nKASHER\n(30)\nHARK\n(30)\nRASHER\n(30)\nSHAKER\n(30)\nRASHER\n(30)\nRASHER\n(30)\nREAK\n(30)\nARKS\n(30)\nRASHER\n(30)\nARKS\n(30)\nHARKS\n(28)\nSHEAR\n(28)\nREAKS\n(28)\nSHAKER\n(28)\nSHARE\n(28)\n\n# Word Growth involving sharker\n\n## Shorter words in sharker\n\nar ark hark shark\n\nha hark shark\n\nsharkers"
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.62131006,"math_prob":1.0000098,"size":372,"snap":"2019-43-2019-47","text_gpt3_token_len":111,"char_repetition_ratio":0.36413044,"word_repetition_ratio":0.19607843,"special_character_ratio":0.18817204,"punctuation_ratio":0.09677419,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9991027,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2019-11-12T16:25:39Z\",\"WARC-Record-ID\":\"<urn:uuid:322ea345-1f15-4106-a81a-3c9d3969d4ff>\",\"Content-Length\":\"134759\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:1b0d5d42-5d0c-4c4c-8ccb-ce57be939e2a>\",\"WARC-Concurrent-To\":\"<urn:uuid:290c6ce2-a531-4d7e-88a6-c4537fe4b844>\",\"WARC-IP-Address\":\"104.18.50.165\",\"WARC-Target-URI\":\"https://www.litscape.com/word_analysis/sharker\",\"WARC-Payload-Digest\":\"sha1:SYNQVPK6ZJFXJDRIVEW6EPGRDM7MAB23\",\"WARC-Block-Digest\":\"sha1:HOEQSBAQBF4OCRKWV3ZLLI3PA5ULJF3D\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2019/CC-MAIN-2019-47/CC-MAIN-2019-47_segments_1573496665575.34_warc_CC-MAIN-20191112151954-20191112175954-00254.warc.gz\"}"} |
http://ivoronline.com/BooksHTML/Language%20-%20Java/2.1.9%20Operators%20-%20Assignment.html | [
"",
null,
"2\n2\n.\n.\n1\n1\n.\n.\n9\n9\nO\nO\np\np\ne\ne\nr\nr\na\na\nt\nt\no\no\nr\nr\ns\ns\n-\n-\nA\nA\ns\ns\ns\ns\ni\ni\ng\ng\nn\nn\nm\nm\ne\ne\nn\nn\nt\nt\nI\nI\nn\nn\nf\nf\no\no\nAssignment operators assign value to variable.\nShortcut assignment operators like += or *= perform mathematical operation before making the assignment.\nAssignment\nint x = 10; // Assignment\nx += 10; // Addition-Assignment x = x + 10\nx -= 10; // Subtraction-Assignment x = x - 10\nx *= 10; // Multiplication-Assignment x = x * 10\nx /= 10; // Division-Assignment x = x / 10\nx %= 10; // Modulus-Assignment x = x % 10",
null,
""
] | [
null,
"data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAABKgAAAaVCAIAAACQxGAoAAAACXBIWXMAABYlAAAWJQFJUiTwAAAgAElEQVR42uzdT2icdRrA8Wdm3vmbmWnTBDXGWpNGpJRAV9qLAXX3UBAPgrDQg7Le7E3oafey7npwD4IHYXvz4tF6EnoQMRRRm4WgZRBLJEFrkJimGpPQZNLM5N2zF8HdFvPO+/ncA/M+eS5ffu+fQpqmAQAAwOAqGgEAAIDwAwAAQPgBAAAg/AAAABB+AAAACD8AAACEHwAAAMIPAABA+AEAACD8AAAAEH4AAAAIPwAAAIQfAAAAwg8AAADhBwAAIPwAAAAQfgAAAAg/AAAAhB8AAADCDwAAAOEHAACA8AMAAED4AQAACD8AAACEHwAAAMIPAAAA4QcAAIDwAwAAQPgBAAAg/AAAAIQfAAAAwg8AAADhBwAAgPADAABA+AEAACD8AAAAEH4AAADCDwAAAOEHAACA8AMAAED4AQAAIPwAAAAQfgAAAAg/AAAAhB8AAIDwAwAAQPgBAAAg/AAAABB+AAAACD8AAACEHwAAAMIPAABA+AEAACD8AAAAEH4AAAAIPwAAAIQfAAAAwg8AAADhBwAAIPwAAAAQfgAAAAg/AAAAhB8AAADCDwAAAOEHAACA8AMAAED4AQAACD8AAACEHwAAAMIPAAAA4QcAAIDwAwAAQPgBAAAg/AAAAIQfAAAAwg8AAADhBwAAgPADAABA+AEAACD8AAAAEH4AAAAIPwAAAOEHAACA8AMAAED4AQAAIPwAAAAQfgAAAAg/AAAAhB8AAIDwAwAAQPgBAAAg/AAAABB+AAAACD8AAACEHwAAAMIPAABA+AEAACD8AAAAEH4AAAAIPwAAAIQfAAAAwg8AAADhBwAAgPADAAAQfgAAAAg/AAAAhB8AAADCDwAAAOEHAACA8AMAAED4AQAACD8AAACEHwAAAMIPAAAA4QcAAIDwAwAAQPgBAAAg/AAAAIQfAAAAwg8AAADhBwAAgPADAABA+AEAACD8AAAAEH4AAAAIPwAAAOEHAACA8AMAAED4AQAAIPwAAAAQfgAAAAg/AAAAhB8AAIDwAwAAQPgBAAAg/AAAABB+AAAACD8AAACEHwAAAMIPAAAA4QcAACD8AAAAEH4AAAAIPwAAAIQfAAAAwg8AAADhBwAAgPADAAAQfgAAAAg/AAAAhB8AAADCDwAAAOEHAACA8AMAAED4AQAACD8AAACEHwAAAMIPAAAA4QcAAIDwAwAAQPgBAAAg/AAAABB+AAAAwg8AAADhBwAAgPADAABA+AEAACD8AAAAEH4AAAAIPwAAgNxJ8nnZhULB/x4AAPImTdN8XrgTPwAAAOEHAABAlhVye9YJAACQE078AAAAhB8AAADCDwAAAOEHAACA8AMAAED4AQAAIPwAAAAQfgAAAMIPAAAA4QcAAIDwAwAA4ABIjCAi+v39uc+/nr+2kPb7zaHGk09MT02MFYuqGAAAGASFNE1zPoLNre3zby3U66ULzz9y/3Bt/vraP/89/9Kzky+fm7YfAACA8Mu8Xq//yhud6ZmHnzt95EilUCzGXj9udvtvvtN57HDp/LmTpVLJlgAAAJmW97sZr8ytfrTTPH5s5OZm4dZ2rO/E6u24tVV6aObUhfeWFxa/tyIAAIDwy7bXLnZiYuz9pfhmI25sxI2N+G4zltbj05XCxNkzH899aUUAAICsy/vLXZZ7ydRofa0bn/0QE62oFuLnvVjcimIaD4yPbq3sWhEAAED4ZVu5VR2vpePVuK8WSUQaMVSKqWZUk6h3e4Xcv/kGAAAQfpl34li9vbf94OH2UCWSJIrF6PWjkkQhiR+/XRk51LIiAABA1uX9Gb/XX3h0tbM43IokiUo5auWoJJEkUb5ze3H2i7NPP25FAAAA4ZdtJycPnRpJP/nwWru932hErRHNVrSb+x9cuvr2q0+Nj41YEQAAIOt8wD263d13Ly/NdtaGRtuNVu2n1Y3y7u6LzxydOTNpPwAAAOEHAADAQVc0AgAAAOEHAACA8AMAAED4AQAAIPwAAAAQfgAAAAg/AAAAhB8AAIDwAwAAQPgBAAAg/AAAABB+AAAA3GOJEQDZsnOn/z//bb1SOiA/5q7/EgCAX+HEDwAAQPgBAAAg/AAAABB+AAAACD8AAACEHwAAAL+VzzlERPT7+3Offz1/bSHt95tDjSefmJ6aGCsWVTEAACD8BsLm1vb5txbq9dKF5/94/3Bt/vraX/4x/9Kzky+fmzYcAABgABTSNM3z9fd6/Vfe6EzPPPzc6SNHKoViMfb6cbPbf/OdzmOHS+fPnSyVfGQZDhYfcAcA+K3yfjfjlbnVj3aax4+N3Nws3NqO9Z1YvR23tkoPzZy68N7ywuL3VgQAABB+2fbaxU5MjL2/FN9sxI2NuLER323G0np8ulKYOHvm47kvrQgAAJB1eX/Gb7mXTI3W17rx2Q8x0YpqIX7ei8WtKKbxwPjo1squFQEAAIRftpVb1fFaOl6N+2qRRKQRQ6WYakY1iXq3V8j3A5AAAIDwGwQnjtXbe9sPHm4PVSJJoliMXj8qSRSS+PHblZFDLSsCAABkXd6f8Xv9hUdXO4vDrUiSqJSjVo5KEkkS5Tu3F2e/OPv041YEAAAQftl2cvLQqZH0kw+vtdv7jUbUGtFsRbu5/8Glq2+/+tT42IgVAQAAsi7v3/GLiG53993LS7OdtaHRdqNV+2l1o7y7++IzR2fOTNoPOIB8xw8AQPgBwk/4AQD8QtEIAAAAhB8AAADCDwAAAOEHAACA8AMAAODu81ZPAACAAefEDwAAQPgBAAAg/AAAABB+AAAACD8AAACEHwAAAMIPAAAA4QcAACD8AAAAEH4AAAAIPwAAAIQfAAAAwg8AAADhBwAAgPADAAAQfgAAAAg/AAAAhB8AAADCDwAAAOEHAACA8AMAAED4AQAAIPwAAACEHwAAAMIPAAAA4QcAAIDwAwAAQPgBAAAg/AAAABB+AAAAwg8AAADhBwAAgPADAABA+AEAACD8AAAAEH4AAAAIPwAAAOEHAACA8AMAAED4AQAAIPwAAAAQfgAAAAg/AAAAhB8AAADCDwAAQPgBAAAg/AAAABB+AAAACD8AAACEHwAAAMIPAAAA4QcAACD8AAAAEH4AAAAIPwAAAIQfAAAAwg8AAADhBwAAgPADAAAQfkYAAAAw2BIjuLtmr68bAgAAHHx/OjEs/Pi/XLz8lSEAAMCBtbxd/c/fT+fnet3qCQAAIPwAAADIMrd63lvL21VDAACAA+JoYzefF+7EDwAAYMA58bvnrvz1D4YAAAC/r6tLm5HjtzA68QMAABB+AAAACD8AAACEHwAAAMIPAAAA4QcAAIDwAwAAQPgBAAAIPwAAAIQfAAAAwg8AAADhBwAAgPADAABA+AEAACD8AAAAhB8AAADCDwAAAOEHAACA8AMAAED4AQAAIPwAAAAQfgAAAAg/AAAA4QcAAIDwAwAAQPgBAAAg/AAAABB+AAAACD8AAACEHwAAgPADAABA+AEAACD8AAAAEH4AAAAIPwAAAIQfAAAAwg8AAED4AQAAIPwAAAAQfgAAAAg/AAAAhB8AAADCDwAAAOEHAACA8AMAABB+AAAACD8AAACEHwAAAMIPAAAA4QcAAIDwAwAAQPgBAAAIPwAAAIQfAAAAwg8AAADhBwAAgPADAABA+AEAACD8AAAAhJ8RAAAACD8AAACEHwAAAMIPAAAA4QcAAIDwAwAAQPgBAAAg/AAAAIQfAAAAwg8AAADhBwAAgPADAABA+AEAACD8AAAAEH4AAADCDwAAAOEHAACA8AMAAED4AQAAIPwAAAAQfgAAAAg/AAAAhB8AAIDwAwAAQPgBAAAg/AAAABB+AAAACD8AAACEHwAAAMIPAABA+AEAACD8AAAAEH4AAAAIPwAAAIQfAAAAwg8AAADhBwAAIPwAAAAQfgAAAAg/AAAAhB8AAADCDwAAAOEHAACA8AMAAED4AQAACD8AAACEHwAAAMIPAAAA4QcAAIDwAwAAQPgBAAAg/AAAAIQfAAAAwg8AAADhBwAAgPADAABA+AEAACD8AAAAEH4AAADCDwAAAOEHAACA8AMAAED4AQAAIPwAAAAQfgAAAAg/AAAAhB8AAIDwAwAAQPgBAAAg/AAAABB+AAAACD8AAACEHwAAAMIPAABA+AEAACD8AAAAEH4AAAAIPwAAAIQfAAAAwg8AAADhBwAAgPADAAAQfgAAAAg/AAAAhB8AAADCDwAAAOEHAACA8AMAAED4AQAACD8AAACEHwAAAMIPAAAA4QcAAIDwAwAAQPgBAAAg/AAAAIQfAAAAwg8AAIBMSozgnvrXn49fXdo0BwAAQPgNrIuXvzIEAADg9+VWTwAAAOEHAABAlrnV8y7726WliIioGgUAAHBAFNI0NQUAAIAB5lZPAAAA4QcAAIDwAwAAQPgBAAAg/AAAABB+AAAACD8AAACEHwAAgPADAABA+AEAACD8AAAAEH4AAAAIPwAAAIQfAAAAwg8AAED4AQAAIPwAAAAQfgAAAAg/AAAAhB8AAADCDwAAAOEHAACA8AMAABB+AAAACD8AAACEHwAAAMIPAAAA4QcAAIDwAwAAQPgBAAAIPwAAAIQfAAAAwg8AAADhBwAAgPADAABA+AEAACD8AAAAhB8AAADCDwAAAOEHAACA8AMAAED4AQAAIPwAAAAQfgAAAAg/AAAA4QcAAIDwAwAAQPgBAAAg/AAAABB+AAAACD8AAACEHwAAgPADAABA+AEAACD8AAAAEH4AAAAIPwAAAIQfAAAAwg8AAED4GQEAAIDwAwAAQPgBAAAg/AAAABB+AAAACD8AAACEHwAAAMIPAABA+AEAACD8AAAAEH4AAAAIPwAAAIQfAAAAwg8AAADhBwAAIPwAAAAQfgAAAAg/AAAAhB8AAADCDwAAAOEHAACA8AMAAED4AQAACD8AAACEHwAAAMIPAAAA4QcAAIDwAwAAQPgBAAAg/AAAAIQfAAAAwg8AAADhBwAAgPADAABA+AEAACD8AAAAEH4AAADCDwAAAOEHAACA8AMAAED4AQAAIPwAAAAQfgAAAAg/AAAAhB8AAIDwAwAAQPgBAAAg/AAAABB+AAAACD8AAACEHwAAAMIPAABA+AEAACD8AAAAEH4AAAAIPwAAAIQfAAAAwg8AAADhBwAAIPwAAAAQfgAAAAg/AAAAhB8AAADCDwAAAOEHAACA8AMAAED4AQAACD8AAACEHwAAAMIPAAAA4QcAAIDwAwAAQPgBAAAg/AAAAIQfAAAAwg8AAADhBwAAgPADAABA+AEAACD8AAAAEH4AAAAIPwAAAOEHAACA8AMAAED4AQAAIPwAAAAQfgAAAAg/AAAAhB8AAIDwAwAAQPgBAAAg/AAAABB+AAAACD8AAACEHwAAAMIPAABA+AEAACD8AAAAEH4AAAAIPwAAAIQfAAAAwg8AAADhBwAAgPADAAAQfgAAAAg/AAAAhB8AAADCDwAAAOEHAACA8AMAAED4AQAACD8AAACEHwAAAMIPAAAA4QcAAIDwAwAAQPgBAAAg/AAAAIQfAAAAwg8AAADhBwAAgPADAABA+AEAACD8AAAAEH4AAAAIPwAAAOEHAACA8AMAAED4AQAAIPwAAAAQfgAAAAg/AAAAhB8AAIDwAwAAQPgBAAAg/AAAABB+AAAACD8AAACEHwAAAMIPAAAA4QcAACD8AAAAEH4AAAAIPwAAAIQfAAAAwg8AAADhBwAAgPADAAAQfgAAAAg/AAAAhB8AAADCDwAAAOEHAACA8AMAAED4AQAACD8AAACEHwAAAMIPAAAA4QcAAIDwAwAAQPgBAAAg/AAAABB+AAAAwg8AAADhBwAAgPADAABA+AEAACD8AAAAEH4AAAAIPwAAAOEHAACA8AMAAED4AQAAIPwAAAAQfgAAAAg/AAAAhB8AAIDwAwAAQPgBAAAg/AAAABB+AAAACD8AAACEHwAAAMIPAAAA4QcAACD8AAAAEH4AAAAIPwAAAIQfAAAAwg8AAADhBwAAgPADAAAQfgAAAAg/AAAAhB8AAADCDwAAAOEHAACA8AMAAED4AQAAIPwAAACEHwAAAMIPAAAA4QcAAIDwAwAAQPgBAAAg/AAAABB+AAAAwg8AAADhBwAAgPADAABA+AEAACD8AAAAEH4AAAAIPwAAAOEHAACA8AMAAED4AQAAIPwAAAAQfgAAAAg/AAAAhB8AAADCDwAAQPgBAAAg/AAAABB+AAAACD8AAACEHwAAAMIPAAAA4QcAACD8AAAAEH4AAAAIPwAAAIQfAAAAwg8AAADhBwAAgPADAAAQfgAAAAg/AAAAhB8AAADCDwAAAOEHAACA8AMAAED4AQAAIPwAAACEHwAAAMIPAAAA4QcAAIDwAwAAQPgBAAAg/AAAABB+AAAAwg8AAADhBwAAgPADAABA+AEAACD8AAAAEH4AAAAIPwAAAOFnBAAAAMIPAAAA4QcAAIDwAwAAQPgBAAAg/AAAABB+AAAACD8AAADhBwAAgPADAABA+AEAACD8AAAAEH4AAAAIPwAAAIQfAACA8AMAAED4AQAAIPwAAAAQfgAAAAg/AAAAhB8AAADCDwAAAOEHAAAg/AAAABB+AAAACD8AAACEHwAAAMIPAAAA4QcAAIDwAwAAEH4AAAAIPwAAAIQfAAAAwg8AAADhBwAAgPADAABA+AEAAAg/AAAAhB8AAADCDwAAAOEHAACA8AMAAED4AQAAIPwAAAAQfgAAAMIPAAAA4QcAAIDwAwAAQPgBAAAg/AAAABB+AAAACD8AAADhBwAAgPADAABA+AEAACD8AAAAEH4AAAAIPwAAAIQfAACA8AMAAED4AQAAIPwAAAAQfgAAAAg/AAAAhB8AAADCDwAAAOEHAAAg/AAAABB+AAAACD8AAACEHwAAAMIPAAAA4QcAAIDwAwAAEH4AAAAIPwAAAIQfAAAAwg8AAADhBwAAgPADAABA+AEAACD8AAAAhB8AAADCDwAAAOEHAACA8AMAAED4AQAAIPwAAAAQfgAAAMIPAAAA4QcAAIDwAwAAQPgBAAAg/AAAABB+AAAACD8AAADhBwAAgPADAABA+AEAACD8AAAAEH4AAAAIPwAAAIQfAAAAwg8AAED4AQAAIPwAAAAQfgAAAAg/AAAAhB8AAADCDwAAAOEHAAAg/AAAABB+AAAACD8AAACEHwAAAMIPAAAA4QcAAIDwAwAAEH4AAAAIPwAAAIQfAAAAwg8AAADhBwAAgPADAABA+AEAACD8AAAAhB8AAADCDwAAAOEHAACA8AMAAED4AQAAIPwAAAAQfgAAAMIPAAAA4QcAAIDwAwAAQPgBAAAg/AAAABB+AAAACD8AAACEHwAAgPADAABA+AEAACD8AAAAEH4AAAAIPwAAAIQfAAAAwg8AAED4AQAAIPwAAAAQfgAAAAg/AAAAhB8AAADCDwAAAOEHAAAg/AAAABB+AAAACD8AAACEHwAAAMIPAAAA4QcAAIDwAwAAQPgBAAAIPwAAAIQfAAAAwg8AAADhBwAAgPADAABA+AEAACD8AAAAhB8AAADCDwAAAOEHAACA8AMAAED4AQAAIPwAAAAQfgAAAMIPAAAA4QcAAIDwAwAAQPgBAAAg/AAAABB+AAAACD8AAACEHwAAgPADAABA+AEAACD8AAAAEH4AAAAIPwAAAIQfAAAAwg8AAED4AQAAIPwAAAAQfgAAAAg/AAAAhB8AAADCDwAAAOEHAACA8AMAABB+AAAACD8AAACEHwAAAMIPAAAA4QcAAIDwAwAAQPgBAAAIPwAAAIQfAAAAwg8AAADhBwAAgPADAABA+AEAACD8AAAAhB8AAADCDwAAAOEHAACA8AMAAED4AQAAIPwAAAAQfgAAAAg/AAAA4QcAAIDwAwAAQPgBAAAg/AAAABB+AAAACD8AAACEHwAAgPADAABA+AEAACD8AAAAEH4AAAAIPwAAAIQfAAAAwg8AAED4AQAAIPwAAAAQfgAAAAg/AAAAhB8AAADCDwAAAOEHAACA8AMAABB+AAAACD8AAACEHwAAAMIPAAAA4QcAAIDwAwAAQPgBAAAIPwAAAIQfAAAAwg8AAADhBwAAgPADAABA+AEAACD8AAAAhJ8RAAAACD8AAACEHwAAAMIPAAAA4QcAAIDwAwAAQPgBAAAg/AAAAIQfAAAAwg8AAADhBwAAgPADAABA+AEAACD8AAAAEH4AAADCDwAAAOEHAACA8AMAAED4AQAAIPwAAAAQfgAAAAg/AAAAhB8AAIDwAwAAQPgBAAAg/AAAABB+AAAACD8AAACEHwAAAMIPAABA+AEAACD8AAAAEH4AAAAIPwAAAIQfAAAAwg8AAADhBwAAIPwAAAAQfgAAAAg/AAAAhB8AAADCDwAAAOEHAACA8AMAAED4AQAACD8AAACEHwAAAMIPAAAA4QcAAIDwAwAAQPgBAAAg/AAAAIQfAAAAwg8AAADhBwAAgPADAABA+AEAACD8AAAAEH4AAADCDwAAAOEHAACA8AMAAED4AQAAIPwAAAAQfgAAAAg/AAAAhB8AAIDwAwAAQPgBAAAg/AAAABB+AAAACD8AAACEHwAAAMIPAABA+AEAACD8AAAAEH4AAAAIPwAAAIQfAAAAwg8AAADhBwAAgPADAAAQfgAAAAg/AAAAhB//bc+OURoIwjAMf7uu0TK9QXKCoGBhJVuoWFjoHXKE9F7F41h6idzDIv+oE9ATPA+EnxkyG3a6lwAAAAg/AAAAhB8AAADCDwAAAOEHAAAg/AAAABB+AAAACD8AAACEHwAAAMIPAAAA4QcAAIDwAwAAEH4AAAAIPwAAAIQfAAAAwg8AAADhBwAAgPADAABA+AEAACD8AAAAhB8AAADCDwAAAOEHAACA8AMAAED4AQAAIPwAAAAQfgAAAMIPAAAA4QcAAIDwAwAAQPgBAAAg/AAAABB+AAAACD8AAADhBwAAgPADAABA+AEAACD8AAAAEH4AAAAIPwAAAIQfAAAAwg8AAED4AQAAIPwAAAAQfgAAAAg/AAAAhB8AAADCDwAAAOEHAAAg/AAAABB+AAAACD8AAACEHwAAAMIPAAAA4QcAAIDwAwAAQPgBAAAIPwAAAIQfAAAAwg8AAADhBwAAgPADAABA+AEAACD8AAAAhB8AAADCDwAAAOEHAACA8AMAAED4AQAAIPwAAAAQfgAAAMIPAAAA4QcAAIDwAwAAQPgBAAAg/AAAABB+AAAACD8AAACEHwAAgPADAABA+AEAACD8AAAAEH4AAAAIPwAAAIQfAAAAwg8AAED4AQAAIPwAAAAQfgAAAAg/AAAAhB8AAADCDwAAAOEHAAAg/AAAABB+AAAACD8AAACEHwAAAMIPAAAA4QcAAIDwAwAAQPgBAAAIPwAAAIQfAAAAwg8AAADhBwAAgPADAABA+AEAACD8AAAAhB8AAADCDwAAAOEHAACA8AMAAED4AQAAIPwAAAAQfgAAAAg/AAAA4QcAAIDwAwAAQPgBAAAg/AAAABB+AAAACD8AAACEHwAAgPADAABA+AEAACD8AAAAEH4AAAAIPwAAAIQfAAAAwg8AAED4AQAAIPwAAAAQfgAAAAg/AAAAhB8AAADCDwAAAOEHAACA8AMAABB+AAAACD8AAACEHwAAAMIPAAAA4QcAAIDwAwAAQPgBAAAIPwAAAIQfAAAAwg8AAADhBwAAgPADAABA+AEAACD8AAAAhB8AAADCDwAAAOEHAACA8AMAAED4AQAAIPwAAAAQfgAAAAg/AAAA4QcAAIDwAwAAQPgBAAAg/AAAABB+AAAACD8AAACEHwAAgPADAABA+AEAACD8AAAAEH4AAAAIPwAAAIQfAAAAwg8AAED4uQIAAADhBwAAgPADAABA+AEAACD8AAAAEH4AAAAIPwAAAIQfAACA8AMAAED4AQAAIPwAAAAQfgAAAAg/AAAAhB8AAADCDwAAQPgBAAAg/AAAABB+AAAACD8AAACEHwAAAMIPAAAA4QcAAIDwAwAAEH4AAAAIPwAAAIQfAAAAwg8AAADhBwAAgPADAABA+AEAAAg/AAAAhB8AAADCDwAAAOEHAACA8AMAAED4AQAAIPwAAACEHwAAAMIPAAAA4QcAAIDwAwAAQPgBAAAg/AAAABB+AAAACD8AAADhBwAAgPADAABA+AEAACD8AAAAEH4AAAAIPwAAAIQfAACA8AMAAED4AQAAIPwAAAAQfgAAAAg/AAAAhB8AAADCDwAAQPgBAAAg/AAAABB+AAAACD8AAACEHwAAAMIPAAAA4QcAAIDwAwAAEH4AAAAIPwAAAIQfAAAAwg8AAADhBwAAgPADAABA+AEAAAg/AAAAhB8AAADCDwAAAOEHAACA8AMAAED4AQAAIPwAAAAQfgAAAMIPAAAA4QcAAIDwAwAAQPgBAAAg/AAAABB+AAAACD8AAADhBwAAgPADAABA+AEAACD8AAAAEH4AAAAIPwAAAIQfAACA8AMAAED4AQAAIPwAAAAQfgAAAAg/AAAAhB8AAADCDwAAAOEHAAAg/AAAABB+AAAACD8AAACEHwAAAMIPAAAA4QcAAIDwAwAAEH4AAAAIPwAAAIQfAAAAwg8AAADhBwAAgPADAABA+AEAAAg/AAAAhB8AAADCDwAAAOEHAACA8AMAAED4AQAAIPwAAAAQfgAAAMIPAAAA4QcAAIDwAwAAQPgBAAAg/AAAABB+AAAACD8AAADhBwAAgPADAABA+AEAACD8AAAAEH4AAAAIPwAAAIQfAAAAwg8AAED4AQAAIPwAAAAQfgAAAAg/AAAAhB8AAADCDwAAAOEHAAAg/AAAABB+AAAACD8AAACEHwAAAMIPAAAA4QcAAIDwAwAAEH4AAAAIPwAAAIQfAAAAwg8AAADhBwAAgPADAABA+AEAACD8AAAAhB8AAADCDwAAAOEHAACA8AMAAED4AQAAIPwAAAAQfgAAAMIPACRylXAAAASJSURBVAAA4QcAAIDwAwAAQPgBAAAg/AAAABB+AAAACD8AAADhBwAAgPADAABA+AEAACD8AAAAEH4AAAAIPwAAAIQfAAAAwg8AAED4AQAAIPwAAAAQfgAAAAg/AAAAhB8AAADCDwAAAOEHAAAg/AAAABB+AAAACD8AAACEHwAAAMIPAAAA4QcAAIDwAwAAQPgBAAAIPwAAAIQfAAAAwg8AAADhBwAAgPADAABA+AEAACD8AAAAhB8AAADCDwAAAOEHAACA8AMAAED4AQAAIPwAAAAQfgAAAMIPAAAA4QcAAIDwAwAAQPgBAAAg/AAAABB+AAAACD8AAACEHwAAgPADAABA+AEAACD8AAAAEH4AAAAIPwAAAIQfAAAAwg8AAED4AQAAIPwAAAAQfgAAAAg/AAAAhB8AAADCDwAAAOEHAAAg/AAAABB+AAAACD8AAACEHwAAAMIPAAAA4QcAAIDwAwAAQPgBAAAIPwAAAIQfAAAAwg8AAADhBwAAgPADAABA+AEAACD8AAAAhB8AAADCDwAAAOEHAACA8AMAAED4AQAAIPwAAAAQfgAAAMLPFQAAAAg/AAAAhB8AAADCDwAAAOEHAACA8AMAAED4AQAAIPwAAACEHwAAAMIPAAAA4QcAAIDwAwAAQPgBAAAg/AAAABB+AAAAwg8AAADhBwAAgPADAABA+AEAACD8AAAAEH4AAAAIPwAAAIQfAACA8AMAAED4AQAAIPwAAAAQfgAAAAg/AAAAhB8AAADCDwAAQPgBAAAg/AAAABB+AAAACD8AAACEHwAAAMIPAAAA4QcAACD8AAAAEH4AAAAIPwAAAIQfAAAAwg8AAADhBwAAgPADAABA+AEAAAg/AAAAhB8AAADCDwAAAOEHAACA8AMAAED4AQAAIPwAAACEHwAAAMIPAAAA4QcAAIDwAwAAQPgBAAAg/AAAABB+AAAAwg8AAADhBwAAgPADAABA+AEAACD8AAAAEH4AAAAIPwAAAIQfAACA8AMAAED4AQAAIPwAAAAQfgAAAAg/AAAAhB8AAADCDwAAQPgBAAAg/AAAABB+AAAACD8AAACEHwAAAMIPAAAA4QcAAIDwAwAAEH4AAAAIPwAAAIQfAAAAwg8AAADhBwAAgPADAABA+AEAAAg/AAAAhB8AAADCDwAAAOEHAACA8AMAAED4AQAAIPwAAACEHwAAAMIPAAAA4QcAAIDwAwAAQPgBAAAg/AAAABB+AAAACD8AAADhBwAAgPADAABA+AEAACD8AAAAEH4AAAAIPwAAAIQfAACA8AMAAED4AQAAIPwAAAAQfgAAAAg/AAAAhB8AAADCDwAAQPgBAAAg/AAAABB+AAAACD8AAACEHwAAAMIPAAAA4QcAAIDwAwAAEH4AAAAIPwAAAAAAAPjb28Pz4zgM3+uT3GVIksVhPdf+y/XPmTm3OcucVS4yJDn95/lXl/1M1kmSof3EprY3627O9RfZ09ifG+vcss4t6/ttftartHlep6f6fNT+8bxPP6f23vvddkryvjqsj+dN+tnOve5328Wve/gC0tCD5BbdlXUAAAAASUVORK5CYII=",
null,
"data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAEAAAABACAMAAACdt4HsAAAABGdBTUEAALGPC/xhBQAAAwBQTFRFAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAQAAAwAACAEBDAIDFgQFHwUIKggLMggPOgsQ/w1x/Q5v/w5w9w9ryhBT+xBsWhAbuhFKUhEXUhEXrhJEuxJKwBJN1xJY8hJn/xJsyhNRoxM+shNF8BNkZxMfXBMZ2xRZlxQ34BRb8BRk3hVarBVA7RZh8RZi4RZa/xZqkRcw9Rdjihgsqxg99BhibBkc5hla9xli9BlgaRoapho55xpZ/hpm8xpfchsd+Rtibxsc9htgexwichwdehwh/hxk9Rxedx0fhh4igB4idx4eeR4fhR8kfR8g/h9h9R9bdSAb9iBb7yFX/yJfpCMwgyQf8iVW/iVd+iVZ9iVWoCYsmycjhice/ihb/Sla+ylX/SpYmisl/StYjisfkiwg/ixX7CxN9yxS/S1W/i1W6y1M9y1Q7S5M6S5K+i5S6C9I/i9U+jBQ7jFK/jFStTIo+DJO9zNM7TRH+DRM/jRQ8jVJ/jZO8DhF9DhH9jlH+TlI/jpL8jpE8zpF8jtD9DxE7zw9/z1I9j1A9D5C+D5D4D8ywD8nwD8n90A/8kA8/0BGxEApv0El7kM5+ENA+UNAykMp7kQ1+0RB+EQ+7EQ2/0VCxUUl6kU0zkUp9UY8/kZByUkj1Eoo6Usw9Uw3300p500t3U8p91Ez11Ij4VIo81Mv+FMz+VM0/FM19FQw/lQ19VYv/lU1/1cz7Fgo/1gy8Fkp9lor4loi/1sw8l0o9l4o/l4t6l8i8mAl+WEn8mEk52Id9WMk9GMk/mMp+GUj72Qg8mQh92Uj/mUn+GYi7WYd+GYj6mYc62cb92ch8Gce7mcd6Wcb6mcb+mgi/mgl/Gsg+2sg+Wog/moj/msi/mwh/m0g/m8f/nEd/3Ic/3Mb/3Qb/3Ua/3Ya/3YZ/3cZ/3cY/3gY/0VC/0NE/0JE/w5wl4XsJQAAAPx0Uk5TAAAAAAAAAAAAAAAAAAAAAAABCQsNDxMWGRwhJioyOkBLT1VTUP77/vK99zRpPkVmsbbB7f5nYabkJy5kX8HeXaG/11H+W89Xn8JqTMuQcplC/op1x2GZhV2I/IV+HFRXgVSN+4N7n0T5m5RC+KN/mBaX9/qp+pv7mZr83EX8/N9+5Nip1fyt5f0RQ3rQr/zo/cq3sXr9xrzB6hf+De13DLi8RBT+wLM+7fTIDfh5Hf6yJMx0/bDPOXI1K85xrs5q8fT47f3q/v7L/uhkrP3lYf2ryZ9eit2o/aOUmKf92ILHfXNfYmZ3a9L9ycvG/f38+vr5+vz8/Pv7+ff36M+a+AAAAAFiS0dEQP7ZXNgAAAj0SURBVFjDnZf/W1J5Fsf9D3guiYYwKqglg1hqplKjpdSojYizbD05iz5kTlqjqYwW2tPkt83M1DIm5UuomZmkW3bVrmupiCY1mCNKrpvYM7VlTyjlZuM2Y+7nXsBK0XX28xM8957X53zO55z3OdcGt/zi7Azbhftfy2b5R+IwFms7z/RbGvI15w8DdkVHsVi+EGa/ZZ1bYMDqAIe+TRabNv02OiqK5b8Z/em7zs3NbQO0GoD0+0wB94Ac/DqQEI0SdobIOV98Pg8AfmtWAxBnZWYK0vYfkh7ixsVhhMDdgZs2zc/Pu9HsVwc4DgiCNG5WQoJ/sLeXF8070IeFEdzpJh+l0pUB+YBwRJDttS3cheJKp9MZDMZmD5r7+vl1HiAI0qDtgRG8lQAlBfnH0/Miqa47kvcnccEK2/1NCIdJ96Ctc/fwjfAGwXDbugKgsLggPy+csiOZmyb4LiEOjQMIhH/YFg4TINxMKxxaCmi8eLFaLJVeyi3N2eu8OTctMzM9O2fjtsjIbX5ewf4gIQK/5gR4uGP27i5LAdKyGons7IVzRaVV1Jjc/PzjP4TucHEirbUjEOyITvQNNH+A2MLj0NYDAM1x6RGk5e9raiQSkSzR+XRRcUFOoguJ8NE2kN2XfoEgsUN46DFoDlZi0DA3Bwiyg9TzpaUnE6kk/OL7xgdE+KBOgKSkrbUCuHJ1bu697KDrGZEoL5yMt5YyPN9glo9viu96GtEKQFEO/34tg1omEVVRidBy5bUdJXi7R4SIxWJzPi1cYwMMV1HO10gqnQnLFygPEDxSaPPuYPlEiD8B3IIrqDevvq9ytl1JPjhhrMBdIe7zaHG5oZn5sQf7YirgJqrV/aWHLPnPCQYis2U9RthjawHIFa0NnZcpZbCMTbRmnszN3mz5EwREJmX7JrQ6nU0eyFvbtX2dyi42/yqcQf40fnIsUsfSBIJIixhId7OCA7aA8nR3sTfF4EHn3d5elaoeONBEXXR/hWdzgZvHMrMjXWwtVczxZ3nwdm76fBvJfAvtajUgKPfxO1VHHRY5f6PkJBCBwrQcSor8WFIQFgl5RFQw/RuWjwveDGjr16jVvT3UBmXPYgdw0jPFOyCgEem5fw06BMqTu/+AGMeJjtrA8aGRFhJpqEejvlvl2qeqJC2J3+nSRHwhWlyZXvTkrLSEhAQuRxoW5RXA9aZ/yESUkMrv7IpffIWXbhSW5jkVlhQUpHuxHdbQt0b6ZcWF4vdHB9MjWNs5cgsAatd0szvu9rguSmFxWUVZSUmM9ERocbarPfoQ4nETNtofiIvzDIpCFUJqzgPFYI+rVt3k9MH2ys0bOFw1qG+R6DDelnmuYAcGF38vyHKxE++M28BBu47PbrE5kR62UB6qzSFQyBtvVZfDdVdwF2tO7jsrugCK93Rxoi1mf+QHtgNOyo3bxgsEis9i+a3BAA8GWlwHNRlYmTdqkQ64DobhHwNuzl0mVctKGKhS5jGBfW5mdjgJAs0nbiP9KyCVUSyaAwAoHvSPXGYMDgjRGCq0qgykE64/WAffrP5bPVl6ToJeZFFJDMCkp+/BUjUpwYvORdXWi2IL8uDR2NjIdaYJAOy7UpnlqlqHW3A5v66CgbsoQb3PLT2MB1mR+BkWiqTvACAuOnivEwFn82TixYuxsWYTQN6u7hI6Qg3KWvtLZ6/xy2E+rrqmCHhfiIZCznMyZVqSAAV4u4Dj4GwmpiYBoYXxeKSWgLvfpRaCl6qV4EbK4MMNcKVt9TVZjCWnIcjcgAV+9K+yXLCY2TwyTk1OvrjD0I4027f2DAgdwSaNPZ0xQGFq+SAQDXPvMe/zPBeyRFokiPwyLdRUODZtozpA6GeMj9xxbB24l4Eo5Di5VtUMdajqHYHOwbK5SrAVz/mDUoqzj+wJSfsiwJzKvJhh3aQxdmjsnqdicGCgu097X3G/t7tDq2wiN5bD1zIOL1aZY8fTXZMFAtPwguYBHvl5Soj0j8VDSEb9vQGN5hbS06tUqapIuBuHDzoTCItS/ER+DiUpU5C964Ootk3cZj58cdsOhycz4pvvXGf23W3q7I4HkoMnLOkR0qKCUDo6h2TtWgAoXvYz/jXZH4O1MQIzltiuro0N/8x6fygsLmYHoVOEIItnATyZNg636V8Mm3eDcK2avzMh6/bSM6V5lNwCjLAVMlfjozevB5mjk7qF0aNR1x27TGsoLC3dx88uwOYQIGsY4PmvM2+mnyO6qVGL9sq1GqF1By6dE+VRThQX54RG7qESTUdAfns7M/PGwHs29WrI8t6DO6lWW4z8vES0l1+St5dCsl9j6Uzjs7OzMzP/fnbKYNQjlhcZ1lt0dYWkinJG9JeFtLIAAEGPIHqjoW3F0fpKRU0e9aJI9Cfo4/beNmwwGPTv3hhSnk4bf16JcOXH3yvY/CIJ0LlP5gO8A5nsHDs8PZryy7TRgCxnLq+ug2V7PS+AWeiCvZUx75RhZjzl+bRxYkhuPf4NmH3Z3PsaSQXfCkBhePuf8ZSneuOrfyBLEYrqchXcxPYEkwwg1Cyc4RPA7Oyvo6cQw2ujbhRRLDLXdimVVVQgUjBGqFy7FND2G7iMtwaE90xvnHr18BekUSHHhoe21vY+Za+yZZ9zR13d5crKs7JrslTiUsATFDD79t2zU8xhvRHIlP7xI61W+3CwX6NRd7WkUmK0SuVBMpHo5PnncCcrR3g+a1rTL5+mMJ/f1r1C1XZkZASITEttPCWmoUel6ja1PwiCrATxKfDgXfNR9lH9zMtxJIAZe7QZrOu1wng2hTGk7UHnkI/b39IgDv8kdCXb4aFnoDKmDaNPEITJZDKY/KEObR84BTqH1JNX+mLBOxCxk7W9ezvz5vVr4yvdxMvHj/X94BT11+8BxN3eJvJqPvvAfaKE6fpa3eQkFohaJyJzGJ1D6kmr+m78J7iMGV28oz0ygRHuUG1R6e3TqIXEVQHQ+9Cz0cYFRAYQzMMXLz6Vgl8VoO0lsMeMoPGpqUmdZfiCbPGr/PRF4i0je6PBaBSS/vjHN35hK+QnoTP+//t6Ny+Cw5qVHv8XF+mWyZITVTkAAAAASUVORK5CYII=",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.6342333,"math_prob":0.9998042,"size":411,"snap":"2023-14-2023-23","text_gpt3_token_len":115,"char_repetition_ratio":0.2800983,"word_repetition_ratio":0.0,"special_character_ratio":0.36009732,"punctuation_ratio":0.121212125,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9998646,"pos_list":[0,1,2,3,4],"im_url_duplicate_count":[null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-03-28T08:57:40Z\",\"WARC-Record-ID\":\"<urn:uuid:60d850e1-7a78-4c8a-bbb7-731d9fcead8a>\",\"Content-Length\":\"507288\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:681e93f4-cfb4-4867-8af5-a21c17642ad2>\",\"WARC-Concurrent-To\":\"<urn:uuid:87d36f36-7919-4783-be84-4ac8ef79168f>\",\"WARC-IP-Address\":\"174.136.57.205\",\"WARC-Target-URI\":\"http://ivoronline.com/BooksHTML/Language%20-%20Java/2.1.9%20Operators%20-%20Assignment.html\",\"WARC-Payload-Digest\":\"sha1:P7SCTMTVJH2J5EWULPEGIWMVOAWSH4VY\",\"WARC-Block-Digest\":\"sha1:C4636YOL5GZJYWUZ2W6ITSLDNQE7RJV6\",\"WARC-Identified-Payload-Type\":\"application/xhtml+xml\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-14/CC-MAIN-2023-14_segments_1679296948817.15_warc_CC-MAIN-20230328073515-20230328103515-00177.warc.gz\"}"} |
https://winegeeknyc.netlify.app/beautiful-printable-8th-grade-math-worksheets/ | [
"# 25++ Beautiful printable 8th grade math worksheets information\n\nWritten by Ireland Feb 11, 2021 · 9 min read",
null,
"Your Beautiful printable 8th grade math worksheets images are ready in this website. Beautiful printable 8th grade math worksheets are a topic that is being searched for and liked by netizens now. You can Get the Beautiful printable 8th grade math worksheets files here. Download all royalty-free images.\n\nIf you’re looking for beautiful printable 8th grade math worksheets images information linked to the beautiful printable 8th grade math worksheets topic, you have pay a visit to the ideal site. Our website always provides you with suggestions for downloading the maximum quality video and image content, please kindly hunt and find more informative video content and graphics that match your interests.\n\nBeautiful Printable 8th Grade Math Worksheets. Ahead of referring to Printable 8Th Grade Math Worksheets you should be aware that Education and learning is definitely all of our key to an improved another day and learning wont just quit once the school bell ringsThis staying claimed most of us give you a a number of easy yet enlightening reports plus web templates built made for every educational purpose. 8th Grade Math Worksheets As a quick supplement for your instruction use our printable 8th grade math worksheets to provide practice problems to. 8th Grade Math Worksheets. Printable worksheets shared to.",
null,
"Math Sheets For Grade 1 To Print First Grade Math Worksheets Math Subtraction Worksheets Math Subtraction From pinterest.com\n\nCazoom Math provides a range of math worksheets in pdf for middle school children and these math worksheets are perfect for students in Grade 8 age 13 -14. 8th Grade Math Worksheets. Click on the free 8th grade math worksheet you would like to print or download. Math Worksheets 8Th Grade. Easy to Use Complements School Work and Best for Revision. 8th Grade Math Worksheets As a quick supplement for your instruction use our printable 8th grade math worksheets to provide practice problems to.\n\n### Printable worksheets are.\n\nMathcation provides you with step-by-step tutorial videos including guided notes that allow for easy note taking and. The assemblage of printable algebra worksheets encompasses topics like translating phrases evaluating and simplifying algebraic expressions solving equations graphing linear and quadratic equations comprehending linear and quadratic functions inequalities polynomials trigonometry calculus and much more. This page is updated often and includes a variety of meaningful math for basic operations as well as algebra so be sure to check back as you need additional ideas to engage your students. To downloadprint click on pop-out icon or print icon to worksheet to print or download. Our 8th grade math worksheets cover a wide array of topics including all 8th grade Common Core Standards. This page hosts dozens of free 6-8 grade math printables and games.",
null,
"Source: pinterest.com\n\nWorksheet Fun Worksheet Study Printable 8Th Grade Math Worksheets Source Image. These days printing is made easy using the Printable 8Th Grade Math Worksheets. 8th Grade Math Worksheets As a quick supplement for your instruction use our printable 8th grade math worksheets to provide practice problems to. 27102020 Free printable 8th grade math worksheets with answer key. 8th Grade Math Worksheets.",
null,
"Source: pinterest.com\n\nThis will take you to the individual page of the worksheet. Subscribe and get a 30-day free trial then 999mo until canceled. Easy to Use Complements School Work and Best for Revision. Cazoom Math provides a range of math worksheets in pdf for middle school children and these math worksheets are perfect for students in Grade 8 age 13 -14. Subscribe and get a 30-day free trial then 999mo until canceled.",
null,
"Source: in.pinterest.com\n\nThe assemblage of printable algebra worksheets encompasses topics like translating phrases evaluating and simplifying algebraic expressions solving equations graphing linear and quadratic equations comprehending linear and quadratic functions inequalities polynomials trigonometry calculus and much more. This page hosts dozens of free 6-8 grade math printables and games. Take a brain-break and make learning fun. The assemblage of printable algebra worksheets encompasses topics like translating phrases evaluating and simplifying algebraic expressions solving equations graphing linear and quadratic equations comprehending linear and quadratic functions inequalities polynomials trigonometry calculus and much more. Printable 8Th Grade Math Worksheets can be utilized by anybody at home for instructing and understanding objective.",
null,
"Source: pinterest.com\n\nLessons include topics such as Scientific Notation Slope Fractions Exponents Pythagorean Theorem and Solving Equations. Aligned with the ccss the practice worksheets cover all the key math topics like number sense measurement statistics geometry pre algebra and algebra. Ad Access Maths Worksheets - 100 Aligned With The National Curriculum. First things first prioritize major topics with our printable compilation of 8th grade math worksheets with answer keys. Printable worksheets are.",
null,
"Source: pinterest.com\n\nIf your pupil takes the time to design a worksheet for a math class then you should be able to help them make their own. Linear Relationships Sequences Plane Figures Functions Equations And Inequalities Real Numbers Solving Linear Equations Polynomials And Exponents Three Dimensional Geometry. Pursue conceptual understanding of topics like number systems expressions and equations work with radicals and exponents solve linear equations and inequalities evaluate and compare functions understand similarity and. Multi Step Equations Worksheet 8th Grade solving Equations with. Click on the free 8th grade math worksheet you would like to print or download.",
null,
"Source: pinterest.com\n\nLinear Relationships Sequences Plane Figures Functions Equations And Inequalities Real Numbers Solving Linear Equations Polynomials And Exponents Three Dimensional Geometry. 14052020 Printable Worksheets 8th Grade Math Its a well-designed worksheet. Math Worksheets 8Th Grade. The assemblage of printable algebra worksheets encompasses topics like translating phrases evaluating and simplifying algebraic expressions solving equations graphing linear and quadratic equations comprehending linear and quadratic functions inequalities polynomials trigonometry calculus and much more. First things first prioritize major topics with our printable compilation of 8th grade math worksheets with answer keys.",
null,
"Source: pinterest.com\n\nAn outstanding set of 8th-grade math worksheets. 7Th Grade Math Worksheets Algebra Hamlersd7. Comprehensive Common Core Grade 8 Math Practice Book 2020 2021 Complete Coverage of all Common Core Grade 8 Math Concepts 2 Full-Length Common Core Grade 8 Math Tests 1999 1499 Rated 400 out of 5 based on 2 customer ratings. 14052020 Printable Worksheets 8th Grade Math Its a well-designed worksheet. Cazoom Math provides a range of math worksheets in pdf for middle school children and these math worksheets are perfect for students in Grade 8 age 13 -14.",
null,
"Source: pinterest.com\n\n8th Grade Math Worksheets. Worksheet Fun Worksheet Study Printable 8Th Grade Math Worksheets Source Image. Cazoom Math provides a range of math worksheets in pdf for middle school children and these math worksheets are perfect for students in Grade 8 age 13 -14. First things first prioritize major topics with our printable compilation of 8th grade math worksheets with answer keys. Ad Is your child overwhelmed from online learning.",
null,
"Source: pinterest.com\n\nMath Worksheets 8Th Grade. Easily download and print our 8th grade math worksheets. Ad Access Maths Worksheets - 100 Aligned With The National Curriculum. Printable 8Th Grade Math Worksheets can be utilized by anybody at home for instructing and understanding objective. Multi Step Equations Worksheet 8th Grade solving Equations with.",
null,
"Source: in.pinterest.com\n\n27102020 Free printable 8th grade math worksheets with answer key. Printable worksheets are. Found worksheet you are looking for. Lessons include topics such as Scientific Notation Slope Fractions Exponents Pythagorean Theorem and Solving Equations. Comprehensive Common Core Grade 8 Math Practice Book 2020 2021 Complete Coverage of all Common Core Grade 8 Math Concepts 2 Full-Length Common Core Grade 8 Math Tests 1999 1499 Rated 400 out of 5 based on 2 customer ratings.",
null,
"Source: pinterest.com\n\nSubscribe and get a 30-day free trial then 999mo until canceled. Linear Relationships Sequences Plane Figures Functions Equations And Inequalities Real Numbers Solving Linear Equations Polynomials And Exponents Three Dimensional Geometry. Ad Is your child overwhelmed from online learning. This will take you to the individual page of the worksheet. This page hosts dozens of free 6-8 grade math printables and games.",
null,
"Source: pinterest.com\n\nPursue conceptual understanding of topics like number systems expressions and equations work with radicals and exponents solve linear equations and inequalities evaluate and compare functions understand similarity and. Easy to Use Complements School Work and Best for Revision. Lessons include topics such as Scientific Notation Slope Fractions Exponents Pythagorean Theorem and Solving Equations. Printable worksheets shared to. 27102020 Free printable 8th grade math worksheets with answer key.",
null,
"Source: pinterest.com\n\nFree 8th grade math worksheets for teachers parents and kids. Easy to Use Complements School Work and Best for Revision. Our 8th grade math worksheets cover a wide array of topics including all 8th grade Common Core Standards. Click on the free 8th grade math worksheet you would like to print or download. 14052020 Printable Worksheets 8th Grade Math Its a well-designed worksheet.",
null,
"Source: pinterest.com\n\nAd Access Maths Worksheets - 100 Aligned With The National Curriculum. Worksheet Fun Worksheet Study Printable 8Th Grade Math Worksheets Source Image. The assemblage of printable algebra worksheets encompasses topics like translating phrases evaluating and simplifying algebraic expressions solving equations graphing linear and quadratic equations comprehending linear and quadratic functions inequalities polynomials trigonometry calculus and much more. Ad Access Maths Worksheets - 100 Aligned With The National Curriculum. Mathcation provides you with step-by-step tutorial videos including guided notes that allow for easy note taking and.",
null,
"Source: pinterest.com\n\nEasy to Use Complements School Work and Best for Revision. Free 8th grade math worksheets for teachers parents and kids. Cazoom Math provides a range of math worksheets in pdf for middle school children and these math worksheets are perfect for students in Grade 8 age 13 -14. Easily download and print our 8th grade math worksheets. Printable 8Th Grade Math Worksheets can be utilized by anybody at home for instructing and understanding objective.\n\nThis site is an open community for users to do submittion their favorite wallpapers on the internet, all images or pictures in this website are for personal wallpaper use only, it is stricly prohibited to use this wallpaper for commercial purposes, if you are the author and find this image is shared without your permission, please kindly raise a DMCA report to Us.\n\nIf you find this site helpful, please support us by sharing this posts to your own social media accounts like Facebook, Instagram and so on or you can also bookmark this blog page with the title beautiful printable 8th grade math worksheets by using Ctrl + D for devices a laptop with a Windows operating system or Command + D for laptops with an Apple operating system. If you use a smartphone, you can also use the drawer menu of the browser you are using. Whether it’s a Windows, Mac, iOS or Android operating system, you will still be able to bookmark this website.",
null,
"## 11+ Nice rounding to the nearest hundred thousand worksheet information\n\nDec 26 . 8 min read",
null,
"## 46+ Luxury four square writing worksheets Latest News\n\nMay 27 . 9 min read",
null,
"## 39+ 2nd grade grammar worksheets pdf info\n\nFeb 27 . 8 min read",
null,
"## 34++ Authentic printable third grade math worksheets Awesome\n\nMar 25 . 9 min read",
null,
"## 40+ Primary equivalent fractions worksheet pdf Awesome\n\nFeb 10 . 7 min read",
null,
"## 23++ Average worksheets for 7th graders Useful\n\nMay 20 . 9 min read"
] | [
null,
"https://i.pinimg.com/736x/0d/8c/51/0d8c5117fb3994bef82a000a364b9064.jpg",
null,
"https://winegeeknyc.netlify.app/img/placeholder.svg",
null,
"https://winegeeknyc.netlify.app/img/placeholder.svg",
null,
"https://winegeeknyc.netlify.app/img/placeholder.svg",
null,
"https://winegeeknyc.netlify.app/img/placeholder.svg",
null,
"https://winegeeknyc.netlify.app/img/placeholder.svg",
null,
"https://winegeeknyc.netlify.app/img/placeholder.svg",
null,
"https://winegeeknyc.netlify.app/img/placeholder.svg",
null,
"https://winegeeknyc.netlify.app/img/placeholder.svg",
null,
"https://winegeeknyc.netlify.app/img/placeholder.svg",
null,
"https://winegeeknyc.netlify.app/img/placeholder.svg",
null,
"https://winegeeknyc.netlify.app/img/placeholder.svg",
null,
"https://winegeeknyc.netlify.app/img/placeholder.svg",
null,
"https://winegeeknyc.netlify.app/img/placeholder.svg",
null,
"https://winegeeknyc.netlify.app/img/placeholder.svg",
null,
"https://winegeeknyc.netlify.app/img/placeholder.svg",
null,
"https://winegeeknyc.netlify.app/img/placeholder.svg",
null,
"https://winegeeknyc.netlify.app/img/placeholder.svg",
null,
"https://winegeeknyc.netlify.app/img/placeholder.svg",
null,
"https://winegeeknyc.netlify.app/img/placeholder.svg",
null,
"https://winegeeknyc.netlify.app/img/placeholder.svg",
null,
"https://winegeeknyc.netlify.app/img/placeholder.svg",
null,
"https://winegeeknyc.netlify.app/img/placeholder.svg",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.8779108,"math_prob":0.7442465,"size":11795,"snap":"2021-43-2021-49","text_gpt3_token_len":2294,"char_repetition_ratio":0.19167161,"word_repetition_ratio":0.53257793,"special_character_ratio":0.18295889,"punctuation_ratio":0.07589743,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.96501726,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20,21,22,23,24,25,26,27,28,29,30,31,32,33,34,35,36,37,38,39,40,41,42,43,44,45,46],"im_url_duplicate_count":[null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-10-23T10:11:18Z\",\"WARC-Record-ID\":\"<urn:uuid:5db67285-083c-4b3b-b591-7f4727248886>\",\"Content-Length\":\"36618\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:fc44fa36-6a80-451d-aacb-a133d5ef8411>\",\"WARC-Concurrent-To\":\"<urn:uuid:acaf8f47-13ad-4b14-8d51-f3383c640153>\",\"WARC-IP-Address\":\"64.227.12.111\",\"WARC-Target-URI\":\"https://winegeeknyc.netlify.app/beautiful-printable-8th-grade-math-worksheets/\",\"WARC-Payload-Digest\":\"sha1:FTLR4KWD64TSLKFEFKI7P7ZWQFTQKZRF\",\"WARC-Block-Digest\":\"sha1:75N52L472VVAU4AA2XF2DQ5Y546BKFTI\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-43/CC-MAIN-2021-43_segments_1634323585671.36_warc_CC-MAIN-20211023095849-20211023125849-00704.warc.gz\"}"} |
https://astronn.readthedocs.io/en/latest/neuralnets/apogee_bcnn.html | [
"# APOGEE Spectra with Bayesian Neural Net - astroNN.models.ApogeeBCNN\n\nclass astroNN.models.apogee_models.ApogeeBCNN(lr=0.0005, dropout_rate=0.3)[source]\n\nClass for Bayesian convolutional neural network for stellar spectra analysis\n\nHistory\n\n2017-Dec-21 - Written - Henry Leung (University of Toronto)",
null,
"Although in theory you can feed any 1D data to astroNN neural networks. This tutorial will only focus on spectra analysis.\n\n```from astroNN.models import ApogeeBCNN\n\n# Load the train data from dataset first, x_train is spectra and y_train will be ASPCAP labels\n\n# And then create an instance of Bayesian Convolutional Neural Network class\nbcnn_net = ApogeeBCNN()\n\n# You don't have to specify the task because its 'regression' by default. But if you are doing classification. you can set task='classification'\n\n# Set max_epochs to 10 for a quick result. You should train more epochs normally, especially with dropout\nbcnn_net.max_epochs = 10\nbcnn_net.train(x_train, y_train, x_err, y_err)\n```\n\nHere is a list of parameter you can set but you can also not set them to use default\n\n```ApogeeBCNN.batch_size = 64\nApogeeBCNN.initializer = 'he_normal'\nApogeeBCNN.activation = 'relu'\nApogeeBCNN.num_filters = [2, 4]\nApogeeBCNN.filter_len = 8\nApogeeBCNN.pool_length = 4\nApogeeBCNN.num_hidden = [196, 96]\nApogeeBCNN.max_epochs = 100\nApogeeBCNN.lr = 0.005\nApogeeBCNN.reduce_lr_epsilon = 0.00005\nApogeeBCNN.reduce_lr_min = 0.0000000001\nApogeeBCNN.reduce_lr_patience = 10\nApogeeBCNN.target = 'all'\nApogeeBCNN.l2 = 5e-9\nApogeeBCNN.dropout_rate = 0.2\nApogeeBCNN.length_scale = 0.1 # prior length scale\nApogeeBCNN.input_norm_mode = 3\nApogeeBCNN.labels_norm_mode = 2\n```\n\nNote\n\nYou can disable astroNN data normalization via `ApogeeBCNN.input_norm_mode=0` as well as `ApogeeBCNN.labels_norm_mode=0` and do normalization yourself. But make sure you don’t normalize labels with MAGIC_NUMBER (missing labels).\n\nAfter the training, you can use bcnn_net in this case and call test method to test the neural network on test data. Or you can load the folder by\n\n```from astroNN.models import load_folder\n\n# Load the test data from dataset, x_test is spectra and y_test will be ASPCAP labels\n\n# pred contains denormalized result aka. ASPCAP labels prediction in this case\n# pred_std is a list of uncertainty\n# pred_std['total'] is the total uncertainty (standard derivation) which is the sum of all the uncertainty\n# pred_std['predictive'] is the predictive uncertainty predicted by bayesian neural net\n# pred_std['model'] is the model uncertainty from dropout variational inference\npred, pred_std = bcnn_net.test(x_test)\n```\n\nSince astroNN.models.ApogeeBCNN uses Bayesian deep learning which provides uncertainty analysis features.\n\nYou can calculate jacobian which represents the output derivative to the input and see where those output is sensitive to in inputs.\n\n```# Calculate jacobian first\njacobian_array = bcnn_net.jacobian(x_test, mean_output=True)\n```\n\nNote\n\nYou can access to Keras model method like model.predict via (in the above tutorial) bcnn_net.keras_model (Example: bcnn_net.keras_model.predict())\n\n## ASPCAP Labels Prediction\n\nInternal model identifier for the author: `astroNN_0321_run002`\n\nTraining set (30067 spectra + separate 3340 validation spectra): Starflag=0 and ASPCAPflag=0, 4000<Teff<5500, 200<SNR\n\nTesting set (97723 spectra): Individual Visit of the training spectra, median SNR is around SNR~100\n\nUsing astroNN.models.ApogeeBCNN with default hyperparameter\n\nGround Truth is ASPCAP labels.\n\nMedian of residue\n\nAl\n\n-0.003\n\n0.042\n\nAlpha\n\n0.000\n\n0.013\n\nC\n\n0.003\n\n0.032\n\nC1\n\n0.005\n\n0.037\n\nCa\n\n0.002\n\n0.022\n\nCo\n\n-0.005\n\n0.071\n\nCr\n\n-0.001\n\n0.031\n\nfakemag\n\n3.314\n\n16.727\n\nFe\n\n0.001\n\n0.016\n\nK\n\n-0.001\n\n0.032\n\nLog(g)\n\n0.002\n\n0.048\n\nM\n\n0.003\n\n0.015\n\nMg\n\n0.001\n\n0.021\n\nMn\n\n0.003\n\n0.025\n\nN\n\n-0.002\n\n0.037\n\nNa\n\n-0.006\n\n0.103\n\nNi\n\n0.000\n\n0.021\n\nO\n\n0.004\n\n0.027\n\nP\n\n0.005\n\n0.086\n\nS\n\n0.006\n\n0.043\n\nSi\n\n0.001\n\n0.022\n\nTeff\n\n0.841\n\n23.574\n\nTi\n\n0.002\n\n0.032\n\nTi2\n\n-0.009\n\n0.089\n\nV\n\n-0.002\n\n0.059\n\nMedian Absolute Error of prediction at three different low SNR level.\n\nSNR ~ 20\n\nSNR ~ 40\n\nSNR ~ 60\n\nAl\n\n0.122 dex\n\n0.069 dex\n\n0.046 dex\n\nAlpha\n\n0.024 dex\n\n0.017 dex\n\n0.014 dex\n\nC\n\n0.088 dex\n\n0.051 dex\n\n0.037 dex\n\nC1\n\n0.084 dex\n\n0.054 dex\n\n0.041 dex\n\nCa\n\n0.069 dex\n\n0.039 dex\n\n0.029 dex\n\nCo\n\n0.132 dex\n\n0.104 dex\n\n0.085 dex\n\nCr\n\n0.082 dex\n\n0.049 dex\n\n0.037 dex\n\nfakemag\n\nNot Calculated\n\nNot Calculated\n\nNot Calculated\n\nFe\n\n0.070 dex\n\n0.035 dex\n\n0.024 dex\n\nK\n\n0.091 dex\n\n0.050 dex\n\n0.037 dex\n\nLog(g)\n\n0.152 dex\n\n0.085 dex\n\n0.059 dex\n\nM\n\n0.067 dex\n\n0.033 dex\n\n0.023 dex\n\nMg\n\n0.080 dex\n\n0.039 dex\n\n0.026 dex\n\nMn\n\n0.089 dex\n\n0.050 dex\n\n0.037 dex\n\nN\n\n0.118 dex\n\n0.067 dex\n\n0.046 dex\n\nNa\n\n0.119 dex\n\n0.110 dex\n\n0.099 dex\n\nNi\n\n0.076 dex\n\n0.039 dex\n\n0.027 dex\n\nO\n\n0.076 dex\n\n0.046 dex\n\n0.037 dex\n\nP\n\n0.106 dex\n\n0.082 dex\n\n0.077 dex\n\nS\n\n0.072 dex\n\n0.052 dex\n\n0.041 dex\n\nSi\n\n0.076 dex\n\n0.042 dex\n\n0.024 dex\n\nTeff\n\n74.542 K\n\n41.955 K\n\n29.271 K\n\nTi\n\n0.080 dex\n\n0.049 dex\n\n0.037 dex\n\nTi2\n\n0.124 dex\n\n0.099 dex\n\n0.092 dex\n\nV\n\n0.119 dex\n\n0.080 dex\n\n0.064 dex\n\n## ASPCAP Labels Prediction with >50% corrupted labels\n\nInternal model identifier for the author: `astroNN_0224_run004`\n\nSetting is the same as above, but manually corrupt more labels to ensure the modified loss function is working fine\n\n52.5% of the total training labels is corrupted to -9999 (4.6% of the total labels are -9999. from ASPCAP), while testing set is unchanged\n\nMedian of residue\n\nAl\n\n0.003\n\n0.047\n\nAlpha\n\n0.000\n\n0.015\n\nC\n\n0.005\n\n0.037\n\nC1\n\n0.003\n\n0.042\n\nCa\n\n0.002\n\n0.025\n\nCo\n\n0.001\n\n0.076\n\nCr\n\n0.000\n\n0.033\n\nfakemag\n\n-0.020\n\n5.766\n\nFe\n\n0.001\n\n0.020\n\nK\n\n0.001\n\n0.035\n\nLog(g)\n\n-0.002\n\n0.064\n\nM\n\n0.002\n\n0.019\n\nMg\n\n0.003\n\n0.025\n\nMn\n\n0.003\n\n0.030\n\nN\n\n0.001\n\n0.043\n\nNa\n\n-0.004\n\n0.106\n\nNi\n\n0.001\n\n0.025\n\nO\n\n0.004\n\n0.031\n\nP\n\n0.004\n\n0.091\n\nS\n\n0.006\n\n0.045\n\nSi\n\n0.001\n\n0.026\n\nTeff\n\n-0.405\n\n31.222\n\nTi\n\n0.003\n\n0.035\n\nTi2\n\n-0.012\n\n0.092\n\nV\n\n0.002\n\n0.063\n\n## ASPCAP Labels Prediction with limited amount of data\n\nInternal model identifier for the author: `astroNN_0401_run001`\n\nSetting is the same including the neural network, but the number of training data is limited to 5000 (4500 of them is for training, 500 validation), validation set is completely separated. Testing set is the same without any limitation.\n\nMedian of residue\n\nAl\n\n-0.002\n\n0.051\n\nAlpha\n\n0.001\n\n0.017\n\nC\n\n-0.002\n\n0.040\n\nC1\n\n-0.003\n\n0.046\n\nCa\n\n-0.003\n\n0.027\n\nCo\n\n-0.006\n\n0.080\n\nCr\n\n0.000\n\n0.036\n\nfakemag\n\n18.798\n\n30.687\n\nFe\n\n-0.004\n\n0.022\n\nK\n\n-0.003\n\n0.038\n\nLog(g)\n\n-0.005\n\n0.064\n\nM\n\n-0.004\n\n0.020\n\nMg\n\n-0.002\n\n0.026\n\nMn\n\n-0.002\n\n0.033\n\nN\n\n-0.003\n\n0.053\n\nNa\n\n-0.026\n\n0.121\n\nNi\n\n-0.003\n\n0.026\n\nO\n\n-0.003\n\n0.033\n\nP\n\n0.001\n\n0.097\n\nS\n\n-0.003\n\n0.047\n\nSi\n\n-0.003\n\n0.028\n\nTeff\n\n-1.348\n\n33.202\n\nTi\n\n-0.004\n\n0.037\n\nTi2\n\n-0.017\n\n0.097\n\nV\n\n-0.005\n\n0.065\n\n## Example Plots using aspcap_residue_plot",
null,
"",
null,
"## Example Plots using jacobian",
null,
"",
null,
""
] | [
null,
"https://astronn.readthedocs.io/en/latest/_images/inheritance-f4564bf4f0df81014cf3055d1c3217c481420ee3.png",
null,
"https://astronn.readthedocs.io/en/latest/_images/logg_test.png",
null,
"https://astronn.readthedocs.io/en/latest/_images/Fe_test.png",
null,
"https://astronn.readthedocs.io/en/latest/_images/Cl_jacobian.png",
null,
"https://astronn.readthedocs.io/en/latest/_images/Na_jacobian.png",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.6700526,"math_prob":0.86298555,"size":7454,"snap":"2021-43-2021-49","text_gpt3_token_len":2819,"char_repetition_ratio":0.20456375,"word_repetition_ratio":0.064352855,"special_character_ratio":0.45478937,"punctuation_ratio":0.19914478,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9599023,"pos_list":[0,1,2,3,4,5,6,7,8,9,10],"im_url_duplicate_count":[null,3,null,4,null,4,null,8,null,8,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-11-27T11:38:44Z\",\"WARC-Record-ID\":\"<urn:uuid:fdede5c6-f3e5-4a42-b2cf-30a359478646>\",\"Content-Length\":\"41335\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:6aeb22a7-e4a7-4273-b6a0-749893902fe3>\",\"WARC-Concurrent-To\":\"<urn:uuid:c30c25c1-a939-479f-9fc1-b7b59e3693bd>\",\"WARC-IP-Address\":\"104.17.33.82\",\"WARC-Target-URI\":\"https://astronn.readthedocs.io/en/latest/neuralnets/apogee_bcnn.html\",\"WARC-Payload-Digest\":\"sha1:6JAPA6ENVWE4AIEGIG7MNKSSZLSLW7RT\",\"WARC-Block-Digest\":\"sha1:TDG6D2L2HV6EOLOUYZEEL5JCJ65PDH3N\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-49/CC-MAIN-2021-49_segments_1637964358180.42_warc_CC-MAIN-20211127103444-20211127133444-00358.warc.gz\"}"} |
https://mathoverflow.net/questions/33043/algorithm-for-embedding-a-graph-with-metric-constraints | [
"Algorithm for embedding a graph with metric constraints\n\nSuppose I have a graph $G$ with vertex set $V$, edge set $E \\subseteq {V \\choose 2}$, and a weight function $w:E \\to \\mathbb{R}^{+}$. Is there a nice algorithmic way to decide if there is an assignment of vertices to points in Euclidean space, i.e. a function $f: V(G) \\to \\mathbb{R}^d$ such that $|f(x)-f(y)| = w( \\{x,y \\})$ whenever $\\{ x, , y\\} \\in E$, where $|.|$ is the Euclidean norm? There is no harm in insisting that the weight function $d$ respect the triangle inequality.\n\nThe question I am most interested in is efficiently deciding whether there exists such a function $f$, for a given graph $G$ and weight function $d$, but it might also be interesting to know how to try to find a map that does the job but with \"small distortion\". For example, quadratic optimization tells us something...\n\nCases of special interest: (1) We have a complete graph $G=K_n$, i.e. a finite metric space. (2) The weight function $f$ is constant, i.e. we want to know: is $G$ a unit distance graph in $\\mathbb{R}^d$? (Sometimes people want \"unit distance graph\" to also mean that $f$ is injective, but for my purposes it is fine for vertices to lie on top of each other.) Even the case of $f$ constant and $d=2$ is interesting, as this could be useful for a computational attack on the Hadwiger-Nelson unit coloring problem.\n\nI've noticed that this question is equivalent to asking if a certain real algebraic variety of degree $2$ is nonempty, but I'm not sure if that is a helpful observation, other than it guarantees, for example, that is it algorithmically decidable.\n\nLet's say the graph is complete, and has weights on edges that satisfy triangle inequality. If you want an isometric embedding (which your original question indicates), then there's a necessary and sufficient characterization: the squares of the distances must be of negative type: specifically, given the $D_{ij} = d^2_{ij}$ values, then they must satisfy the inequality\n\n$$\\sum_{i,j} b_i b_j D_{ij} \\le 0, \\sum_i b_i = 0$$ for all such $b_i$. All of this is discussed rather well in the book by Deza and Laurent.\n\nIt gets really interesting when you allow for some distortion. The special case where G is the complete graph and the weights (while not being constant) satisfy the triangle inequality is the well known metric embedding problem, which has been studied extensively in the theoretical computer science community because of connections to multicommodity flows, and also for data mining problems. A great source is the paper by Linial, London and Rabinovich\n\nLet the distortion be the largest value of $w(x,y)/d(x,y)$ (wlog we can assume the embedding always shrinks distances)\n\n1. there's always an embedding into Euclidean space that ensures a distortion $O(\\log n)$. The dimension of the space can then be brought down to $O(\\log n)$ by applying the Johnson-Lindenstrauss Lemma. This result is due to Bourgain, and the algorithm itself is quite simple: pick $K$ subsets of the input at random, each of size $\\log n$, and for each point, let its $i^{th}$ coordinate in the embedding be its distance to the $i^{th}$ such subset. The original proof uses $K = \\log^2 n$, and then we use the JL lemma to reduce the dimension back to $\\log n$.\n\n1a. this basic construction also works for all $\\ell_p$-norms for $1 \\le p \\le 2$, but the dimensionality reduction of course doesn't.\n\n1b. The construction is tight: the lower bound comes from considering the shortest path metric induced by a constant-degree expander.\n\nThe case when you only care to preserve some of the distances is more interesting. While I'm not sure what has been considered for this case, there's another whole body of work that considers the induced shortest path metrics for special graphs (trees, series parallel graphs, planar graphs and so on). One of the most interesting conjectures in this area whether the metric space induced by planar graphs admits a constant-factor distortion embedding into Euclidean space.\n\n• Correct me if I am wrong : Doesn't section 2.6 of the paper \"Local-Global Tradeoffs in Metric Embedding\" by Moses-Yury-Konstantin supersede Linial-London-Rabinovich? (It would be great if you could compare the two papers and what is the most recent thing known in this direction!) – Anirbit Aug 26 '15 at 1:17\n• What is the name of the paper by Linial, London and Rabinovich? I think that the link is broken now? Thank you! – real Nov 18 '15 at 15:46\n• Found it. It must be the \"The geometry of graphs and some of its algorithmic applications\". – real Nov 18 '15 at 16:04\n\nOne may always be able to find a graph embedding in Euclidean space, if we consider dot product instead of euclidean norm.\n\nIf the distance matrix $D_G$ is a diagonalizable matrix, than we can perform eigenvalue decomposition as $D_G=U\\Sigma U^T = U\\Sigma^{1/2} \\Sigma^{1/2}U^{T}=K^{T}K$. Now, each row $K$ can be treated as a euclidean representation of graph vertex whose dot product with other any row yield the corresponding weight of an edge."
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.8932493,"math_prob":0.99723595,"size":1562,"snap":"2019-43-2019-47","text_gpt3_token_len":415,"char_repetition_ratio":0.105905004,"word_repetition_ratio":0.0,"special_character_ratio":0.26760563,"punctuation_ratio":0.12576687,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9996218,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2019-10-20T15:17:23Z\",\"WARC-Record-ID\":\"<urn:uuid:46706284-30c0-4d03-ab84-a20db7a2f243>\",\"Content-Length\":\"126739\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:8c5493d0-343a-4be6-82cb-44a809d4f98e>\",\"WARC-Concurrent-To\":\"<urn:uuid:6ebe1920-ffe2-48e4-8093-a0ab86716f80>\",\"WARC-IP-Address\":\"151.101.1.69\",\"WARC-Target-URI\":\"https://mathoverflow.net/questions/33043/algorithm-for-embedding-a-graph-with-metric-constraints\",\"WARC-Payload-Digest\":\"sha1:MZLZVIREC4OGBT2YFMJXR7VKIH7SXAJI\",\"WARC-Block-Digest\":\"sha1:MT53JO7UYE6ZEOZGMZADKAGIW5FHN6J4\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2019/CC-MAIN-2019-43/CC-MAIN-2019-43_segments_1570986710773.68_warc_CC-MAIN-20191020132840-20191020160340-00485.warc.gz\"}"} |
https://homework.cpm.org/category/CCI_CT/textbook/int1/chapter/4/lesson/4.1.4/problem/4-41 | [
"",
null,
"",
null,
"### Home > INT1 > Chapter 4 > Lesson 4.1.4 > Problem4-41\n\n4-41.\n\nSolve each equation by rewriting, undoing, or looking inside.\n\n1. $25^2=125^{x+1}$\n\n$x=\\frac{1}{3}$\n\n1. $\\frac { x } { 5 } + \\frac { x - 1 } { 3 } = 2$\n\nMultiply by a common multiple to cancel out the fractions."
] | [
null,
"https://homework.cpm.org/dist/7d633b3a30200de4995665c02bdda1b8.png",
null,
"data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAfQAAABDCAYAAABqbvfzAAAAGXRFWHRTb2Z0d2FyZQBBZG9iZSBJbWFnZVJlYWR5ccllPAAAAyRpVFh0WE1MOmNvbS5hZG9iZS54bXAAAAAAADw/eHBhY2tldCBiZWdpbj0i77u/IiBpZD0iVzVNME1wQ2VoaUh6cmVTek5UY3prYzlkIj8+IDx4OnhtcG1ldGEgeG1sbnM6eD0iYWRvYmU6bnM6bWV0YS8iIHg6eG1wdGs9IkFkb2JlIFhNUCBDb3JlIDUuMC1jMDYxIDY0LjE0MDk0OSwgMjAxMC8xMi8wNy0xMDo1NzowMSAgICAgICAgIj4gPHJkZjpSREYgeG1sbnM6cmRmPSJodHRwOi8vd3d3LnczLm9yZy8xOTk5LzAyLzIyLXJkZi1zeW50YXgtbnMjIj4gPHJkZjpEZXNjcmlwdGlvbiByZGY6YWJvdXQ9IiIgeG1sbnM6eG1wPSJodHRwOi8vbnMuYWRvYmUuY29tL3hhcC8xLjAvIiB4bWxuczp4bXBNTT0iaHR0cDovL25zLmFkb2JlLmNvbS94YXAvMS4wL21tLyIgeG1sbnM6c3RSZWY9Imh0dHA6Ly9ucy5hZG9iZS5jb20veGFwLzEuMC9zVHlwZS9SZXNvdXJjZVJlZiMiIHhtcDpDcmVhdG9yVG9vbD0iQWRvYmUgUGhvdG9zaG9wIENTNS4xIE1hY2ludG9zaCIgeG1wTU06SW5zdGFuY2VJRD0ieG1wLmlpZDo5QzA0RUVFMzVFNDExMUU1QkFCNEYxREYyQTk4OEM5NCIgeG1wTU06RG9jdW1lbnRJRD0ieG1wLmRpZDo5QzA0RUVFNDVFNDExMUU1QkFCNEYxREYyQTk4OEM5NCI+IDx4bXBNTTpEZXJpdmVkRnJvbSBzdFJlZjppbnN0YW5jZUlEPSJ4bXAuaWlkOjlDMDRFRUUxNUU0MTExRTVCQUI0RjFERjJBOTg4Qzk0IiBzdFJlZjpkb2N1bWVudElEPSJ4bXAuZGlkOjlDMDRFRUUyNUU0MTExRTVCQUI0RjFERjJBOTg4Qzk0Ii8+IDwvcmRmOkRlc2NyaXB0aW9uPiA8L3JkZjpSREY+IDwveDp4bXBtZXRhPiA8P3hwYWNrZXQgZW5kPSJyIj8+RSTQtAAAG9JJREFUeNrsXQmYXEW1Pj09PVtmJjsBDGFXiCKKIBJ2REEQQdaARBBiFFRAnrIoyhqCgLwnEfEpPMAgggsGJG7w2MMuiuwkJDGQINmTycxklu62/r5/0ZWaur3M9GQCc/7vO1/fvrfuvXXr1q3/nFOnqhLZbFYUCoVCoVC8u1GlRaBQKBQKhRK6QqFQKBQKJXSFQqFQKBRK6AqFQqFQKJTQFQqFQqFQQlcoFAqFQqGErlAoFAqFonKoLveE2jM+uTHk+zNGjjZyj5EXqJhgQH3KyClGOo1MNbK2vzOSTWakbmWTjHp+69y2QqFQKBQW85+avvES+kaCKUaOMHK8kcWS9zQkjYzj9l1Gnuj3nCSykuxIaa1VKBQKxbvLQt9I0Gjk30YehtPA2d9tZJGRPYxs0++EnjCaRFe1NC4emSN2hUKhUCiU0MtDjZE3jRwXODaRhP5hI7f1ZyayVRmpWdMoqbb63LZCoVAoFAOFd2tQHHzcWxppChwbxt89+zsTWWOV161okkQ6oTVJoVAoFErovQA8C6OMjA0csy74nSXfn155GA6vXlcj9cuHqnWuUCgUCiX0XqDByOiIUnNu9ThCh/W+T79Z54bEa1c1SnVbjdnW/nOFQqFQKKGXi/cbeR+3Px44PtrZPrw/M1K/vDlSKxQKhUKhUEIvG/tK1IcO7CE9KXVn/v7ZyAFGNqm4dY6hautqpGZNg7rbFQqFQqGE3sv8gtDXOeTt9pMPN/Ixh9CNCS2HVJzQq7JSu3qIJDtTaqErFAqFQgm9FwBZY/z520ZWS9Sfvrdz/AjHeke6RyWaOa6iwJBzuNsTyuYKhUKhUELvFdAn/rREQ9NeN/KkkaN4bAQJ/x7+hy/8RhL+DpVk86p0taRadOy5QqFQKJTQe4NtSNog8aESzdf+RyOfolX+ZSMPSDRbHIBhbXcaaTcyuVKZQP95am2dVHelctsKhUKhUAxGQoeP+hoj1xu5yciFZZwLUv6NRIuwWMKeLdGscRdLFN3+O8lHuY800mbkdiOnSn7CmT4Sukj9imZJZHShOoVCoVAMXkLH/bBc2ywj5xg5wcjnSjgP4803owU+kvsQ8PaskYeMnGbkCu6vd44D15LMT6yIRmLUiZq19WqdKxQKhWJQE/q2Eo0hR7/3GCMLJFoGddciefymkR/zfyN/U7TO20niNhjOTizTwN9/GPmrkfMcsu+ddV6VkVR7nVS31mn/uUKhUCgGNaGDyP9l5F6J3OMdRr5n5FwjH4w55wwjrxj5G/+787dfQwsd/eZf5b46z1IHLqUicVLfzHOR6vYaqepOas1RKBQKxaAldIwXR7/3XIn6wVskcp+D4NEHfomRXbxzDpJorPkPnX2WsDHm/FEeQ/Db13j9as9CF6bDuPSLJLygS4xFns1Z4lYy1encdK+JjA5XUygUCsXgJfQvGblDIrc7VkI71sh2Rg418gKtdFjrdknUCUYmSdTX3u1c533O9uP8vZrKAYLfugKEDpwvkZv/nFIzjGj2mtUNuRnhILWrhkhVV1LXPlcoFArFRocNtR76YUbeMrKElvqJJGlMDvNFWta3GDmGFjf2wa89xchSI0NoqeM6n3KuO4q//5Ro7fPvS34WOZ/Q0ZeO6PoLmPblYpke8crmhtRr1198pSohmaT2nysUCoVi8BH6hySa8AWBaacbSUvUdw7vAJjyK0a+bmSakVVGWiVykSPgDUPVOmlZg/zv4q+d3rXOuQ/c9kdKNFY9ROjAd5nmBiN7SX4IXBCIZI/c7vlkiYS62xUKxYbH/KemayEoCqI/Xe4YKnYKyXO8kZslmhBmUyM/kshNjpXTrpNoARUExX2e5yVI7BCYwwh8m0kLf0vnHm7g22u00LMFCH0l8zSBaRUKhUKhUAvdA4aLoX97FxL19iTVZ0nMcHnDHf5Vh4hB1KOYbpGRtRJN07o/rfKmInm8yMhEEjWC69p4D1x/SMw5mF3uKp77dyN3azVQKBQKhRJ6HqMlH8X+iJHlsn4wW7kAIY+k9b41lYQPkPDx20zLf3zM+bDkEdmO/vUXjbxqZB6tfATGITjvVxK53v+uVUGhUCgUg4rQs15AWCL9jtf+TUrkMM86vyGgfzr3E9sn3WrObzWJFprtZ5z9uOHmRnYzcqCR/WJIHX3wB1GEOYGSgWC4xySKuMc1fm9kHyMLtTooFAqFYtAQet2yJvJxQjLVGelsbn9nnDb25Qg+QzLPRPSbSaZzc59Ho72iKPFkR7VUmbSZmgJGfO787DtR5bx+xlEefk/ixopqCKA7TOJd7Ql6EPaW/JKrrUyPceyH0HpXKBQKheK9T+gjX9jCsZWz0l3XJV2N7dLZtC43RrtueWN+nXCQfqpb2ke1SMfwVknXduUixhsXDZfGN0fkyD+TSsdb6WZ/d32ndAxtM+SfkM7GDllnrgXNAJO7MPocUfD/TxkvmcRZ5nqnSmkBf5b8ETX/oERD2u7UaqFQKBSK9zyh+y736vaUVLfVSMPbCE5ff4hXDu01UruqIWfNg5xxvHZ1Q2TVGx5PdhbOAqZaradXAOfAI9A+eo20jVljlIeGnMcAln7HsFbpauh8KV3XNaW7oeN2c+1rEunEeEPuXQVvkIAHAHnOol/+DpN+lsnYmWb/v8p1Xkjk1u/QaqVQKBSKjZ7QexB8jsCzBQZ0g+SjrVRrtG4KplB1jPBid3jnfCA3c1tLvQxZNCJH9u+wqSF2XCpd0w3Sv79t9JqPdA5vHZdOdVfB2x6arjVrlIzkulR2yOLmNnMcD5HoGtIxdN3IlrebFozOXb+HghKPL0i0UMxtWq0UCoVC8a4jdAJ907tLNIkMItPB2JgZDtHjz5DofHLEvdFv3SSFJ3gBE6+QaJz569ZDUN2Rst6CKl5naBb6QXcyR+5GMplU98PrRrQuXjt2ec6yr0onc3ey+WhcOFIaI8XgIJuPbFUmaxSOj1V1VafM9bHe+vz1lICsYf2wEgL3va7aolAoFIp3JaFjKVPMwY7JWjaPSYOo8usoLuCixpKoW5R4Lyzmgrnb/8fIn5z1yJO8TjThDAztZHQskU7OHvLvofvVL2/sXrPlMml934qc6z/VWifD5mwqtSuHIP0hhsBnradBGOKnsnCyT+gFACVG54RVKBQKxYCgLzPFYeKY+yUKJNu8QLodSbhYLrXZNXYlmgimVMCC/rREE8P8oKTrJLJ7GgI/VjJVMmzupjLipbHSvHCUjP77VjkyN6RdY6z1qYHz7FaXVhGFQqFQvJcJHdO3wqrdrYxzMIf6LVIZtzQmhil16taLDUE3od8ervjm18fkoutpgcOz8BGtBgqFQqEYrIR+JS30cnGERCupVQJYaAV99sVmo8MSrWfkTHlD4jkijyzwkfQuKBQKhUIxKAkds7JNjDn2N4lWTcPCK/MKWNcIT0/HHEcA3F8kWp0NU7c+GZMO1zi1xDz/l0TLtrr4tqy/trpCoVAoFO9a9CYoDv3YqcB+zNp2vOTHYWNd8wckmnvdBf7vIdHCLCE8Z+RgT+k4wciNJHEXmLK1toByYDGc1vgU/se88F/T169QKBSKwWyhfzSwL03L3J1U5d8S9XPPpcyhzCepJ0pUMtDZfatEAXg+xkq03Gop0eUnG9mV25dIFKGvUCgUCsWgtdBDEe1wky8I7P+NkT95+0DkiB6vr0D+s5JfBqYY4FU4z8i1Ro7ZCN8FFIzNJD+Gvz2QppZeiqxXnp0SnqEuxXJexzSFUMf0uG9cXEKC10tKgWV3nGtUM72ftkviZ9SrYV46me+4Z+qKKSMAK/8hRgLL8S6SwvMcWDQzvascJkuopwm+szYqyA2SH3kRum89v6EE33NrjKLdwLy0Ffh2G4qUg32uVon3YtWxXrWXUEd8FCqftTH765n3cuqEC7zXUczvGyW8W5TzFrwvFmda1k/5wn0wEqelQJ7qWX/XlHC9Jr6z9hLrr0LRKws9tPhJS4FKutaTFjbUcSQcIhO48vcP7F9sZHWJhA58zshvpW/D9SoNNFAIMkRXQ27yHInWkL+ADa2LqTyGCXv+6ciz9GLs7aWfxLT3s4GIAxq8x5n2oALpQCB38X7PeXlw5bNM/2mmfdY59jz/38HjPr7BfFwVk4ejeXxG4NhHeN2XJJr/AOWJlfWOK/IO7D0v8fbv4z0Xnvlv3vNAfsf07+exh6ic+cR5Ae9jPVbYvijwbhDvMZv32jMmz0fy/FsK1P+TmZ9rCjz7VF7nm72ou7vElAfK6RGWq0/4tzL9PwJ1Au/04zH3QnDrLyRaCvkVvtvZRd7tRL7/13gOzv2l9OwGRPndXCBfuO8nipSFfbffKpBmBtNMLXKtk5gOsUTDlKYU/WmhZ2MIvbNCefqQ00BmaG3tE9Nozab2HCLoNY5G7Fp3owNp0T0wpgzFoFLYjB6Mnfn/VeYRDc6lEi0aM9GxEDZhwybcZxeoBfHbYMVT2ABZLX8bCqam/WlMPr4i+eF7Q4rkGaMbtuS76QqUWcJpxOud/HY69cfm91iS6IWedY38xgUsDuXxVd7+/VlvhrNsXmR5oSG+nedMi7EyJ/P4ZCoSqx2PyFjHE5Ry6ppb31c639P2tIirPCX4VxKtBgjMo/W1PZ/9Uzy2wrnODvRWYA6HCQEr3JbDigIWHIJGtyWxX0GPgA+U89Ysq3JRRyXGWrJZx1BA3vYyciiVsLWO8rgd03YG6vBRVODvcu6D7+MevosMFTYowntQcPw7Xt6+4xDnElrmyOsJLG8onU85dXIrJ1+2TXHzdQzzNTNG0Z1MRWwyvYAhq34sy+Ub/BbfiCnT8/jemjYy40PxHrTQQ+iqoFtoNK2PI9kQ7BtDtLDkf+6QiA806D8q4X7PsdFMDED5X83GaIFEa7uPpxxPUsAwv9O9cgZ+xgZ/R/4iNuA2ktN0yc++57pZz2BjEfIQuKMFisUjWCI7xcmDK+PZ+LrXQgO8k5Nmd8fC/j6f3ffQxE3qkw4QKkj8Jv7+kff6MJXDHzLNZVSQfNgpi4VKneuheJjPY8t5MvfPoQJkn/dwrx52eN/Dt0jYq1incc4H+X6XkbAv9JTmDsfrcEGJ5eBiJz4b0OwoE6FvN84zVgz2/UKp2I1ltAOf78tU9A/y6rDN77leHd6dym09CXGYo1TdSDKczfLYieV3GdOc79WhfRwyv5RpbZ14gG3M9Z4HzObrvJh81Xn58pXJcY6XZq8i3w6I+rSYNJ93PAgdou52xQAQ+kBgKt1icV6GIbRKFhS5DhqDtwcg/2igPsftMyVa/jXDjxgW5ZU8dnbAbbmazzWPv3B7TqIS00wLxMeOtH58wHrbtBf5X+TkwZW5bMh90niNx+fTMsJ8BLMc5aAv+CS9Bkv4PHNYlktIpo+wrp8ZOHcij83l/0nOsTbut+X8hkN+9nlej7G0xCGkE7l9Cb0IHSyTu0ggQqKPc69+m5ZoOTiGHoV5zO+kfqzLackHvM7n9g2S78I4WnpOKLXUq8OoEyfxnYEcd2G63aiItbKePM93i/7w7xm5m+lOdK5tn/XPVBiX8ZyX6alq4/UPCTwL7v8vL1+TuB+KcqhLwN77Nf6eUEKZTQ54C1EPz1JaUgw0oW/oRUlg2V5cJE2t89HH4T5q300DUPZoHBpp3TweOD6dpPftwHtKxlhLL3M7zl39TU8Bgqvwq45VWA7K6a6B5VoT2P9bx5rsSx3awfG2LA0cn0Kiv9Xb30yLKMuyWUhLb8uY+6Sc56ktMW9Qlmx/+gOB4w+R3DeR9fvdq0g8C3jfH5dxT6Q71lEGXqVC8MF+qstx5fG04wWqLaH+LCVxAkMdi1eoWL0WOOde/m7r7NveO+biLXrAzohRxEL5Wu7UK1/p2oyKwTpes4WK+ogSPJH+PBoHSnwMgULRL4Qeck03SnhseiXRzgbxMDZSxQjIRr+jEX8wcBxW0jkFnqm/Yee1XynhaG7sn0Fr3Y+E7o7xSNh+8IXesQdo2XzMs0pgOW1HC/8fZea/EjETbzl5b+jDdWwjG+dpQUAUgsf+GmhA4SlBlwC6CeBih2v1iAq+5yaSWafk+9r9et1CIqnzvrMsLbZVtCi/U+I94fL9AOsBvAD3U2Hqr9EdWQlH2u/rELVfx0PR+weQjLO08oHhzjUk5juxdci2aU1F6sPdVJifCRwL5etAyceCvOwd+yy/ZVjyCGJDtwCi8A8t0Hb+kt/w1x3FxSrcwEyJjw1SKCpiZbkNUKjRapJ8UE9fAGviSoeQYXku4wf+ai8UljQVgNmelfgTiSJJB7rsu6T8/stNaNW6VuC32OgsCxAXgv4w8c+1THc3G3jr3kMU9GllNN7AFWwwk16D9b2YhlJilCrrceiLhZ4sUDcLwbpGf+80pCdy/3SpzOp5SckPLQzFBXQ7+xMBJe0JiVzXeEfnUvF4usg9j3eIK81fBGIhIvxyqVwAq1uXMT/FWueZP8P8WgLzyxJW7OZMm6FX5EQqP4gHedF7t+uKKJZJpwxD9WFXfjdZJ13I6j/Cy9dYenf8fPllfadThw5mHZoRk2d8n2OoKEyi9wWWOUZ9wN3/fxLFZWj/uaLfCT2k9Q7nR+AT+v5s4NNO5QSp3sCPI4TFrNCVBAgGQTBnOhbs1AEue7dhKddDcDLFByL7vyw9o5mHsnFBfy2Gtu1GBeyjtDhmUukpB3EL8/y0DEJ3yyJbobIsFWioD2KjbUdVII5hCZ9tl148R2/ec7H3D+/Xj0jGu7Px372AEjhC8gFwv+bvoxL1Ce9A6/3+CtdlfP+PxRybwW/Px3HSc8hZG7/9s5xyK/ZuE166uHNQhhO8c690lA6LYwKeDHjIEIB7tqeYjGd5tku+L38W0+9PBXtujBJyNQkdVvr/UuGCAYKA1/kyMF5DxSAk9BcC+6C9fs2z8rDvssBHBFxVwPqp7qdnRV6OYkOOhV2WD3DZ9+WDfZtKSZKNACwjuPxulsi1HipTuG2voyJzjuOt+G82pMky84358Z+UvFswUaB+FPKgDFRZHk6yhJvddjesIrmfxkb9mQrlLdGH57CW4mkkzY+TBBbFXOMztEThfXrEsW7RdQOX/cR+IPRuWq7dfKcZEtmdjlLhA11hiB9AVx2i4D9EMjy1l+82UeQcxGu8QuPCkm1XgXwlWc7IF0ZOTAmktYGHs0jCwJtMj2NHSj641QW6l+5gvUM3GQJz0RXWQkLfSqlJsaEI/a8kR/+jQXAV+o7gEkRf4BdjyBxE9KCEg6T6E8v4cR0vPYOjBgJtzsddI4XXhk94FsgvJN//Xw5gZaCf7mj+XyDR+OjeAIQxu49lYPu+OyTvUrWKRZzClw4oA+scS7FURcK6SuGh2JPfQkbyoyKg/F1c5L2Ugg5aZPUSjhOwM9+JxA/Vs+WNbo6LJBri9ouYdLYb4SXvuawCcBjLaWUF6/JKWqpryzgHwai3OSQICxf90RjG+ZyTrt3xMoUwxClnW286vPplFVeLmwsQ+h+db+JNtmeH0ZvldtHVOJb8K3z+JOuntcqhPP1Qes7SZ2daRJ5ukXyA73S2Ux9QalL0Br2xkBBA9ZeYY0fzY/lpDJkDP6FLKjUAz3ujQ2YDjVX8qEfHNFZoQOACnik9I2t7a9kulfUnl7mOjXBvrldXgTKw0elLnEbYTuoyJuacTZ3ycz0WwLiYc6ZQibya/3eSfDQxJtV5lMdhrf+A+xE1vW8FnnEFSQllHJo2eRRJqU16Dvfzgbw9zXNs95Gr6CHP+3H7C95zXeeU38H94G0q1zho8Ej0CSo2/ph7G/W+eUybMc6rD1lHWdk65t7betcOKQhW6XhM8rP8uXBHDZxHb8iD/D2f+6Gc7FqgDOyshlYpvVYpSbGhCd0O8elNANzj1EIH0ipevJGU/Rx6K+okP3TMfS/Q2g8gma8ONKC9xfW0gEAMN/XhOi1lpE1Lz0AsDEeyE7Xc5+x/mL8TAoQKIjuJ2+5qfU84SpAfXTyWFu2+TkNvXaVv0Br7jSP4/6pDin3FUsfiDAUens73PUcKj2e3jf43aFmGukg+T6JEEOTtged6vsBztffxOftSJ9P0PgBwU3/CMyDWkZxPCNSHL3h1QBzP0XHSc6w3vAC7sx17rEi+YO3b2QWP8IwU6+GZS0+DW9b4P9/zBMV5by6nV+g6Cfe3KxQlo7f91a+wgt9awCoKWfbHSt9dmO8VrGUjdj01fFikGGJUS9I6hA3Kd6Uy0dYWi9lgurOR9QYns4FLBOoUvAovelb1+ZJ3PW5FTwkaW7g1f+aR80zWL/R7wmWJvkaMrf86FYGF9LZYPMWG9Bg2pldTYRlH5RPW3WtsNF1X6eUSng4XZT+Lv2OkbxMPZfme9yPBQIGzUd/HOXkBcZQy2uFJWuoXBAh1IrevlfA0txNIdgfwHSxwjkHhCc15kKLy9Eg/fw/38N1/gs/2WYcwf05FBvVkRyp9GP+Ncd8Y5vaW5GeNBG6gVwZu9XtZHkizN89JUZl9roR8WSt9Ar/FQ6lkH+5Y578LnIeI/RlUsnBea8z1URf+UKaCrFBUlNCFHzg+kMvYKMW5YGHJ3yzR0JvVXgPUHEhf7rKmdpUjH0PLuEbcilH93c8PMkFUMmaz+hLFAtbk2bJ+P7V1B5Y6ZrsupkxDQ4CaS3hmt6xPLZBuCQndXmszkqePZ+ideMuziibz3EMCxPQyFZ63A+ckaeH5i6y8SOsObtmjqBRkJD9TnY+H+Qyb0AK8xiub5hiLtNqpey4xoovqFF7ncIcMrKcDBHaHsy/pvOOQJY5vDv26OzvvAwqDndp2ZsxzQcnBzHbbsq5d6NxnP8m7631MjyF06wIfVoa3z9az2oCVPo1K7aFU6OxznMO6jzI8V9aPTH+ZyqXr3XiLRHozy+hG716/ooLgoqlIvv7A+ngg68WmrE9xAYb30usxjnVyRoF7rIkp16GiY9EVG4jQhZYSgt8QbIbpRnciQWXo9kODfZ/0nOjEupum8eNIO/mZ1wt33Q9oSaWdRnCJlD4U6kESjjseGNd4dgO8g8tpBdg5vrtpOaCBn+OlvZ3l83AZStc0elSKWZFX0QouZLV08nqjC3gNkpJ3f2Jq3qmyflBQgiSGYw9IeEz0clpoIL6DmS8ohugT/rX07IKwjeJRJDpEem9BpegR75x2PkMhFze8J6eTIBd75DGNhNEZ4/24hPfw83gTlbOJJJkEy+D2wPtZRpJHw7405tuBBXi8971cwW8t7n2jfqPvfU/nPFiIr0p+oZQQad8Xc715VC7WluF5g7W8jazvIreAgnUWyTLlKaCnsqxQJ7Zk+T7EfS0xyuIEltFeJMc3SMx/jsnXdgXydSYV03rWtWl8f3HBhVA4v0KPwhpHMYIy9XiRMprH72ZlActeoehpcWWz5Q3/3WrX0wZ7kUmiKjjC62w25NdrtVIoFJXG/KemayEo+tVCH3x0noiN/XlaCg87UigUCoVi47HQFQqFQqFQbHzQgAuFQqFQKJTQFQqFQqFQKKErFAqFQqGoCP4jwADQNvw20jA5ogAAAABJRU5ErkJggg==",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.92066646,"math_prob":0.999754,"size":301,"snap":"2022-40-2023-06","text_gpt3_token_len":77,"char_repetition_ratio":0.107744105,"word_repetition_ratio":0.63829786,"special_character_ratio":0.2591362,"punctuation_ratio":0.17741935,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9972085,"pos_list":[0,1,2,3,4],"im_url_duplicate_count":[null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-02-05T16:53:01Z\",\"WARC-Record-ID\":\"<urn:uuid:5e4b0c7f-7f46-413e-92ae-40d10ef429f4>\",\"Content-Length\":\"32864\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:d2ee461e-8caf-403a-b7e4-87109d2a159d>\",\"WARC-Concurrent-To\":\"<urn:uuid:c5dba0b4-8144-44a7-af9c-badf9dca38af>\",\"WARC-IP-Address\":\"104.26.6.16\",\"WARC-Target-URI\":\"https://homework.cpm.org/category/CCI_CT/textbook/int1/chapter/4/lesson/4.1.4/problem/4-41\",\"WARC-Payload-Digest\":\"sha1:DNPWDSC43V7RYUNLDM73NGDZ2CQ3XZQD\",\"WARC-Block-Digest\":\"sha1:BZ4RGAPPO6R5JE3IRVNBAKAQIQXCISEE\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-06/CC-MAIN-2023-06_segments_1674764500273.30_warc_CC-MAIN-20230205161658-20230205191658-00560.warc.gz\"}"} |
https://www.ecosystemservicesseq.com.au/deck3/4730-calculate-price-per-square-foot-tile.html | [
"### The Best ECO WPC Decking\n\nWater proof,Environmental friendly, low carbon,100% recycled\n\n# calculate price per square foot tile\n\n### Cost to Install Ceramic Floor Tile - 2018 Cost Calculator .\n\nThe cost to Install Ceramic Floor Tile starts at \\$11.02 - \\$16.87 per square foot, but can vary significantly with site conditions and options. Get fair costs for your.\n\n### Cement Tile Calculator | Villa Lagoon Tile\n\nCalculate square footage and number of pieces of cement tile (or any tile), for various standard cement tile formats. Input your room dimensions to get number of.\n\n### Tile Calculator - Calculator.net\n\nThis free tile calculator estimates the total number of tiles needed to cover an area . Square Footage Calculator | Area Calculator | Roofing Calculator . though at an additional cost.1 For more uniformly cut tiles such as granite, . Square sizes (same width and length) are the most popular, accessible, and easiest to install.\n\n### 2018 Install Tile Costs | Average Tile Installation Cost - Porch\n\nUse this calculator to estimate the cost for your home in your zip code. . with these options, the tile installation cost starts at \\$14.43-\\$22.21 per square foot.\n\n### 5 Steps to Calculate How Much Tile You Need | Dengarden\n\nOct 24, 2017 . 5 Steps for Calculating How Much Tile You'll Need . Multiply the square footage of the room by 10%, then add this amount to the total square.\n\n### How To Calculating Square Footage for Tile Floors & Walls - Tile .\n\nThe same method is used when measuring walls. Measure the area to be tiled on each wall. Add them together and figure the square footage. Add your waste.\n\n### Cost of Ceramic Tile Flooring - Estimate Installation Prices\n\nCeramic Tile Flooring – Total Average Cost per square foot, \\$3.17, \\$4.80, \\$6.38 . Try to budget and additional 7-15% more on top of what our calculator gives.\n\n### Tile Installation Cost For A Bathroom Remodel - Remodel Calculator\n\nAverage tile installation cost per square foot is \\$7-10. Get prices for floor and wall tile: ceramic, porcelain, glass, stone, mosaic; cost to tile a shower.\n\n### How much tile will you need - Bankrate\n\nThen, using the drop-down menu, select the size of the tile you're using and click ''calculate.'' Your results will show both the number of square feet of tile you'll.\n\n### Ceramic Tile Calculator - Determine How Many Tiles You Need\n\nTips on measuring for ceramic tile for countertops, backsplashes, and more including a handy . I want to calculate a tile 10.5 in x 28 in and my area is 148.5 sq ft.\n\n### 2018 Install Tile Costs | Average Tile Installation Cost - Porch\n\nUse this calculator to estimate the cost for your home in your zip code. . with these options, the tile installation cost starts at \\$12.65-\\$19.47 per square foot.\n\n### Tile Price per Square Foot - vCalc\n\nJan 16, 2017 . The Tile Price per Square Foot calculator computes the \\$ per square foot for a box or case of tiles based on the tile dimensions, number of tiles.\n\n### Java Practice - Tile Floor Cost Calculator - YouTube\n\nJun 24, 2015 . . we talk about how to use Java to calculate the price of a new tile floor, based on the floor's length, width, and the price per square foot.\n\n### 2018 Cost To Install Ceramic or Porcelain Tile | Average Tile Prices\n\nHomeAdvisor's Ceramic or Porcelain Tile Cost Guide surveys homeowners to reveal . Although the average cost per square foot of tile varies by location, great . The next step in the process is to determine if the surface is level, and if it is not,.\n\n### Carpet Tile Calculator: Easily Find Out How Many Squares You Need\n\nFind out how many tiles you will need by entering the dimensions of your room . Home /; FLOR Tile Calculator . Enter the square footage of your room or rug.\n\n### Simple Tiling Calculator - Calculator\n\nWidth, feet inches. Length, feet inches. Description. This calculator allows you to calculate how many tiles you need to cover a simple . Units: Works both in metric and imperial units; Tiles: Works for both rectangular and square tiles.\n\n### Tile Calculator and Cost Estimator - Plan a Floor, Wall, or Backsplash\n\nThe first step in finding how many tiles you need for a floor, wall, or backsplash project is to measure the area of the project and find the square footage.\n\n### How to Calculate the Per Square Foot Cost of Ceramic Tile .\n\nTo calculate the cost of a tile project, you need to begin by taking accurate measurements of the area. From there, you can determine the square footage and.\n\n### 2018 Tile Calculator | Tile Estimator | Tile Installation | Tile Per .\n\nJun 29, 2018 . Use our tile calculator to find how many tiles you will need for your . Try to get your figure down to a specific price per square foot, which will.\n\n### Cost to Install Porcelain Tile Flooring | 2018 Cost Calculator Options\n\nIncludes all labor, materials and supplies needed for laying the tile flooring based on entered square footage. Results are approximations based on setting.\n\n### How to Figure Cost Per Square Foot for Installing Tile - Home Guides\n\nMeasure the length and width of the floor. Multiply the length by the width to calculate the square footage of the room. For instance, if your room is 12 feet by 14.\n\n### Cost of Tile Flooring - Estimates and Prices Paid\n\nGlazed ceramic tiles run \\$1-\\$20 a square foot, giving a materials-only cost of . to consider when calculating the total costs of a home remodeling project.\n\n### Tile Installation Cost & Materials Prices 2018 | Estimates, Averages .\n\nNov 29, 2017 . Most natural stone tile costs around \\$5 to \\$10 per square foot, with an . You can calculate much of the installation cost by square footage.\n\n### Project Calculators for Materials Estimating at The Home Depot\n\nIncludes materials estimate tools for paint, tile, carpet, drywall, insulation, wallpaper, . Take the guesswork out of estimating the cost of your home improvement project . Use our ceramic tile calculator to get the floor or wall square footage.\n\n### How to Price a Ceramic Tile Job | Chron\n\nJul 1, 2018 . On average, it is possible to provide a good quality tile for about \\$3 per square foot. To price the tile, calculate the area of the job by multiplying.\n\n### Flooring Calculator - Lowe's\n\nFind square yard estimates for hardwood and laminate floors. . Prices, promotions, styles, and availability may vary. . Planners, calculators and more to make your carpet, laminate, hardwood, vinyl or tile flooring projects easier . the area you're working with. For carpet installation, plan for a 20% overage. Room Width: ft.\n\n### Cost to Install Ceramic Tile Flooring | 2018 Cost Calculator Options\n\nGives a breakdown for labor and material portions with prices ranging from low to high amounts with average costs per square foot for each case.\n\n### Tile Flooring Cost Calculator – Home Improvement Calculators\n\nWe created the most comprehensive tile installation calculator on the internet. . Generally, the smaller the area, the more it will cost on a per square foot basis.\n\n### Get a Rough Estimate of Replacement Flooring Costs .\n\nYou'll need a tape measure to determine square footage. . They range in cost from less than \\$2 per square foot for cheap vinyl, ceramic tile and carpet to over."
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.8275862,"math_prob":0.9430349,"size":9353,"snap":"2020-10-2020-16","text_gpt3_token_len":2053,"char_repetition_ratio":0.16782543,"word_repetition_ratio":0.05700124,"special_character_ratio":0.22313696,"punctuation_ratio":0.107418396,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9780145,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2020-04-07T14:10:31Z\",\"WARC-Record-ID\":\"<urn:uuid:1c4f41ec-f3ff-4cb0-bb22-7dbfe6b44f08>\",\"Content-Length\":\"25947\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:a600a1a4-3287-4f55-ae61-ff20d0ed438d>\",\"WARC-Concurrent-To\":\"<urn:uuid:84b54f8d-5853-4497-9b13-609520a3d52e>\",\"WARC-IP-Address\":\"104.27.158.248\",\"WARC-Target-URI\":\"https://www.ecosystemservicesseq.com.au/deck3/4730-calculate-price-per-square-foot-tile.html\",\"WARC-Payload-Digest\":\"sha1:ATKXME7DGBGNXTK3FZEDDEPBFHRYSEOQ\",\"WARC-Block-Digest\":\"sha1:TQZFH7CXFYBI7YTMZQZFIFZDPDTVJQC7\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2020/CC-MAIN-2020-16/CC-MAIN-2020-16_segments_1585371799447.70_warc_CC-MAIN-20200407121105-20200407151605-00225.warc.gz\"}"} |
https://www.ginac.de/ginac.git/?p=ginac.git;a=blob;f=ginac/flags.h;h=6cf3ea94dde8b34e88b477d6d075ec7d97e3525c;hb=f79727f9acf4f78ff71cbe324c333c234c211cb5 | [
"1 /** @file flags.h\n2 *\n3 * Collection of all flags used through the GiNaC framework. */\n5 /*\n6 * GiNaC Copyright (C) 1999-2005 Johannes Gutenberg University Mainz, Germany\n7 *\n8 * This program is free software; you can redistribute it and/or modify\n9 * it under the terms of the GNU General Public License as published by\n10 * the Free Software Foundation; either version 2 of the License, or\n11 * (at your option) any later version.\n12 *\n13 * This program is distributed in the hope that it will be useful,\n14 * but WITHOUT ANY WARRANTY; without even the implied warranty of\n15 * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the\n16 * GNU General Public License for more details.\n17 *\n18 * You should have received a copy of the GNU General Public License\n19 * along with this program; if not, write to the Free Software\n20 * Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA\n21 */\n23 #ifndef __GINAC_FLAGS_H__\n24 #define __GINAC_FLAGS_H__\n26 namespace GiNaC {\n28 /** Flags to control the behavior of expand(). */\n29 class expand_options {\n30 public:\n31 enum {\n32 expand_indexed = 0x0001, ///< expands (a+b).i to a.i+b.i\n33 expand_function_args = 0x0002 ///< expands the arguments of functions\n34 };\n35 };\n37 /** Flags to control the behavior of has(). */\n38 class has_options {\n39 public:\n40 enum {\n41 algebraic = 0x0001, ///< enable algebraic matching\n42 };\n43 };\n45 /** Flags to control the behavior of subs(). */\n46 class subs_options {\n47 public:\n48 enum {\n49 no_pattern = 0x0001, ///< disable pattern matching\n50 subs_no_pattern = 0x0001, // for backwards compatibility\n51 algebraic = 0x0002, ///< enable algebraic substitutions\n52 subs_algebraic = 0x0002, // for backwards compatibility\n53 pattern_is_product = 0x0004, ///< used internally by expairseq::subschildren()\n54 pattern_is_not_product = 0x0008, ///< used internally by expairseq::subschildren()\n55 no_index_renaming = 0x0010\n56 };\n57 };\n59 /** Domain of an object */\n60 class domain {\n61 public:\n62 enum {\n63 complex,\n64 real,\n65 positive\n66 };\n67 };\n69 /** Flags to control series expansion. */\n70 class series_options {\n71 public:\n72 enum {\n73 /** Suppress branch cuts in series expansion. Branch cuts manifest\n74 * themselves as step functions, if this option is not passed. If\n75 * it is passed and expansion at a point on a cut is performed, then\n76 * the analytic continuation of the function is expanded. */\n77 suppress_branchcut = 0x0001\n78 };\n79 };\n81 /** Switch to control algorithm for determinant computation. */\n82 class determinant_algo {\n83 public:\n84 enum {\n85 /** Let the system choose. A heuristics is applied for automatic\n86 * determination of a suitable algorithm. */\n87 automatic,\n88 /** Gauss elimination. If \\f\\$m_{i,j}^{(0)}\\f\\$ are the entries of the\n89 * original matrix, then the matrix is transformed into triangular\n90 * form by applying the rules\n91 * \\f[\n92 * m_{i,j}^{(k+1)} = m_{i,j}^{(k)} - m_{i,k}^{(k)} m_{k,j}^{(k)} / m_{k,k}^{(k)}\n93 * \\f]\n94 * The determinant is then just the product of diagonal elements.\n95 * Choose this algorithm only for purely numerical matrices. */\n96 gauss,\n97 /** Division-free elimination. This is a modification of Gauss\n98 * elimination where the division by the pivot element is not\n99 * carried out. If \\f\\$m_{i,j}^{(0)}\\f\\$ are the entries of the\n100 * original matrix, then the matrix is transformed into triangular\n101 * form by applying the rules\n102 * \\f[\n103 * m_{i,j}^{(k+1)} = m_{i,j}^{(k)} m_{k,k}^{(k)} - m_{i,k}^{(k)} m_{k,j}^{(k)}\n104 * \\f]\n105 * The determinant can later be computed by inspecting the diagonal\n106 * elements only. This algorithm is only there for the purpose of\n107 * cross-checks. It is never fast. */\n108 divfree,\n109 /** Laplace elimination. This is plain recursive elimination along\n110 * minors although multiple minors are avoided by the algorithm.\n111 * Although the algorithm is exponential in complexity it is\n112 * frequently the fastest one when the matrix is populated by\n113 * complicated symbolic expressions. */\n114 laplace,\n115 /** Bareiss fraction-free elimination. This is a modification of\n116 * Gauss elimination where the division by the pivot element is\n117 * <EM>delayed</EM> until it can be carried out without computing\n118 * GCDs. If \\f\\$m_{i,j}^{(0)}\\f\\$ are the entries of the original\n119 * matrix, then the matrix is transformed into triangular form by\n120 * applying the rules\n121 * \\f[\n122 * m_{i,j}^{(k+1)} = (m_{i,j}^{(k)} m_{k,k}^{(k)} - m_{i,k}^{(k)} m_{k,j}^{(k)}) / m_{k-1,k-1}^{(k-1)}\n123 * \\f]\n124 * (We have set \\f\\$m_{-1,-1}^{(-1)}=1\\f\\$ in order to avoid a case\n125 * distinction in above formula.) It can be shown that nothing more\n126 * than polynomial long division is needed for carrying out the\n127 * division. The determinant can then be read of from the lower\n128 * right entry. This algorithm is rarely fast for computing\n129 * determinants. */\n130 bareiss\n131 };\n132 };\n134 /** Switch to control algorithm for linear system solving. */\n135 class solve_algo {\n136 public:\n137 enum {\n138 /** Let the system choose. A heuristics is applied for automatic\n139 * determination of a suitable algorithm. */\n140 automatic,\n141 /** Gauss elimination. If \\f\\$m_{i,j}^{(0)}\\f\\$ are the entries of the\n142 * original matrix, then the matrix is transformed into triangular\n143 * form by applying the rules\n144 * \\f[\n145 * m_{i,j}^{(k+1)} = m_{i,j}^{(k)} - m_{i,k}^{(k)} m_{k,j}^{(k)} / m_{k,k}^{(k)}\n146 * \\f]\n147 * This algorithm is well-suited for numerical matrices but generally\n148 * suffers from the expensive division (and computation of GCDs) at\n149 * each step. */\n150 gauss,\n151 /** Division-free elimination. This is a modification of Gauss\n152 * elimination where the division by the pivot element is not\n153 * carried out. If \\f\\$m_{i,j}^{(0)}\\f\\$ are the entries of the\n154 * original matrix, then the matrix is transformed into triangular\n155 * form by applying the rules\n156 * \\f[\n157 * m_{i,j}^{(k+1)} = m_{i,j}^{(k)} m_{k,k}^{(k)} - m_{i,k}^{(k)} m_{k,j}^{(k)}\n158 * \\f]\n159 * This algorithm is only there for the purpose of cross-checks.\n160 * It suffers from exponential intermediate expression swell. Use it\n161 * only for small systems. */\n162 divfree,\n163 /** Bareiss fraction-free elimination. This is a modification of\n164 * Gauss elimination where the division by the pivot element is\n165 * <EM>delayed</EM> until it can be carried out without computing\n166 * GCDs. If \\f\\$m_{i,j}^{(0)}\\f\\$ are the entries of the original\n167 * matrix, then the matrix is transformed into triangular form by\n168 * applying the rules\n169 * \\f[\n170 * m_{i,j}^{(k+1)} = (m_{i,j}^{(k)} m_{k,k}^{(k)} - m_{i,k}^{(k)} m_{k,j}^{(k)}) / m_{k-1,k-1}^{(k-1)}\n171 * \\f]\n172 * (We have set \\f\\$m_{-1,-1}^{(-1)}=1\\f\\$ in order to avoid a case\n173 * distinction in above formula.) It can be shown that nothing more\n174 * than polynomial long division is needed for carrying out the\n175 * division. This is generally the fastest algorithm for solving\n176 * linear systems. In contrast to division-free elimination it only\n177 * has a linear expression swell. For two-dimensional systems, the\n178 * two algorithms are equivalent, however. */\n179 bareiss\n180 };\n181 };\n183 /** Flags to store information about the state of an object.\n184 * @see basic::flags */\n185 class status_flags {\n186 public:\n187 enum {\n188 dynallocated = 0x0001, ///< heap-allocated (i.e. created by new if we want to be clever and bypass the stack, @see ex::construct_from_basic() )\n189 evaluated = 0x0002, ///< .eval() has already done its job\n190 expanded = 0x0004, ///< .expand(0) has already done its job (other expand() options ignore this flag)\n191 hash_calculated = 0x0008, ///< .calchash() has already done its job\n192 not_shareable = 0x0010 ///< don't share instances of this object between different expressions unless explicitly asked to (used by ex::compare())\n193 };\n194 };\n196 /** Possible attributes an object can have. */\n197 class info_flags {\n198 public:\n199 enum {\n200 // answered by class numeric and symbols/constants in particular domains\n201 numeric,\n202 real,\n203 rational,\n204 integer,\n205 crational,\n206 cinteger,\n207 positive,\n208 negative,\n209 nonnegative,\n210 posint,\n211 negint,\n212 nonnegint,\n213 even,\n214 odd,\n215 prime,\n217 // answered by class relation\n218 relation,\n219 relation_equal,\n220 relation_not_equal,\n221 relation_less,\n222 relation_less_or_equal,\n223 relation_greater,\n224 relation_greater_or_equal,\n226 // answered by class symbol\n227 symbol,\n229 // answered by class lst\n230 list,\n232 // answered by class exprseq\n233 exprseq,\n235 // answered by classes numeric, symbol, add, mul, power\n236 polynomial,\n237 integer_polynomial,\n238 cinteger_polynomial,\n239 rational_polynomial,\n240 crational_polynomial,\n241 rational_function,\n242 algebraic,\n244 // answered by class indexed\n245 indexed, // class can carry indices\n246 has_indices, // object has at least one index\n248 // answered by class idx\n249 idx\n250 };\n251 };\n253 class return_types {\n254 public:\n255 enum {\n256 commutative,\n257 noncommutative,\n258 noncommutative_composite\n259 };\n260 };\n262 /** Strategies how to clean up the function remember cache.\n263 * @see remember_table */\n264 class remember_strategies {\n265 public:\n266 enum {\n267 delete_never, ///< Let table grow undefinitely\n268 delete_lru, ///< Least recently used\n269 delete_lfu, ///< Least frequently used\n270 delete_cyclic ///< First (oldest) one in list\n271 };\n272 };\n274 } // namespace GiNaC\n276 #endif // ndef __GINAC_FLAGS_H__"
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.80146945,"math_prob":0.8547442,"size":7999,"snap":"2021-21-2021-25","text_gpt3_token_len":2130,"char_repetition_ratio":0.12532833,"word_repetition_ratio":0.20839813,"special_character_ratio":0.33991748,"punctuation_ratio":0.10766046,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.98970556,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-06-15T02:56:35Z\",\"WARC-Record-ID\":\"<urn:uuid:a1fdd29f-b092-42c4-b9c6-0a8b30fbc0c5>\",\"Content-Length\":\"94258\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:743c32f6-1f08-4ad1-8b06-edfb82d94190>\",\"WARC-Concurrent-To\":\"<urn:uuid:7e19a76f-f1be-4368-895c-96f144bae3b3>\",\"WARC-IP-Address\":\"188.68.41.94\",\"WARC-Target-URI\":\"https://www.ginac.de/ginac.git/?p=ginac.git;a=blob;f=ginac/flags.h;h=6cf3ea94dde8b34e88b477d6d075ec7d97e3525c;hb=f79727f9acf4f78ff71cbe324c333c234c211cb5\",\"WARC-Payload-Digest\":\"sha1:4MXUWNKJ32N6NPFUGWX3APOIAPYAE43F\",\"WARC-Block-Digest\":\"sha1:5XTH7YCW4CM5VY2X6YBHLSBO4B4PDMKA\",\"WARC-Identified-Payload-Type\":\"application/xhtml+xml\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-25/CC-MAIN-2021-25_segments_1623487616657.20_warc_CC-MAIN-20210615022806-20210615052806-00388.warc.gz\"}"} |
https://arxiv-export-lb.library.cornell.edu/abs/1602.08681 | [
"### Current browse context:\n\ncond-mat.stat-mech\n\n# Title: Critical exponents and the pseudo-$ε$ expansion\n\nAbstract: We present the pseudo-$\\epsilon$ expansions ($\\tau$-series) for the critical exponents of a $\\lambda\\phi^4$ three-dimensional $O(n)$-symmetric model obtained on the basis of six-loop renormalization-group expansions. Concrete numerical results are presented for physically interesting cases $n = 1$, $n = 2$, $n = 3$ and $n = 0$, as well as for $4 \\le n \\le 32$ in order to clarify the general properties of the obtained series. The pseudo-$\\epsilon$-expansions for the exponents $\\gamma$ and $\\alpha$ have small and rapidly decreasing coefficients. So, even the direct summation of the $\\tau$-series leads to fair estimates for critical exponents, while addressing Pade approximants enables one to get high-precision numerical results. In contrast, the coefficients of the pseudo-$\\epsilon$ expansion of the scaling correction exponent $\\omega$ do not exhibit any tendency to decrease at physical values of $n$. But the corresponding series are sign-alternating, and to obtain reliable numerical estimates, it also suffices to use simple Pad\\'e approximants in this case. The pseudo-$\\epsilon$ expansion technique can therefore be regarded as a specific resummation method converting divergent renormalization-group series into expansions that are computationally convenient.\n Comments: 18 pages, 10 tables Subjects: Statistical Mechanics (cond-mat.stat-mech); High Energy Physics - Lattice (hep-lat); High Energy Physics - Theory (hep-th) Journal reference: Teor. Mat. Fiz. 186, 230 (2016) [Theor. Math. Phys. 186, 192 (2016)] DOI: 10.1134/S0040577916020057 10.4213/tmf8966 Cite as: arXiv:1602.08681 [cond-mat.stat-mech] (or arXiv:1602.08681v1 [cond-mat.stat-mech] for this version)\n\n## Submission history\n\nFrom: Aleksandr I. Sokolov [view email]\n[v1] Sun, 28 Feb 2016 08:12:22 GMT (12kb)\n\nLink back to: arXiv, form interface, contact."
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.82537115,"math_prob":0.94553447,"size":1693,"snap":"2023-14-2023-23","text_gpt3_token_len":400,"char_repetition_ratio":0.11486086,"word_repetition_ratio":0.0,"special_character_ratio":0.22740696,"punctuation_ratio":0.11149826,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.98953897,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-03-28T16:29:01Z\",\"WARC-Record-ID\":\"<urn:uuid:9da1d72e-71ea-4448-bdb1-528e8deaae01>\",\"Content-Length\":\"17593\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:078b266a-83fc-42d8-ac6a-107fe6840072>\",\"WARC-Concurrent-To\":\"<urn:uuid:2a5ea851-ff53-4d1c-b4fd-68580edc2ae9>\",\"WARC-IP-Address\":\"128.84.21.203\",\"WARC-Target-URI\":\"https://arxiv-export-lb.library.cornell.edu/abs/1602.08681\",\"WARC-Payload-Digest\":\"sha1:37UBMVVRC4UISVNDWZFHZPZG7JIJQKKN\",\"WARC-Block-Digest\":\"sha1:JVRZCH53BMNBTROHGQA3TAWQTO43KOYZ\",\"WARC-Identified-Payload-Type\":\"application/xhtml+xml\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-14/CC-MAIN-2023-14_segments_1679296948867.32_warc_CC-MAIN-20230328135732-20230328165732-00258.warc.gz\"}"} |
https://deepai.org/publication/understanding-the-loss-surface-of-neural-networks-for-binary-classification | [
"",
null,
"# Understanding the Loss Surface of Neural Networks for Binary Classification\n\nIt is widely conjectured that the reason that training algorithms for neural networks are successful because all local minima lead to similar performance, for example, see (LeCun et al., 2015, Choromanska et al., 2015, Dauphin et al., 2014). Performance is typically measured in terms of two metrics: training performance and generalization performance. Here we focus on the training performance of single-layered neural networks for binary classification, and provide conditions under which the training error is zero at all local minima of a smooth hinge loss function. Our conditions are roughly in the following form: the neurons have to be strictly convex and the surrogate loss function should be a smooth version of hinge loss. We also provide counterexamples to show that when the loss function is replaced with quadratic loss or logistic loss, the result may not hold.\n\n## Authors\n\n##### This week in AI\n\nGet the week's most popular data science and artificial intelligence research sent straight to your inbox every Saturday.\n\n## 1 Introduction\n\nLocal search algorithms like stochastic gradient descent\n\n or variants have gained huge success in training deep neural networks (see, ; ; , for example). Despite the spurious saddle points and local minima on the loss surface , it has been widely conjectured that all local minima of the empirical loss lead to similar training performance [1, 2]. For example, empirically showed that neural networks with identical architectures but different initialization points can converge to local minima with similar classification performance. However, it still remains a challenge to characterize the theoretical properties of the loss surface for neural networks.\n\nIn the setting of regression problems, theoretical justifications has been established to support the conjecture that all local minima lead to similar training performance. For shallow models, [9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20] provide conditions under which the local search algorithms are guaranteed to converge to the globally optimal solution for the regression problem. For deep linear networks, it has been shown that every local minimum of the empirical loss is a global minimum [21, 22, 23, 24, 25]. In order to characterize the loss surface of more general deep networks for regression tasks, have proposed an interesting approach. Based on certain constructions on network models and additional assumptions, they relate the loss function to a spin glass model and show that the almost all local minima have similar empirical loss and the number of bad local minima decreases quickly with the distance to the global optimum. Despite the interesting results, it remains a concern to properly justify their assumptions. More recently, it has been shown [26, 27] that, when the dataset satisfies certain conditions, if one layer in the multilayer network has more neurons than the number of training samples, then a subset of local minima are global minima.\n\nAlthough the loss surfaces in regression tasks have been well studied, the theoretical understanding of loss surfaces in classification tasks is still limited. [27, 28, 29] treat the classification problem as the regression problem by using quadratic loss, and show that (almost) all local minima are global minima. However, the global minimum of the quadratic loss does not necessarily have zero misclassification error even in the simplest cases (e.g., every global minimum of quadratic loss can have non-zero misclassification error even when the dataset is linearly separable and the network is a linear network). This issue was mentioned in and a different loss function was used, but their result only studied the linearly separable case and a subset of the critical points.\n\nIn view of the prior work, the context and contributions of our paper are as follows:\n\n• Prior work on quadratic and related loss functions suggest that one can achieve zero misclassification error at all local minima by overparameterizing the neural network. The reason for over-parameterization is that the quadratic loss function tries to match the output of the neural network to the label of each training sample.\n\n• On the other hand, hinge loss-type functions only try to match the sign of the outputs with the labels. So it may be possible to achieve zero misclassification error without over-parametrization. We provide conditions under which the misclassification error of neural networks is zero at all local minima for hinge-loss functions.\n\n• Our conditions are roughly in the following form: the neurons have to be increasing and strictly convex, the neural network should either be single-layered or is multi-layered with a shortcut-like connection and the surrogate loss function should be a smooth version of the hinge loss function.\n\n• We also provide counterexamples to show that when these conditions are relaxed, the result may not hold.\n\n• We establish our results under the assumption that either the dataset is linearly separable or the positively and negatively labeled samples are located on different subspaces. Whether this assumption is necessary is an open problem, except in the case of certain special neurons.\n\nThe outline of this paper is as follows. In Section 2, we present the necessary definitions. In Section 3, we present the main results and we discuss each condition in Section 4. Conclusions are presented in Section 5. All proofs are provided in Appendix.\n\n## 2 Preliminaries\n\nNetwork models.\n\nGiven an input vector\n\nof dimension , we consider a neural network with layers for binary classification. We denote by the number of neurons on the -th layer (note that and\n\n). We denote the neuron activation function by\n\n. Let denote the weight matrix connecting the -th layer and the -th layer and\n\ndenote the bias vector for the neurons in the\n\n-th layer. Therefore, the output of the network can be expressed by\n\n f(x;θ)=W⊤Lσ(...σ(W⊤1x+b1)+bL−1)+bL,\n\nwhere denotes all parameters in the neural network.\n\nData distribution. In this paper, we consider binary classification tasks where each sample is drawn from an underlying data distribution defined on . The sample is considered positive if , and negative otherwise. Let denote a set of orthonormal basis on the space . Let and denote two subsets of such that all positive and negative samples are located on the linear span of the set and , respectively, i.e., and . Let denote the size of the set , denote the size of the set and denote the size of the set , respectively.\n\nLoss and error. Let denote a dataset with samples, each independently drawn from the distribution . Given a neural network parameterized by and a loss function in binary classification tasks333We note that, in regression tasks, the empirical loss is usually defined as ., we define the empirical loss as the average loss of the network on a sample in the dataset , i.e.,\n\n ^Ln(θ)=1nn∑i=1ℓ(−yif(xi;θ)).\n\nFurthermore, for a neural network\n\n, we define a binary classifier\n\nof the form , where the sign function , if , and otherwise. We define the training error (also called the misclassification error) as the misclassification rate of the neural network on the dataset , i.e.,\n\n ^Rn(θ)=1nn∑i=1I{yi≠% sgn(f(xi;θ))},\n\nwhere is the indicator function. The training error measures the classification performance of the network on the finite samples in the dataset .\n\n## 3 Main Results\n\nIn this section, we present the main results. We first introduce several important conditions in order to derive the main results, and we will provide further discussions on these conditions in the next section.\n\n### 3.1 Conditions\n\nTo fully specify the problem, we need to specify our assumptions on several components of the model, including: (1) the loss function, (2) the data distribution, (3) the network architecture and (4) the neuron activation function.\n\n###### Assumption 1 (Loss function)\n\nLet denote a loss function satisfying the following conditions: (1) is a surrogate loss function, i.e., for all , where denotes the indicator function; (2) has continuous derivatives up to order on ; (3) is non-decreasing (i.e., for all ) and there exists a positive constant such that iff .\n\nThe first condition in Assumption 1 ensures that the training error is always upper bounded by the empirical loss , i.e., . This guarantees that the neural network can correctly classify all samples in the dataset (i.e., ), when the neural network achieves zero empirical loss (i.e., ). The second condition ensures that the empirical loss has continuous derivatives with respect to the parameters up to a sufficiently high order. The third condition ensures that the loss function is non-decreasing and is achievable if and only if . Here, we provide a simple example of the loss function satisfying all conditions in Assumption 1: the polynomial hinge loss, i.e., . We note that, in this paper, we use to denote the empirical loss when the loss function is and the network is parametrized by a set of parameters . Further results on the impact of loss functions are presented in Section 4.\n\n###### Assumption 2 (Data distribution)\n\nAssume that for random vectors independently drawn from the distribution and independently drawn from the distribution , matrices and\n\nare full rank matrices with probability one.\n\nAssumption 2 states that support of the conditional distribution is sufficiently rich so that samples drawn from it will be linearly independent. In other words, by stating this assumption, we are avoiding trivial cases where all the positively labeled points are located in a very small subset of the linear span of Similarly for the negatively labeled samples.\n\n###### Assumption 3 (Data distribution)\n\nAssume , i.e., .\n\nAssumption 3 assumes that the positive and negative samples are not located on the same linear subspace. Previous works [30, 31, 32, 30] have observed that some classes of natural images (e.g., images of faces, handwritten digits, etc) can be reconstructed from lower-dimensional representations. For example, using dimensionality reduction methods such as PCA, one can approximately reconstruct the original image from only a small number of principal components [30, 31]. Here, Assumption 3 states that both the positively and negatively labeled samples have lower-dimensional representations, and they do not exist in the same lower-dimensional subspace. We provide additional analysis in Section 4, showing how our main results generalize to other data distributions.\n\n###### Assumption 4 (Network architecture)\n\nAssume that the neural network is a single-layered neural network, or more generally, has shortcut-like connections shown in Fig 1 (b), where is a single layer network and is a feedforward network.\n\nShortcut connections are widely used in the modern network architectures (e.g., Highway Networks , ResNet , DenseNet , etc.), where the skip connections allow the deep layers to have direct access to the outputs of shallow layers. For instance, in the residual network, each residual block has a identity shortcut connection, shown in Fig 1 (a), where the output of each residual block is the vector sum of its input and the output of a network .\n\nInstead of using the identity shortcut connection, in this paper, we first pass the input through a single layer network , where vector denotes the weight vector, matrix denotes the weight matrix and vector denotes the vector containing all parameters in . We next add the output of this network to a network and use the addition as the output of the whole network, i.e., where vector and denote the vector containing all parameters in the network and the whole network , respectively. We note here that, in this paper, we do not restrict the number of layers and neurons in the network and this means that the network can be a feedforward network introduced in Section 2 or a single layer network or even a constant. In fact, when the network is a single layer network or a constant, the whole network becomes a single layer network. Furthermore, we note that, in Section 4, we will show that if we remove this connection or replace this shortcut-like connection with the identity shortcut connection, the main result does not hold.\n\n###### Assumption 5 (Neuron activation)\n\nAssume that neurons in the network are real analytic and satisfy for all . Assume that neurons in the network are real functions on .\n\nIn Assumption 5, we assume that neurons in the network are infinitely differentiable and have positive second order derivatives on , while neurons in the network are real functions. We make the above assumptions to ensure that the loss function is partially differentiable w.r.t. the parameters in the network up to a sufficiently high order and allow us to use Taylor expansion in the analysis. Here, we list a few neurons which can be used in the network : softplus neuron, i.e., , quadratic neuron, i.e, , etc. We note that neurons in the network and do not need to be of the same type and this means that a more general class of neurons can be used in the network , e.g., threshold neuron, i.e.,\n\n, sigmoid neuron , etc. Further discussion on the effects of neurons on the main results are provided in Section 4.\n\n### 3.2 Main Results\n\nNow we present the following theorem to show that when assumptions 1-5 are satisfied, every local minimum of the empirical loss function has zero training error if the number of neurons in the network are chosen appropriately.\n\n###### Theorem 1 (Linear subspace data)\n\nSuppose that assumptions 1-5 are satisfied. Assume that samples in the dataset are independently drawn from the distribution . Assume that the number of neurons in the network satisfies , where . If is a local minimum of the loss function and , then holds with probability one.\n\nRemark: (i) By setting the network to a constant, it directly follows from Theorem 1 that if a single layer network consisting of neurons satisfying Assumption 5 and all other conditions in Theorem 1 are satisfied, then every local minimum of the empirical loss has zero training error. (ii) The positiveness of is guaranteed by Assumption 3. In the worst case (e.g., and ), the number of neurons needs to be at least greater than the number of samples, i.e., . However, when the two orthonormal basis sets and differ significantly (i.e., ), the number of neurons required by Theorem 1 can be significantly smaller than the number of samples (i.e., ). In fact, we can show that, when the neuron has quadratic activation function , the assumption can be further relaxed such that the number of neurons is independent of the number of samples. We discuss this in the following proposition.\n\n###### Proposition 1\n\nAssume that assumptions 1-5 are satisfied. Assume that samples in the dataset are independently drawn from the distribution . Assume that neurons in the network satisfy and the number of neurons in the network satisfies . If is a local minimum of the loss function and , then holds with probability one.\n\nRemark: Proposition 1 shows that if the number of neuron is greater than the dimension of the subspace, i.e., , then every local minimum of the empirical loss function has zero training error. We note here that although the result is stronger with quadratic neurons, it does not imply that the quadratic neuron has advantages over the other types of neurons (e.g., softplus neuron, etc). This is due to the fact that when the neuron has positive derivatives on , the result in Theorem 1 holds for the dataset where positive and negative samples are linearly separable. We provide the formal statement of this result in Theorem 2. However, when the neuron has quadratic activation function, the result in Theorem 1 may not hold for linearly separable dataset and we will illustrate this by providing a counterexample in the next section.\n\nAs shown in Theorem 1, when the data distribution satisfies Assumption 2 and 3, every local minimum of the empirical loss has zero training error. However, we can easily see that distributions satisfying these two assumptions may not be linearly separable. Therefore, to provide a complementary result to Theorem 1, we consider the case where the data distribution is linearly separable. Before presenting the result, we first present the following assumption on the data distribution.\n\n###### Assumption 6 (Linear separability)\n\nAssume that there exists a vector such that the data distribution satisfies .\n\nIn Theorem 2, we will show that when the samples drawn from the data distribution are linearly separable, and the network has a shortcut-like connection shown in Figure 1, all local minima of the empirical loss function have zero training errors if the type of the neuron in the network are chosen appropriately.\n\n###### Theorem 2 (Linearly separable data)\n\nSuppose that the loss function satisfies Assumption 1 and the network architecture satisfies Assumption 4. Assume that samples in the dataset are independently drawn from a distribution satisfying Assumption 6. Assume that the single layer network has neurons and neurons in the network are twice differentiable and satisfy for all . If is a local minimum of the loss function , , then holds with probability one.\n\nRemark: Similar to Proposition 1, Theorem 2 does not require the number of neurons to be in scale with the number of samples. In fact, we make a weaker assumption here: the single layer network only needs to have at least one neuron, in contrast to at least neurons required by Proposition 1. Furthermore, we note here that, in Theorem 2, we assume that neurons in the network have positive derivatives on . This implies that Theorem 2 may not hold for a subset of neurons considered in Theorem 1 (e.g., quadratic neuron, etc). We will provide further discussions on the effects of neurons in the next section.\n\nSo far, we have provided results showing that under certain constraints on the (1) neuron activation function, (2) network architecture, (3) loss function and (4) data distribution, every local minimum of the empirical loss function has zero training error. In the next section, we will discuss the implications of these conditions on our main results.\n\n## 4 Discussions\n\nIn this section, we discuss the effects of the (1) neuron activation, (2) shortcut-like connections, (3) loss function and (4) data distribution on the main results, respectively. We show that the result may not hold if these assumptions are relaxed.\n\n### 4.1 Neuron Activations\n\nTo begin with, we discuss whether the results in Theorem 1 and 2 still hold if we vary the neuron activation function in the single layer network\n\n. Specifically, we consider the following five classes of neurons: (1) softplus class, (2) rectified linear unit (ReLU) class, (3) leaky rectified linear unit (Leaky ReLU) class, (4) quadratic class and (5) sigmoid class. In the following, for each class of neurons, we show whether the main results hold and provide counterexamples if certain conditions in the main results are violated. We summarize our findings in Table\n\n1. We visualize some neurons activation functions from these five classes in Fig. 2(a).",
null,
"Figure 2: (a) Five types of neuron activations, including softplus neuron, ReLU, Leaky-ReLU, sigmoid neuron, quadratic neuron. (b) Four types of surrogate loss functions, including binary loss (i.e., ℓ(z)=I{z≥0}), polynomial hinge loss (i.e., ℓ(z)=[max{z+1,0}]p+1), square loss (i.e., ℓ(z)=(1+z)2) and logistic loss (i.e., ℓ(z)=log2(1+ez)). Definitions of all neurons can be found in Section 4.1.\n\nSoftplus class contains neurons with real analytic activation functions , where , for all . A widely used neuron in this class is the softplus neuron, i.e., , which is a smooth approximation of ReLU. We can see that neurons in this class satisfy assumptions in both Theorem 1 and 2 and this indicates that both theorems hold for the neurons in this class.\n\nReLU class contains neurons with for all and is piece-wise continuous on . Some commonly adopted neurons in this class include: threshold units, i.e., , rectified linear units (ReLU), i.e., and rectified quadratic units (ReQU), i.e., . We can see that neurons in this class do not satisfy neither assumptions in Theorem 1 nor 2. In proposition 2, we show that when the single layer network consists of neurons in the ReLU class, even if all other conditions in Theorem 1 or 2 are satisfied, the empirical loss function can have a local minimum with non-zero training error.\n\n###### Proposition 2\n\nSuppose that assumptions 1 and 4 are satisfed. Assume that neurons in the network satisfy that for all and is piece-wise continuous on . Then there exists a network architecture and a distribution satisfying assumptions in Theorem 1 or 2 such that with probability one, the empirical loss has a local minima satisfying , where and are the number of positive and negative samples, respectively.\n\nRemark: (i) We note here that the above result holds in the over-parametrized case, where the number of neurons in the network is larger than the number of samples in the dataset. In addition, all counterexamples shown in Section 4.1 hold in the over-parametrized case. (ii) We note here that applying the same analysis, we can generalize the above result to a larger class of neurons satisfying the following condition: there exists a scalar such that constant for all and is piece-wise continuous on . (iii) We note that the training error is strictly non-zero when the dataset has both positive and negative samples and this can happen with probability at least .\n\nLeaky-ReLU class contains neurons with for all and is piece-wise continuous on . Some commonly used neurons in this class include ReLU, i.e., , leaky rectified linear unit (Leaky-ReLU), i.e., for , for and some constant , exponential linear unit (ELU), i.e., for , for and some constant . We can see that all neurons in this class do not satisfy assumptions in Theorem 1, while some neurons in this class satisfy the condition in Theorem 2 (e.g., linear neuron, ) and some neurons do not (e.g., ReLU). In Proposition 2, we have provided a counterexample showing that Theorem 2 does not hold for some neurons in this class (e.g., ReLU). Next, we will present the following proposition to show that when the network consists of neurons in the Leaky-ReLU class, even if all other conditions in Theorem 1 are satisfied, the empirical loss function is likely to have a local minimum with non-zero training error with high probability.\n\n###### Proposition 3\n\nSuppose that Assumption 1 and 4 are satisfied. Assume that neurons in the network satisfy that for all and is piece-wise continuous on . Then there exists a network architecture and a distribution satisfying assumptions in Theorem 1 such that, with probability at least , the empirical loss has a local minima with non-zero training error.\n\nRemark: We note that applying the same proof, we can generalize the above result to a larger class of neurons, i.e., neurons satisfying the condition that there exists two scalars and such that for all and is piece-wise continuous on . In addition, we note that the ReLU neuron (but not all neurons in the ReLU class) satisfies the definition of both ReLU class and Leaky-ReLU class, and therefore both Proposition 2 and 3 hold for the ReLU neuron.\n\nSigmoid class contains neurons with constant on . We list a few commonly adopted neurons in this family: sigmoid neuron, i.e., , hyperbolic tangent neuron, i.e., , arctangent neuron, i.e., and softsign neuron, i.e.,\n\n. We note that all real odd functions\n\n444A real function is an odd function, if for all . satisfy the conditions of the sigmoid class. We can see that none of the above neurons satisfy assumptions in Theorem 1, since neurons in this class satisfy either for all or is not twice differentiable. For Theorem 2, we can see that some neurons in this class satisfy the condition in Theorem 2 (e.g., sigmoid neuron) and some neurons do not (e.g., constant neuron for all ). In Proposition 2, we provided a counterexample showing that Theorem 2 does not hold for some neurons in this class (e.g., constant neuron). Next, we present the following proposition showing that when the network consists of neurons in the sigmoid class, then there always exists a data distribution satisfying the assumptions in Theorem 1 such that, with a positive probability, the empirical loss has a local minima with non-zero training error.\n\n###### Proposition 4\n\nSuppose that assumptions 1 and 4 are satisfed. Assume that there exists a constant such that neurons in the network satisfy for all . Assume that the dataset has samples. There exists a network architecture and a distribution satisfying assumptions in Theorem 1 such that, with a positive probability, the empirical loss function has a local minimum satisfying , where and denote the number of positive and negative samples in the dataset, respectively.\n\nRemark: Proposition 4 shows that when the network consists of neurons in the sigmoid class, even if all other conditions are satisfied, the results in Theorem 1 does not hold with a positive probability.\n\nQuadratic family contains neurons where is real analytic and strongly convex on and has a global minimum at the point . A simple example of neuron in this family is the quadratic neuron, i.e., . It is easy to check that all neurons in this class satisfy the conditions in Theorem 1 but not in Theorem 2. For Theorem 2, we present a counterexample and show that, when the network consists of neurons in the quadratic class, even if positive and negative samples are linearly separable, the empirical loss can have a local minimum with non-zero training error.\n\n###### Proposition 5\n\nSuppose that Assumption 1 and 4 are satisfied. Assume that neurons in satisfy that is strongly convex and twice differentiable on and has a global minimum at . There exists a network architecture and a distribution satisfying assumptions in Theorem 2 such that with probability one, the empirical loss has a local minima satisfying , where and denote the number of positive and negative samples in the dataset, respectively.\n\n### 4.2 Shortcut-like Connections\n\nIn this subsection, we discuss whether the main results still hold if we remove the shortcut-like connections or replace them with the identity shortcut connections used in the residual network . Specifically, we provide two counterexamples and show that the main results do not hold if the shortcut-like connections are removed or replaced with the identity shortcut connections.\n\nFeed-forward networks. When the shortcut-like connections (i.e., the network in Figure 1(b)) are removed, the network architecture can be viewed as a standard feedforward neural network. We provide a counterexample to show that, for a feedforward network with ReLU neurons, even if the other conditions in Theorem 1 or 2 are satisfied, the empirical loss functions is likely to have a local minimum with non-zero training error. In other words, neither Theorem 1 nor 2 holds when the shortcut-like connections are removed.\n\n###### Proposition 6\n\nSuppose that assumption 1 is satisfied. Assume that the feedforward network has at least one hidden layer and at least one neuron in each hidden layer. If neurons in the network satisfy that for all and is continuous on , then for any dataset with samples, the empirical loss has a local minima with , where and are the number of positive and negative samples in the dataset, respectively.\n\nRemark: The result holds for ReLUs, since it is easy to check that the ReLU neuron satisfies the above assumptions.\n\nIdentity shortcut connections. As we stated earlier, adding shortcut-like connections to a network can improve the loss surface. However, the shortcut-like connections shown in Fig 1(b) are different from some popular shortcut connections used in the real-world applications, e.g., the identity shortcut connections in the residual network. Thus, a natural question arises: do the main results still hold if we use the identity shortcut connections? To address the question, we provide the following counterexample to show that, when we replace the shortcut-like connections with the identity shortcut connections, even if the other conditions in Theorem 1 are satisfied, the empirical loss function is likely to have a local minimum with non-zero training error. In other words, Theorem 1 does not hold for the identity shortcut connections.\n\n###### Proposition 7\n\nAssume that is a feedforward neural network parameterized by and all neurons in are ReLUs. Define a network with identity shortcut connections as , . Then there exists a distribution satisfying the assumptions in Theorem 1 such that with probability at least , the empirical loss has a local minimum with non-zero training error.\n\n### 4.3 Loss Functions\n\nIn this subsection, we discuss whether the main results still hold if we change the loss function. We mainly focus on the following two types of surrogate loss functions: quadratic loss and logistic loss. We will show that if the loss function is replaced with the quadratic loss or logistic loss, then neither Theorem 1 nor 2 holds. In addition, we show that when the loss function is the logistic loss and the network is a feedforward neural network, there are no local minima with zero training error in the real parameter space. In Fig. 2(b), we visualize some surrogate loss functions discussed in this subsection.\n\nQuadratic loss. The quadratic loss has been well-studied in prior works. It has been shown that when the loss function is quadratic, under certain assumptions, all local minima of the empirical loss are global minima. However, the global minimum of the quadratic loss does not necessarily have zero misclassification error, even in the realizable case (i.e., the case where there exists a set of parameters such that the network achieves zero misclassification error on the dataset or the data distriubtion). To illustrate this, we provide a simple example where the network is a simplified linear network and the data distribution is linearly separable.\n\n###### Example 1\n\nLet the distribution satisfy that , and\n\nis a uniform distribution on the interval\n\n. For a linear model , every global minimum of the population loss satisfies .\n\nRemark: The proof of the above result in Appendix B.7 is very straightforward. We have only provided it there since we are unable to find a reference which explicitly states such a result, but we will not be surprised if this result has been known to others. This example shows that every global minimum of the quadratic loss has non-zero misclassification error, although the linear model is able to achieve zero misclassification error on this data distribution. Similarly, one can easily find datasets under which all global minima of the quadratic loss have non-zero training error.\n\nIn addition, we provide two examples in Appendix B.8 and show that, when the loss function is replaced with the quadratic loss, even if the other conditions in Theorem 1 or 2 are satisfied, every global minimum of the empirical loss has a training error larger than with a positive probability. In other words, our main results do hold for the quadratic loss.\n\nThe following observation may be of independent interest. Different from the quadratic loss, the loss functions conditioned in Assumption 1 have the following two properties: (i) the minimum empirical loss is zero if and only if there exists a set of parameters achieving zero training error; (ii) every global minimum of the empirical loss has zero training error in the realizable case.\n\n###### Proposition 8\n\nLet denote a feedforward network parameterized by and let the dataset have samples. When the loss function satisfies Assumption 1 and , we have if and only if . Furthermore, if , every global minimum of the empirical loss has zero training error, i.e., .\n\nRemark: We note that the network does not need to be a feedforward network. In fact, the same results hold for a large class of network architectures, including both architectures shown in Fig 1. We provide additional analysis in Appendix B.9.\n\nLogistic loss. The logistic loss is different from the loss functions conditioned in Assumption 1, since the logistic loss does not have a global minimum on . Here, for the logistic loss function, we show that even if the remaining assumptions in Theorem 1 hold, every critical point is a saddle point. In other words, Theorem 1 does not hold for logistic loss. Additional analysis on Theorem 2 are provided in Appendix B.11.\n\n###### Proposition 9\n\nAssume that the loss function is the logistic loss, i.e., . Assume that assumptions 2-5 are satisfied. Assume that samples in the dataset are independently drawn from the distribution . Assume that the number of neurons in the network satisfies , where . If denotes a critical point of the empirical loss , then is a saddle point. In particular, there are no local minima.\n\nRemark: We note here that the result can be generalized to every loss function which is real analytic and has a positive derivative on .\n\nFurthermore, we provide the following result to show that when the dataset contains both positive and negative samples, if the loss is the logistic loss, then every critical point of the empirical loss function has non-zero training error.\n\n###### Proposition 10\n\nAssume the dataset consists of both positive and negative samples. Assume that is a feedforward network parameterized by . Assume that the loss function is logistic, i.e., . If the real parameters denote a critical point of the empirical loss , then .\n\nRemark: We provide the proof in Appendix B.12. The above proposition implies every critical point is either a local minimum with non-zero training error or is a saddle point (also with non-zero training error). We note here that, similar to Proposition 9, the result can be generalized to every loss function that is differentiable and has a positive derivative on .\n\n### 4.4 Open Problem: Datasets\n\nIn this paper, we have mainly considered a class of non-linearly separable distribution where positive and negative samples are located on different subspaces. We show that if the samples are drawn from such a distribution, under certain additional conditions, all local minima of the empirical loss have zero training errors. However, one may ask: how well does the result generalize to other non-linearly separable distributions or datasets? Here, we partially answer this question by presenting the following necessary condition on the dataset so that Theorem 1 can hold.\n\n###### Proposition 11\n\nSuppose that assumptions 14 and 5 are satisfied. For any feedforward architecture , every local minimum of the empirical loss function , satisfies only if the matrix is neither positive nor negative definite for all sequences satisfying and .\n\nRemark: The proposition implies that when the dataset does not meet this necessary condition, there exists a feedforward architecture such that the empirical loss function has a local minimum with a non-zero training error. We use this implication to prove the counterexamples provided in Appendix B.14 when Assumption 2 or 3 on the dataset is not satisfied. Therefore, Theorem 1 no longer holds when Assumption 2 or 3 is removed. We note that the necessary condition shown here is not equivalent to Assumption 2 and 3. Now we present the following result to show the sufficient and necessary condition that the dataset should satisfy so that Proposition 1 can hold.\n\n###### Proposition 12\n\nSuppose that the loss function satisfies Assumption 1 and neurons in the network satisfy Assumption 5. Assume that the single layer network has neurons and assume that neurons in are quadratic neurons, i.e., . For any network architecture , every local minimum of the empirical loss function , satisfies if and only if the matrix is indefinite for all sequences satisfying .\n\nRemark: (i) This sufficient and necessary condition implies that for any network architecture , there exists a set of parameters such that the network can correctly classify all samples in the dataset. This also indicates the existence of a set of parameters achieving zero training error, regardless of the network architecture of . We provide the proof in Appendix B.15. (ii) We note that Proposition 12 only holds for the quadratic neuron. The problem of finding the sufficient and necessary conditions for the other types of neurons is open.\n\n## 5 Conclusions\n\nIn this paper, we studied the surface of a smooth version of the hinge loss function in binary classification problems. We provided conditions under which the neural network has zero misclassification error at all local minima and also provide counterexamples to show that when some of these assumptions are relaxed, the result may not hold. Further work involves exploiting our results to design efficient training algorithms classification tasks using neural networks.\n\n## Appendix A Additional Results in Section 3\n\n### a.1 Proof of Lemma 1\n\n###### Lemma 1 (Necessary condition.)\n\nAssume that neurons in the network are twice differentiable and the loss function has a continuous derivative on up to the third order. If and parameters denote a local minimum of the loss function , then for any ,\n\n n∑i=1ℓ′(−yif(xi;θ∗))yiσ′(w∗j⊤xi)xi=0d.\n###### Proof.\n\nWe first recall some notations defined in the paper. The output of the neural network is\n\n f(x;θ)=fS(x;θS)+fD(x;θD),\n\nwhere is the single layer neural network parameterized by , i.e.,\n\n fS(x;θS)=a0+M∑j=1ajσ(w⊤jx),\n\nand is a deep neural network parameterized by . The empirical loss function is given by\n\n ^Ln(θ)=^Ln(θS,θD)=1nn∑i=1ℓ(−yif(xi;θ)).\n\nSince the loss function has a continuous derivative on up to the third order, neurons in the network are twice differentiable, then the gradient vector and the Hessian matrix exists. Furthermore, by the assumption that is a local minima of the loss function , then we should have for ,\n\n 0d=∇wjLn(θ∗) =n∑i=1ℓ′(−yif(xi;θ∗))(−yi∇wjf(xi;θ∗)) =n∑i=1ℓ′(−yif(xi;θ∗))(−yia∗jσ′(w∗j⊤xi)xi) =−a∗jn∑i=1ℓ′(−yif(xi;θ∗))yiσ′(w∗j⊤xi)xi. (1)\n\nNow we need to prove that if is a local minima, then\n\n ∀j∈[M],∥∥ ∥∥n∑i=1ℓ′(−yif(xi;θ∗))yiσ′(w∗j⊤xi)xi∥∥ ∥∥2=0.\n\nWe prove it by contradiction. Assume that there exists such that\n\n ∥∥ ∥∥n∑i=1ℓ′(−yif(xi;θ∗))yiσ′(w∗j⊤xi)xi∥∥ ∥∥2≠0.\n\nThen by equation (1), we have . Now, we consider the following Hessian matrix . Since is a local minima of the loss function , then the matrix should be positive semidefinite at . By , we have\n\n ∇2wjLn(θ∗) =−a∗j∇wj[n∑i=1ℓ′(−yif(xi;θ∗))yiσ′(w∗j⊤xi)xi]=0d×d, ∂[∇wjLn(θ∗)]∂aj =−n∑i=1ℓ′(−yif(xi;θ∗))yiσ′(w∗j⊤xi)xi −a∗j∂∂aj[n∑i=1ℓ′(−yif(xi;θ∗))yiσ′(w∗j⊤xi)xi] =−n∑i=1ℓ′(−yif(xi;θ∗))yiσ′(w∗j⊤xi)xi.\n\n ∂2Ln(θ∗)∂a2j =∂∂aj[n∑i=1ℓ′(−yif(xi;θ∗))(−yiσ(w∗j⊤xi))] =n∑i=1ℓ′′(−yif(xi;θ∗))σ2(w∗j⊤xi).\n\nSince the matrix is positive semidefinite, then for any and ,\n\n (αω⊤)H(a∗j,w∗j)(αω)≥0.\n\nSince\n\n (αω⊤)H(a∗j,w∗j)(αω) =α2n∑i=1ℓ′′(−yif(xi;θ∗))σ2(w∗j⊤xi) −αω⊤n∑i=1ℓ′(−yif(xi;θ∗))yiσ′(w∗j⊤xi)xi,\n\nand by setting\n\n ω=n∑i=1ℓ′(−yif(xi;θ∗))yiσ′(w∗j⊤xi)xi,\n\nthen\n\n (αω⊤)H(a∗j,w∗j)(αω) =α2n∑i=1ℓ′′(−yif(xi;θ∗))σ2(w∗j⊤xi) −α"
] | [
null,
"https://deepai.org/static/images/logo.png",
null,
"https://deepai.org/publication/None",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.88321704,"math_prob":0.96808624,"size":40978,"snap":"2020-24-2020-29","text_gpt3_token_len":9044,"char_repetition_ratio":0.18887587,"word_repetition_ratio":0.16522259,"special_character_ratio":0.22016692,"punctuation_ratio":0.1488931,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.99759173,"pos_list":[0,1,2,3,4],"im_url_duplicate_count":[null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2020-06-01T19:04:25Z\",\"WARC-Record-ID\":\"<urn:uuid:55d07dc9-4945-4195-a794-6ee1657571b3>\",\"Content-Length\":\"1048897\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:1b95241c-2a48-4533-a28a-fd3e061b4112>\",\"WARC-Concurrent-To\":\"<urn:uuid:d1d264aa-3c41-404b-9bc1-943fc177c5e8>\",\"WARC-IP-Address\":\"34.214.196.246\",\"WARC-Target-URI\":\"https://deepai.org/publication/understanding-the-loss-surface-of-neural-networks-for-binary-classification\",\"WARC-Payload-Digest\":\"sha1:PJ7UE66CSVYZNTWPRZ5F3BZ34JXSA6QJ\",\"WARC-Block-Digest\":\"sha1:HWC3PIXEMYOY3NZN56EY7SOM5R3N554Z\",\"WARC-Truncated\":\"length\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2020/CC-MAIN-2020-24/CC-MAIN-2020-24_segments_1590347419593.76_warc_CC-MAIN-20200601180335-20200601210335-00235.warc.gz\"}"} |
https://katcompany.org/and-pdf/435-range-and-domain-of-a-function-pdf-418-131.php | [
"Range And Domain Of A Function Pdf",
null,
"1",
null,
"515\n\nFile Name: range and domain of a function .zip\nSize: 28964Kb\nPublished: 09.01.2021",
null,
"",
null,
"Notice that we can use the data to create a function of the amount each movie earned or the total ticket sales for all horror movies by year. In creating various functions using the data, we can identify different independent and dependent variables, and we can analyze the data and the functions to determine the domain and range. In this section, we will investigate methods for determining the domain and range of functions such as these.\n\nDomain refers to: Range refers to: Domain and range can be written in multiple ways: 1. Worked example: domain and range from graph Our mission is to provide a free, world-class education to anyone, anywhere. Using the tree table above, determine a reasonable domain and range.\n\nDomain, Range and Codomain\n\nDonate Login Sign up Search for courses, skills, and videos. Math Algebra 1 Functions Introduction to the domain and range of a function. Intervals and interval notation. What is the domain of a function? What is the range of a function? Worked example: domain and range from graph. Practice: Domain and range from graph.\n\nNext lesson. Current timeTotal duration Math: HSF. Google Classroom Facebook Twitter. Video transcript - As a little bit of a review, we know that if we have some function, let's call it \"f\". We don't have to call it \"f\", but \"f\" is the letter most typically used for functions, that if I give it an input, a valid input, if I give it a valid input, and I use the variable \"x\" for that valid input, it is going to map that to an output. It is going to map that, or produce, given this x, it's going to product an output that we would call \"f x.\n\nA domain is the set of all of the inputs over which the function is defined. So if this the domain here, if this is the domain here, and I take a value here, and I put that in for x, then the function is going to output an f x.\n\nIf I take something that's outside of the domain, let me do that in a different color If I take something that is outside of the domain and try to input it into this function, the function will say, \"hey, wait wait,\" \"I'm not defined for that thing\" \"that's outside of the domain.\n\nAnd we have a name for that. That is called the range of the function. So the range. The range, and the most typical, there's actually a couple of definitions for range, but the most typical definition for range is \"the set of all possible outputs. So this right over here is the set of all possible, all possible outputs.\n\nAll possible outputs. So let's make that a little bit more concrete, with an example. So let's say that I have the function f x defined as, so once again, I'm gonna input x's, and I have my function f, and I'm gonna output f x. And let's say this def The function definition here, the thing that tries to figure out, \"okay, given an x, what f x do I produce?\n\nThe domain is the set of all valid inputs. So what are the valid inputs here? Well, I could take any real number and input into this, and I could take any real number and I can square it, there's nothing wrong with that, and so the domain is all real numbers. All, all real, all real numbers. But what's the range? Maybe I'll do that in a different color just to highlight it.\n\nWhat is going to be the range here, what is the set of all possible outputs? Well if you think about, actually, to help us think about, let me actually draw a graph here. Of what this looks like. What this looks like. So the graph of \"f x is equal to x squared\" is going to look something like this. So, it's gonna look, it's going to look something like this.\n\nI'm obviously hand-drawing it, so it's not perfect. It's gonna be a parabola with a, with a vertex right here at the origin. So this is the graph, this is the graph, \"y is equal to f x ,\" this of course is the x-axis, this of course is the y-axis. So let's think about it, what is the set of all possible outputs? Well in this case, the set of all possible outputs is the set of all possible y's here. Well, we see, y can take on any non-negative value.\n\nSo the range here is, the range We could, well we could say it a couple of ways, we could say, \"f x \", let me write it this way. Let's do another example of this, just to make it a little bit, just to make it a little bit, a little bit clearer. Let's say that I had, let's say that I had g x , let's say I have g x , I'll do this in white, let's say it's equal to \"x squared over x.\n\nBecause right over here, we have to, in our domain, x cannot be equal to zero. If x is equal to zero, we get zero over zero, we get indeterminate form. So in order for this function to be the exact same function, we have to put that, 'cause it's not obvious now from the definition, we have to say, \"x cannot be equal to zero.\n\nNow these two function definitions are equivalent. And we could even graph it. We could graph it, it's going to look, I'm gonna do a quick and dirty version of this graph. It's gonna look something like, this. It's gonna have a slope of one, but it's gonna have a hole right at zero, 'cause it's not defined at zero. So it's gonna look like this. So the domain here, the domain of g is going to be, \"x is a member of the real numbers\" \"such that x does not equal zero,\" and the range is actually going to be the same thing.\n\nThe range here is going to be, we could say \"f x is a member of the real numbers\" \"such that f x does not equal zero. So the big takeaway here is the range is all the pos The set of all possible outputs of your function. The domain is the set of all valid inputs into your function. Up Next.",
null,
"Domain and Range Worksheets\n\nShow your work! Adding and Subtracting Fractions Word Problems 1. Last week she sold 6 more than 3 times the number of CDs that she sold this week. Domain and Range How to find the domain and range? Also, for each problem, determine if the relation given represents a function and record your answers in the appropriate spaces provided for each problem. You are given a word problem, and the student is required to 1. Students must match the scenario on the left with the corresponding domain and range on the right.",
null,
"Find a function and its domain based on the equation of a curve. • Define the range of a given function. Functions. This section defines and gives examples.\n\nDomain And Range Practice Worksheet Pdf",
null,
"The domain of a function f x is the set of all values for which the function is defined, and the range of the function is the set of all values that f takes. In grammar school, you probably called the domain the replacement set and the range the solution set.\n\nDomain and Range\n\nGraph the function on a coordinate plane. Remember that when no base is shown, the base is understood to be Domain and Range of a Function. Instantaneous velocity17 4.\n\nIn its simplest form the domain is all the values that go into a function, and the range is all the values that come out. Please read \" What is a Function? Example: this tree grows 20 cm every year, so the height of the tree is related to its age using the function h :.\n\nDomain Range Increasing Decreasing Worksheet Pdf Notice that the graph from Example 1 and this graph increase to the right of the y-axis and decrease to the left. Free Precalculus worksheets created with Infinite Precalculus. At what pop. Also, you can use it. J c Is f x an increasing or decreasing function? In other words, higher speed.\n\n→ The domain of a function is the set of all the numbers you can substitute into the function (x- values). The range of a function is the set of all the numbers you can get out of the function (y- values).",
null,
"Она ощутила запах Хейла, но повернулась слишком поздно. И тут же забилась, задыхаясь от удушья. Ее снова сжали уже знакомые ей стальные руки, а ее голова была намертво прижата к груди Хейла. - Боль внизу нестерпима, - прошипел он ей на ухо.\n\nСьюзан побледнела: - Что. - Это рекламный ход. Не стоит волноваться. Копия, которую он разместил, зашифрована.\n\nФонтейн молча обдумывал информацию. - Не знаю, ключ ли это, - сказал Джабба. - Мне кажется маловероятным, что Танкадо использовал непроизвольный набор знаков. - Выбросьте пробелы и наберите ключ! - не сдержался Бринкерхофф.",
null,
"А потом вы отдали кольцо какой-то девушке. - Я же говорила. От этого кольца мне было не по .\n\nИменно это она и хотела узнать. За годы работы в АНБ до нее доходили слухи о неофициальных связях агентства с самыми искусными киллерами в мире - наемниками, выполняющими за разведывательные службы всю грязную работу. - Танкадо слишком умен, чтобы предоставить нам такую возможность, - возразил Стратмор.\n\nСотрудники лаборатории систем безопасности, разумеется, не имели доступа к информации, содержащейся в этой базе данных, но они несли ответственность за ее безопасность. Как и все другие крупные базы данных - от страховых компаний до университетов, - хранилище АНБ постоянно подвергалось атакам компьютерных хакеров, пытающих проникнуть в эту святая святых. Но система безопасности АНБ была лучшей в мире. Никому даже близко не удалось подойти к базе АНБ, и у агентства не было оснований полагать, что это когда-нибудь случится в будущем. Вернувшись в лабораторию, Чатрукьян никак не мог решить, должен ли он идти домой.",
null,
"Ну, - послышался голос Хейла, склонившегося над своим компьютером, - и чего же хотел Стратмор.\n\nБеккер отбил шестизначный номер. Еще пара секунд, и его соединили с больничным офисом. Наверняка сегодня к ним поступил только один канадец со сломанным запястьем и сотрясением мозга, и его карточку нетрудно будет найти. Беккер понимал, что в больнице не захотят назвать имя и адрес больного незнакомому человеку, но он хорошо подготовился к разговору.\n\nБеккер почти вслепую приближался к двери. - Подожди! - крикнул. - Подожди. Меган с силой толкнула стенку секции, но та не поддавалась. С ужасом девушка увидела, что сумка застряла в двери.\n\nНу, давай же, - настаивал Хейл. - Стратмор практически выгнал Чатрукьяна за то, что тот скрупулезно выполняет свои обязанности. Что случилось с ТРАНСТЕКСТОМ.\n\nМы успеем найти его партнера. - Думаю.\n\nRelated Posts\n\n1 Response\n1.",
null,
"Aubine P.\n\nThis compilation of domain and range worksheet pdfs provides 8th grade and high school students with ample practice in determining the domain or the set of possible input values x and range, the resultant or output values y using a variety of exercises with ordered pairs presented on graphs and in table format."
] | [
null,
"https://katcompany.org/img/range-and-domain-of-a-function-pdf-3.jpg",
null,
"https://katcompany.org/img/range-and-domain-of-a-function-pdf-4.png",
null,
"https://katcompany.org/1.jpg",
null,
"https://katcompany.org/2.png",
null,
"https://katcompany.org/1.jpg",
null,
"https://katcompany.org/img/766743.jpg",
null,
"https://katcompany.org/img/371935.png",
null,
"https://katcompany.org/img/35410c145aba2a722d08b0b848298558.jpg",
null,
"https://katcompany.org/img/range-and-domain-of-a-function-pdf-5.png",
null,
"https://katcompany.org/img/509618.jpg",
null,
"https://katcompany.org/img/range-and-domain-of-a-function-pdf.png",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.5532049,"math_prob":0.89976007,"size":10962,"snap":"2022-05-2022-21","text_gpt3_token_len":3159,"char_repetition_ratio":0.15030114,"word_repetition_ratio":0.0877193,"special_character_ratio":0.22304323,"punctuation_ratio":0.13242412,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.99282223,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20,21,22],"im_url_duplicate_count":[null,2,null,2,null,null,null,null,null,null,null,2,null,2,null,2,null,2,null,1,null,2,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2022-01-27T14:46:28Z\",\"WARC-Record-ID\":\"<urn:uuid:b7c92ca8-1a96-4595-96d9-596c4463fa3e>\",\"Content-Length\":\"34396\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:80b2a9d0-2dfd-4c1d-99a8-42f25aa1acb5>\",\"WARC-Concurrent-To\":\"<urn:uuid:155f5cb7-8fc3-472f-959c-7245fb094f60>\",\"WARC-IP-Address\":\"104.21.75.227\",\"WARC-Target-URI\":\"https://katcompany.org/and-pdf/435-range-and-domain-of-a-function-pdf-418-131.php\",\"WARC-Payload-Digest\":\"sha1:SJEHXG4JMJEL2S4AR74IKUBGE4I35ZGY\",\"WARC-Block-Digest\":\"sha1:6VZDKDSOSGMWDGVCCPNCLCZMMZPQ5GB3\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2022/CC-MAIN-2022-05/CC-MAIN-2022-05_segments_1642320305266.34_warc_CC-MAIN-20220127133107-20220127163107-00586.warc.gz\"}"} |
https://en.khanacademy.org/math/algebra/x2f8bb11595b61c86:functions/x2f8bb11595b61c86:inverse-functions-intro/v/introduction-to-function-inverses | [
"If you're seeing this message, it means we're having trouble loading external resources on our website.\n\nIf you're behind a web filter, please make sure that the domains *.kastatic.org and *.kasandbox.org are unblocked.\n\n## Algebra 1\n\n### Course: Algebra 1>Unit 8\n\nLesson 13: Intro to inverse functions\n\n# Intro to inverse functions\n\nSal explains what inverse functions are. Then he explains how to algebraically find the inverse of a function and looks at the graphical relationship between inverse functions. Created by Sal Khan.\n\n## Want to join the conversation?\n\n• Is the inverse of y=4 x=4? If so then are horizontal and vertical lines the only lines that are perpendicular to there inverses?",
null,
"•",
null,
"",
null,
"",
null,
"I love this question-- because testing the boundaries of new concepts is so important to advancing mathematics.First, we must come to grips with the idea that not every function has an inverse. Only functions with \"one-to-one\" mapping have inverses.The function y=4 maps infinity to 4. It is a great example of not a one-to-one mapping. Thus, it has no inverse. There is no magic box that inverts y=4 such that we can give it a 4 and get out one and only one value for x.\n• i don't quite get the thing Sal does at . He is talking about y being equal to x, and then draws a dotted line in the middle. is there maybe a video that clarifies this relation?",
null,
"•",
null,
"",
null,
"Heh, yeah, that may have been a bit fast. The equation of that dotted line is y=x, and his point is that the function and the inverse were reflections of each other across that dotted line. In other words, if you drew the graph of a function and its inverse on a piece of paper and then folded the paper along the line y=x, the two graphs would line up.\n• Why do we rename Y to X?",
null,
"•",
null,
"",
null,
"",
null,
"Justin,\n\nIf you are trying to invert a function, one way to do it is to switch the positions of all of the variables, and resolve the function for y. The intuition works like this:\n\nWe sometimes think about functions as an input and an output. For example, we take a value, called x, and that is what we put into the function. Then the function does some \"stuff\" and we get out a value called y. So, for some function f, X goes in, and Y comes out. If we think about it that way, then for the inverse of the f function (call it 'g', maybe), we should be able put IN the values that came OUT of function f as our y's, and get the same x values we put IN to f to get the y's originally.\n\nBut that is kind of like we switched the x's and y's in our f function…. and that's exactly how you solve for the inverse function, g. You take the original function, switch all of the y's for x's and the x's for y's, and then you resolve it for y.\n\nFor example: if our original function f is y=2x-5, then we would switch the y's and x's to get x=2y-5. If we solve for y, we get y=(x+5)/2. That's function 'g'.\n\nNow let's try it out. We put in an x=0, 1, and 2 in function f, and we get, -5,\n-3, and -1 as the corresponding y's (try it yourself). Now we take those y's and we make them our x values (or inputs) into function g and we should get our original 0, 1, and 2.\ny=(-5+5)/2 =0\ny=(-3+5)/2= 1\ny=(-1+5)/2=2\n\nIt worked. The x's (or inputs) for our first function produce y's (outputs) from our first function. We can take those y's (outputs from our first function) and make those the x's (or inputs) of our inverse function, and we get the original inputs we started with.\n• as to solve for x, for inverse, why can't we just switch the x and y in the same equation..?",
null,
"• Additional notes from me: a variable is a \"bucket\" that can be any number based on its constraints and can be changed to any symbol, letter, or maybe shapes (it's basically anything distinct to be used to represent the \"bucket\") without changing the value of the expression.\n\nUp until x = f inverse of y = (1/2)y - 2, y is useful to see where it's coming from: it's coming from the original equation y = f(x) = 2x + 4, we just solve for x in terms of y to map from the range back to the domain or to make the output as the input and vice versa (that is why it is called inverse function).\n\nAfter we know where it's coming from, it's useful that at this point and onward, we change the symbol/variable from y to x to see the relationship between f inverse of y to f(x) or f of x. We can do that because we just change the symbol or the variable without changing the value. We could've change the y into a or b or anything, but we chose to change the y into x because we need to see the relationship between the f inverse of y and the f(x) or f of x.\n\n• x = f inverse of y = (1/2)y - 2 --------> change the letter y to X to see the correlation between this equation to f(x) (it's not going to change the value, it's the same as if you were to use star shapes to represent a variable and decide to change them to heart shapes)\n• x = f inverse of X = (1/2)X -2\n\nWe now see the correlation between f inverse of X and f(x) or f of x. In fact, f inverse of X is derived from f(x).\n\nNotice that it might be a little confusing since now, in the x or f inverse of X equation, the domain (input) and range (output) are represented by the same variable, they are just differentiated by means of capital letter and lowercase letter: x = f inverse of X (let us use capital X as the input and the lowercase x as the output to differentiate them) = (1/2)X - 2.\n\n• The x (range or output) = f inverse of X (domain or input) is similar to the y (range or output) in y (range or output) = f(x) or f of x (domain or input).\n• The X (domain or input) in x (range or output) = f inverse of X (domain or input) is similar to the x (domain or input) in y (range or output) = f(x) or f of x (domain or input).",
null,
"• Does this solely apply to lines?",
null,
"•",
null,
"No, all strictly growing or strictly decreasing functions have an inverse.\n\nIf it is not strictly growing/decreasing, there will be values of f(x) where\nf(x) = f(y), x not equal to y.\n\nSo, its inverse g would have two values for f(x), as g( f(x) ) = x AND y, which is not possible for a function.\n\nAn example of this is x^2. It's inverse would be g(x) = +sqrt( x ) AND -sqrt( x ), which is not possible.\n\nHowever, functions such as f( x ) = x^3, or f( x ) = e^x, which are strictly growing, do have an inverse : )\n• Can a function be the inverse of itself?\nWhat are some examples?",
null,
"• There are actually other ways you can write an inverse function! Take this example:\n\nf(x) = 2x + 4\nf(x)^-1 = (x-4)/2",
null,
"• What is the purpose of inverse functions? Is there a real world example for why we might need an inverse function?",
null,
"• Sure. In physics, let's say we are trying to calculate a certain angle and we end up with the expression:\nsin 𝜃 cos 𝜃 = 1/3\nWe can write this as:\nsin 2𝜃 = 2/3\nTo solve for 𝜃, we must first take the arcsine or inverse sine of both sides. The arcsine function is the inverse of the sine function:\n2𝜃 = arcsin(2/3)\n𝜃 = (1/2)arcsin(2/3)\nThis is just one practical example of using an inverse function. There are many more.",
null,
""
] | [
null,
"https://cdn.kastatic.org/images/avatars/svg/blobby-green.svg",
null,
"https://cdn.kastatic.org/images/badges/earth/incredible-answer-40x40.png",
null,
"https://cdn.kastatic.org/images/badges/earth/great-answer-40x40.png",
null,
"https://cdn.kastatic.org/images/badges/moon/good-answer-40x40.png",
null,
"https://cdn.kastatic.org/images/avatars/svg/blobby-green.svg",
null,
"https://cdn.kastatic.org/images/badges/earth/great-answer-40x40.png",
null,
"https://cdn.kastatic.org/images/badges/moon/good-answer-40x40.png",
null,
"https://cdn.kastatic.org/images/avatars/svg/blobby-green.svg",
null,
"https://cdn.kastatic.org/images/badges/earth/incredible-answer-40x40.png",
null,
"https://cdn.kastatic.org/images/badges/earth/great-answer-40x40.png",
null,
"https://cdn.kastatic.org/images/badges/moon/good-answer-40x40.png",
null,
"https://cdn.kastatic.org/images/avatars/svg/blobby-green.svg",
null,
"https://cdn.kastatic.org/images/avatars/svg/blobby-green.svg",
null,
"https://cdn.kastatic.org/images/avatars/svg/blobby-green.svg",
null,
"https://cdn.kastatic.org/images/badges/moon/good-answer-40x40.png",
null,
"https://cdn.kastatic.org/images/avatars/svg/blobby-green.svg",
null,
"https://cdn.kastatic.org/images/avatars/svg/blobby-green.svg",
null,
"https://cdn.kastatic.org/images/avatars/svg/blobby-green.svg",
null,
"https://cdn.kastatic.org/images/avatars/svg/blobby-green.svg",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.95269316,"math_prob":0.99194866,"size":15101,"snap":"2023-40-2023-50","text_gpt3_token_len":4045,"char_repetition_ratio":0.17096111,"word_repetition_ratio":0.047940798,"special_character_ratio":0.27574334,"punctuation_ratio":0.10071531,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.99873054,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20,21,22,23,24,25,26,27,28,29,30,31,32,33,34,35,36,37,38],"im_url_duplicate_count":[null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-09-22T04:50:45Z\",\"WARC-Record-ID\":\"<urn:uuid:afb99e5e-ca5d-4027-bddd-367d3b375f3b>\",\"Content-Length\":\"1049618\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:48be9f9e-8aa4-490d-ba42-dc22ff43ce3f>\",\"WARC-Concurrent-To\":\"<urn:uuid:06743efb-b384-4e61-8e5d-4502ccea7923>\",\"WARC-IP-Address\":\"146.75.37.42\",\"WARC-Target-URI\":\"https://en.khanacademy.org/math/algebra/x2f8bb11595b61c86:functions/x2f8bb11595b61c86:inverse-functions-intro/v/introduction-to-function-inverses\",\"WARC-Payload-Digest\":\"sha1:YR34TL33X3NCKS4NAH4LSYM57T4BNJFD\",\"WARC-Block-Digest\":\"sha1:EC6ICLBZGI3NBCIH77OR65XP6L3ZYQTD\",\"WARC-Truncated\":\"length\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-40/CC-MAIN-2023-40_segments_1695233506329.15_warc_CC-MAIN-20230922034112-20230922064112-00242.warc.gz\"}"} |
https://svn.geocomp.uq.edu.au/escript/trunk/doc/cookbook/example01.tex?r1=2982&sortdir=down&pathrev=3989&r2=3029&sortby=log | [
"",
null,
"# Diff of /trunk/doc/cookbook/example01.tex\n\nrevision 2982 by caltinay, Wed Mar 10 04:27:47 2010 UTC revision 3029 by ahallam, Fri May 21 02:01:37 2010 UTC\n# Line 295 only to define the coefficients of the P Line 295 only to define the coefficients of the P\n295 advanced features, but these are not required in simple cases. advanced features, but these are not required in simple cases.\n296\n297\n298 \\begin{figure}[t] \\begin{figure}[htp]\n299 \\centering \\centering\n300 \\includegraphics[width=6in]{figures/functionspace.pdf} \\includegraphics[width=6in]{figures/functionspace.pdf}\n301 \\caption{\\esc domain construction overview} \\caption{\\esc domain construction overview}\n# Line 598 python example01a.py Line 598 python example01a.py\n598 if the system is configured correctly (please talk to your system if the system is configured correctly (please talk to your system\n600\n\\begin{figure}\n\\begin{center}\n\\includegraphics[width=4in]{figures/ttblockspyplot150}\n\\caption{Example 1b: Total Energy in the Blocks over Time (in seconds)}\n\\label{fig:onedheatout1}\n\\end{center}\n\\end{figure}\n\n601 \\subsection{Plotting the Total Energy} \\subsection{Plotting the Total Energy}\n602 \\sslist{example01b.py} \\sslist{example01b.py}\n603\n# Line 676 The last statement generates the plot an Line 668 The last statement generates the plot an\n668 As expected the total energy is constant over time, see As expected the total energy is constant over time, see\n669 \\reffig{fig:onedheatout1}. \\reffig{fig:onedheatout1}.\n670\n671 \\begin{figure}\n672 \\begin{center}\n673 \\includegraphics[width=4in]{figures/ttblockspyplot150}\n674 \\caption{Example 1b: Total Energy in the Blocks over Time (in seconds)}\n675 \\label{fig:onedheatout1}\n676 \\end{center}\n677 \\end{figure}\n678 \\clearpage\n679\n680 \\subsection{Plotting the Temperature Distribution} \\subsection{Plotting the Temperature Distribution}\n681 \\label{sec: plot T} \\label{sec: plot T}\n682 \\sslist{example01c.py} \\sslist{example01c.py}\n# Line 769 $1$, $50$ and $200$} Line 770 $1$, $50$ and $200$}\n770 \\label{fig:onedheatout} \\label{fig:onedheatout}\n771 \\end{center} \\end{center}\n772 \\end{figure} \\end{figure}\n773 \\clearpage\n774\n775 We use the same techniques provided by \\mpl as we have used to plot the total We use the same techniques provided by \\mpl as we have used to plot the total\n776 energy over time. energy over time.\n\nLegend:\n Removed from v.2982 changed lines Added in v.3029"
] | [
null,
"https://svn.geocomp.uq.edu.au/viewvc/images/viewvc-logo.png",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.5461827,"math_prob":0.8619122,"size":2072,"snap":"2019-35-2019-39","text_gpt3_token_len":631,"char_repetition_ratio":0.123791106,"word_repetition_ratio":0.3018868,"special_character_ratio":0.33976835,"punctuation_ratio":0.08945687,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.984841,"pos_list":[0,1,2],"im_url_duplicate_count":[null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2019-09-19T00:15:17Z\",\"WARC-Record-ID\":\"<urn:uuid:905e3d5d-2a4b-43c8-bf0c-068f6a3be94d>\",\"Content-Length\":\"18328\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:d5ecb760-7ec2-4a51-8600-924c854865ea>\",\"WARC-Concurrent-To\":\"<urn:uuid:59549561-55d9-4459-93f8-44e57165b86d>\",\"WARC-IP-Address\":\"130.102.167.21\",\"WARC-Target-URI\":\"https://svn.geocomp.uq.edu.au/escript/trunk/doc/cookbook/example01.tex?r1=2982&sortdir=down&pathrev=3989&r2=3029&sortby=log\",\"WARC-Payload-Digest\":\"sha1:IE7IMCWGACYBL2BAYNXMUIX5ZDTIIXCV\",\"WARC-Block-Digest\":\"sha1:Y5S74A53RN66GVKQM55IPEIET65DFHKR\",\"WARC-Identified-Payload-Type\":\"application/xhtml+xml\",\"warc_filename\":\"/cc_download/warc_2019/CC-MAIN-2019-39/CC-MAIN-2019-39_segments_1568514573385.29_warc_CC-MAIN-20190918234431-20190919020431-00024.warc.gz\"}"} |
http://www.drkathieforcongress.com/page/64/ | [
"# DrKathieForCongress\n\n## Understanding Fractions Worksheets",
null,
"Thu, Jul 4 2019 :6 AM Lenora Greene. Kindergarten adding and subtracting fractions worksheets pdf images grade 948 free printable adding fractions worksheet for fourth grade equivalent worksheet.\n\n## Seasons Worksheet Kindergarten",
null,
"Thu, Jul 4 2019 :4 AM Lenora Greene. Kindergarten worksheets colors school shapes seasons clothes spring season worksheet 2d shape activities for 102 four seasons kindergarten worksheets also modern learning station model worksheet math fo of kind.\n\n## Compare And Order Fractions Worksheets",
null,
"Thu, Jul 4 2019 :2 AM Faine Kaufman. 4th grade math worksheets ordering fractions and decimals compare order percents with to ordering fractions decimals and percentages worksheet 6th grade math 77f3e6506419f2b70c59f548262.\n\n## Division Of Money Worksheets",
null,
"Thu, Jul 4 2019 :2 AM Eldan Pereira. Multiplication and division money word problems of worksheets two multiply divi easy division worksheet word problems money worksheets f334fce86c52147562c0f11b879.\n\n## Place Fractions On A Number Line Worksheet",
null,
"Wed, Jul 3 2019 :12 PM Eldan Pereira. Using empty number lines fractions on a line worksheet 6th grade ma09subt e3 w ans 752 free ordering fractions on a number line printable classroom worksheet year 3 8a15c41eacd9df49957635c7f82.",
null,
"Wed, Jul 3 2019 :12 PM Devondra Goossens. Free math worksheets and printouts 2nd grade addition subtraction word problems addingthreenu first grade math archives rocket 2nd worksheets addition with carrying fact families 11 18 seq.\n\n## Printable Kindergarten Worksheets",
null,
"Wed, Jul 3 2019 :11 AM Eldan Pereira. A guide to using printable kindergarten worksheets wehavekids in spanish 7312186 printable subtraction worksheet free kindergarten math worksheets words pri.\n\n## Addition Worksheets Free",
null,
"Wed, Jul 3 2019 :9 AM Devondra Goossens. Digits math free printable single digit addition worksheets with 5th grade pictures and subt download pdf free printable 2 digit addition worksheets first grad.\n\n## Adding And Subtracting Fractions Printable Worksheets",
null,
"Wed, Jul 3 2019 :9 AM Eldan Pereira. Adding and subtracting fractions worksheet answers worksheets match math on addingd with unlike like word problems pdf common free math worksheets on adding and subtracting fractions with like printable match worksheet like.\n\n## Fractions And Percentages Worksheet",
null,
"Wed, Jul 3 2019 :6 AM Faine Kaufman. Math worksheets decimal to percent worksheet fractions decimals and percentages into fraction word problems changing p decimal fraction percentage worksheet the best worksheets image fractions and percentag.\n\n## Kindergarten Multiplication Worksheets",
null,
"Wed, Jul 3 2019 :6 AM Rayder Mcintyre. Math worksheets kindergarten multiplication and division printable match it multiplication basic facts 2 3 4 5 6 7 8 9 eight kindergarten worksheets 8993fedd38f48c8e1a6c23dab4e.\n\n### Math Worksheets 3rd Grade",
null,
"Wed, Jul 3 2019 :6 AM Lenora Greene. Multiplication worksheets 3rd grade math area model third to printable worksheet coloring 1024 free easter worksheets 3rd grade with math printable worksh.\n\n#### Basic Addition Subtraction Multiplication And Division Worksheets",
null,
"Wed, Jul 3 2019 :5 AM Orwald Peter. Basic addition and subtraction worksheet fraction multiplication division worksheets free exponents worksheets addition subtraction multiplication and division for grade 3 pdf exponents workshe.\n##### Subtraction Worksheets Ks1",
null,
"Wed, Jul 3 2019 :2 AM Faine Kaufman. Fresh kindergarten subtraction worksheets with pictures fun worksheet sheet ks1 ks1 addition maths worksheet cazoom worksheets vertical subtraction multiplication times tables ga.\n###### Math Worksheets Site",
null,
"Tue, Jul 2 2019 :12 PM Rayder Mcintyre. Worksheet math site fun study multiplication translations 3points 3units 00 k5 learning launches free math worksheets center the worksheet site measur."
] | [
null,
"http://www.drkathieforcongress.com/wp-content/uploads/2019/06/kindergarten-adding-and-multiplying-fractions-worksheet-image-equivalent-worksheets-grade-4-pdf-p-3-ks2-5th-understanding-6-672x870.png",
null,
"http://www.drkathieforcongress.com/wp-content/uploads/2019/07/color-activities-for-preschool-printable-with-a-coloring-game-also-seasons-worksheet-kindergarten-maze-part-mazes-kids-activ-pdf-spring-season.jpg",
null,
"http://www.drkathieforcongress.com/wp-content/uploads/2019/07/free-comparing-fractions-worksheets-cut-paste-visual-models-and-ordering-worksheet-year-5-compare-order-decimals-percents-672x1133.jpg",
null,
"http://www.drkathieforcongress.com/wp-content/uploads/2019/06/dividing-sums-of-money-division-worksheets-ma26mone-l1-w-752-word-problems-with-multiplication-and-672x952.jpg",
null,
"http://www.drkathieforcongress.com/wp-content/uploads/2019/06/fractions-on-a-number-line-3rd-grade-math-teaching-tutorial-for-kids-worksheet-year-6-maxresde-super-teacher-place-3-6th-pdf-common-core-672x378.jpg",
null,
"http://www.drkathieforcongress.com/wp-content/uploads/2019/06/100-grade-math-worksheets-for-kids-number-bonds-to-addition-2nd-3-digit-with-regrouping-pro-second-and-subtraction-printable-word-problems-pdf-carrying-mixed-672x870.jpg",
null,
"http://www.drkathieforcongress.com/wp-content/uploads/2019/06/a-guide-to-using-printable-kindergarten-worksheets-wehavekids-in-spanish-7312186_-pdf-math-alphabet-sight-words-counting-reading-free-numbers-672x870.jpg",
null,
"http://www.drkathieforcongress.com/wp-content/uploads/2019/06/vector-addition-worksheet-free-worksheets-library-download-and-create-graphical-meth-kindergarten-printable-repeated-2nd-grade-5th-pdf-picture-coloring-first-672x870.jpg",
null,
"http://www.drkathieforcongress.com/wp-content/uploads/2019/07/fractions-worksheets-printable-for-teachers-adding-and-subtracting-fractions_v-with-like-denominators-free-math-672x870.png",
null,
"http://www.drkathieforcongress.com/wp-content/uploads/2019/06/comparing-fractions-and-percentages-decimals-worksheet-gcse-ma18comp-l1-w-compare-752-worksheets-year-7-6-ks2-ks3-pdf-672x952.jpg",
null,
"http://www.drkathieforcongress.com/wp-content/uploads/2019/06/math-worksheets-maths-worksheet-on-fraction-for-6th-grade-kindergarten-multiplication-eurokaclira-co-and-division.jpg",
null,
"http://www.drkathieforcongress.com/wp-content/uploads/2019/07/free-3rd-grade-daily-math-worksheets-addition-dailyma-printable-and-subtraction-fractions-word-problems-common-core-division-multiplication-pdf-672x870.jpg",
null,
"http://www.drkathieforcongress.com/wp-content/uploads/2019/06/what-are-decimals-math-print-addition-subtraction-multiplication-and-division-worksheets-for-grad-grade-4-6-fraction-basic-pdf-decimal-3-2-672x796.jpg",
null,
"http://www.drkathieforcongress.com/wp-content/uploads/2019/06/easter-numeracy-worksheets-ks1-with-free-printable-for-subtraction-preschool-s-vertical-lessons-year-2-teaching-sheet-christmas-subtracting-money-addition-worksheet-column-672x869.png",
null,
"http://www.drkathieforcongress.com/wp-content/uploads/2019/06/math-worksheet-site-awesome-the-subtraction-free-worksheets-sites-division-multiplication-addition-measurement-websites-coordinate-plane-answers-672x870.jpg",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.70509297,"math_prob":0.6134141,"size":3828,"snap":"2019-35-2019-39","text_gpt3_token_len":859,"char_repetition_ratio":0.2371862,"word_repetition_ratio":0.060998153,"special_character_ratio":0.21577847,"punctuation_ratio":0.09917355,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9852002,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20,21,22,23,24,25,26,27,28,29,30],"im_url_duplicate_count":[null,1,null,1,null,1,null,1,null,1,null,1,null,1,null,1,null,1,null,1,null,1,null,1,null,1,null,1,null,1,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2019-09-16T02:35:13Z\",\"WARC-Record-ID\":\"<urn:uuid:594a719b-8b76-4d0e-90a2-5f66fc5213ce>\",\"Content-Length\":\"35039\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:99264439-4566-4d7c-bb90-3d44f309c0db>\",\"WARC-Concurrent-To\":\"<urn:uuid:5acea713-19e8-4a93-8d69-a1f9b6adf45a>\",\"WARC-IP-Address\":\"104.24.105.75\",\"WARC-Target-URI\":\"http://www.drkathieforcongress.com/page/64/\",\"WARC-Payload-Digest\":\"sha1:VTIJJDLNFWH5ECVGQGLXVUPUC6ROWC4D\",\"WARC-Block-Digest\":\"sha1:BYCGZAGT5N2RMM65D66KUSYQIV3574IO\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2019/CC-MAIN-2019-39/CC-MAIN-2019-39_segments_1568514572471.35_warc_CC-MAIN-20190916015552-20190916041552-00184.warc.gz\"}"} |
https://datascience.stackexchange.com/questions/37154/is-this-a-problem-for-a-seq2seq-model | [
"Is this a problem for a Seq2Seq model?\n\nI'm struggling to find a tutorial/example which covers using an seq2seq model for sequential inputs other then text/translation.\n\nI have a multivariate dataset with n number of input variables each composed of sequences, and a single output sequence which is unrelated to any of the input variables (e.g. using weekly wind speed and humidity to predict temperature).\n\nI've converted the features and label to batches with fixed time steps and n dimensions, however I'm confused which model should be used. Ideally the output should be a single sequence (e.g. annual temperature) however which model would achieve this? Is this something an LSTM could achieve, or is this a problem for a seq2seq model?\n\nAny suggestions/insightful would be appreciated.\n\nTo use a seq2seq neural network for timeseries regression (and not forecasting, as everybody seems to be doing), a simple Keras model could be\n\ninputs = Input(shape=(n_timesteps, n_features))\nx = LSTM(n_units, return_sequences = True)(inputs)\noutputs = Dense(1, activation=\"linear\")(x)\n\nwhere you output a single value in the final layer, with linear activation, so that no scaling is applied. Then a common choice is to minimize MSE with your favorite optimizer - usually RMSprop for timeseries.\n\nThen, if you add convolutions and pooling layers, be sure to set padding = \"same\", to maintain the sequence length throughout the layers, or fix downsampled timesteps with RepeatVector to match the input sequence length. Specific choice of layers may be problem-dependent.\n\nThe type of your problem is time series regression. The common way of dealing with such problems is using ARMA models and Kalman filters with input (control vector). Look at this links:\n\nhttps://www.sas.upenn.edu/~fdiebold/Teaching104/Ch14_slides.pdf\n\nhttps://en.m.wikipedia.org/wiki/Kalman_filter\n\nFor time series regression using LSTM, check Multivariate LSTM Forecast Model part from this link:\n\nhttps://machinelearningmastery.com/multivariate-time-series-forecasting-lstms-keras\n\n• What about using a Sequential model in Keras? Would that also be suited to this problem? I've read that ARMA models might need a lot of tuning... Aug 20 '18 at 15:55\n• @Elliot I updated my answer. Please check it. Aug 20 '18 at 16:44"
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.94092053,"math_prob":0.8986818,"size":748,"snap":"2022-05-2022-21","text_gpt3_token_len":149,"char_repetition_ratio":0.10887097,"word_repetition_ratio":0.0,"special_character_ratio":0.18983957,"punctuation_ratio":0.09558824,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9809792,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2022-01-25T21:21:42Z\",\"WARC-Record-ID\":\"<urn:uuid:cf5bd2e0-e847-4d66-9e86-6e7abf19bfdb>\",\"Content-Length\":\"147584\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:4abd125e-31c6-4839-9465-f2fb0c1d2771>\",\"WARC-Concurrent-To\":\"<urn:uuid:97f20b03-4f57-45a3-a221-feb39995488c>\",\"WARC-IP-Address\":\"151.101.1.69\",\"WARC-Target-URI\":\"https://datascience.stackexchange.com/questions/37154/is-this-a-problem-for-a-seq2seq-model\",\"WARC-Payload-Digest\":\"sha1:C5NBEKIQIH7BXLBZWYVVNKYAGI22TGHH\",\"WARC-Block-Digest\":\"sha1:JC66HD75KZBUIKQK6QNNKTJVFOQTWAEB\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2022/CC-MAIN-2022-05/CC-MAIN-2022-05_segments_1642320304872.21_warc_CC-MAIN-20220125190255-20220125220255-00520.warc.gz\"}"} |
http://serwisant.info/rwg73/measuring-reflex-angles-worksheet-pdf-a0b535 | [
"Worksheets > Math > Grade 5 > Geometry > Estimating angles. This worksheet includes only acute and obtuse angles whose measures are offered in increments of five degrees. Using acute, obtuse, reflex and right angles. Measuring reflex angles isn't that tough if you follow three simple steps. The options below let you specify the range of angles used on the worksheet. 0000000969 00000 n X S oM Pa fd qeP Ww4iPtih r oINngf Ui2nSi9tSeK vGkeho9mQe8t Frfy t. H Worksheet by Kuta Software LLC Kuta Software - Infinite Geometry Name_____ Angles and Their Measures Date_____ Period____ This angle is This angle is degrees. A circular protractor could be used in exactly the same manner as the semicircular one to … Save worksheet. 11.!Hannah is measuring an obtuse angle in her maths exam. 0000001920 00000 n These angles look precisely like a straight line. This site has an animated tutorial on how to use a protractor for measuring angle. Measuring Angles These printable geometry worksheets will help students learn to measure angles with a protractor, and draw angles with a given measurement. The hands of the clock make acute, obtuse, right, reflex, straight and complete angles. Measuring angles worksheet pdf. This is a worksheet for use with ETA's VersaTiles, which are a great self-checking device. Most worksheets require students to identify or analyze acute, obtuse, and right angles. Use the scale to measure the angle accordingly. e���o��~=�!o�a\"0�s1N% B)v^�'X�nC�c�_�J����FeN�C���N m B�V��. Measuring Angles with 5-Degree Increments | Inner & Outer Scale. A Reflex Angle is more than 180° but less than 360°. Number of problems 4 problems 8 problems 12 problems 15 problems. Remember to look carefully at which angle you are being asked to name. This angle is degrees. additional information about angles and protractors. Angles worksheets pdf is a good resource for children in kindergarten 1st grade 2nd grade 3rd grade 4th grade and 5th grade. Using a protractor worksheets. The more advanced worksheets include straight and reflex angles … 300! Different Angles have different names:. Click for free download. Measuring Angles Worksheets Each angles worksheet in this section also provide great practice for measuring angles with a protractor. Measure these angles with a protractor. Resources • Protractors and rules. Measuring angles worksheet pdf grade 4. This worksheet consists of identifying and measuring angles, including reflex angles Angles that are three-fourths of full rotation and measure 270 degrees are known as the reflex angles. Fourth grade and fifth grade kids practice identifying the arms and vertex of angles with this batch of parts of an angle pdf worksheets. ... A few also cover straight and reflex angles. Save worksheet. Worksheets on classification or types of angles are given in this section for Grade 5 and grade 6 students. You can carry this portable protractor for maths lessons at school. Author: Created by MissJG133. 212! Answer sheet Include answer sheet. About this resource. Answer sheet Include answer sheet. Use this worksheet and quiz to learn about reflex angles. Estimating angles Grade 5 Geometry Worksheet Choose the best estimate of the size of the angles shown. Using right angles and reflex angles. Number of problems 4 problems 8 problems 12 problems 15 problems. Save worksheet. !Measure the angle shown above. C 4 d e x y z 6 k. The angles worksheets are randomly created and will never repeat so you have an endless supply of quality angles worksheets to use in the classroom or at home. This angle is degrees. Great math learning activity to demonstrate you angle measuring skills. Some of the worksheets displayed are A resource for standing mathematics qualifications, Strand space measuring angles with a protractor, Measuring angles, Abc def acute obtuse a d c, Measuring and classifying angles, Measuring angles, Grade 6 angle size. This is a math PDF printable activity sheet with several exercises. Worksheet with angles on for pupils to estimate the size of, pupils must then measure the angles and see how far out they are. Topics you'll need to know include types of angles and measuring corresponding reflex angles. Members have exclusive facilities to download an individual worksheet, or an entire level. Great math learning activity to demonstrate you angle measuring skills. Note The angle around a complete circle is is 360 °. This is a reflex angle . 257! About This Quiz & Worksheet. 50° b. Develop protractor usage skills. Encourage students to determine the size of each reflex angle using the protractor in this set of measuring reflex angles worksheets. Use the protractor and measure these reflex angles. Displaying top 8 worksheets found for - Measure Reflex Angles. Even if you do not have VersaTiles you can still use the worksheet as a regular worksheet, there just won’t be a self-check. Develop protractor usage skills. Angles worksheets pdf is a good resource for children in kindergarten 1st grade 2nd grade 3rd grade 4th grade and 5th grade. Check for yourself how well your 4th grade and 5th grade learners can measure angles in this variety of exercises. Pair students together and provide them with a copy of Angle Worksheet . Place the protractor upside-down, measure the exterior of the angle, and subtract it from 360° to obtain the measures of the reflex angles in this PDF worksheet. Measuring Angles: Five-degree increments. Measuring and classifying angles worksheet answers. Our goal is that these Measuring Reflex Angles Worksheet images gallery can be useful for you, deliver you more ideas and of course make you have an amazing day. Save complete. 8) 263! This math worksheet was created on 2006-09-17 and has been viewed 47 times this week and 125 times this month. Displaying top 8 worksheets found for - Measuring Reflex Angle. This worksheet consists of identifying and measuring angles, including reflex angles Measure angles worksheet for 6th grade children. Encourage students to determine the size of each reflex angle using the protractor in this set of measuring reflex angles worksheets. A worksheet where you have to draw a set of angles. 120° c. 65° d. 30° 3. a. This worksheet consists of identifying and measuring angles, including reflex angles Measuring Reflex Angles Showing top 8 worksheets in the category - Measuring Reflex Angles . 52 Top Reflex Angles Teaching Resources. The various types of angles are described with images on charts for easy understanding. Angles can be measured using the inner or outer scale of the protractor. 0000008510 00000 n Preview images of the first and second (if there is one) pages are shown. Some of the worksheets displayed are Types of angles classify each angle as acute obtuse, A resource for standing mathematics qualifications, 5 angles mep y7 practice book a, Classify and measure the, Name working with reflex angles, Types of angles, Types of angles, Classifying angles l1s1. 135° c. 20° d. 95° 8. a. Instruct students to use a protractor in order to find the angle degree and the type of angle. Naming Angles Worksheets Naming angles worksheets provide adequate practice beginning with using three points to name an angle, followed by familiarizing students of grade 4 and grade 5 with the 4 ways to name an angle to augment skills. Different Angles have different names:. Classifying the angles - Angles are sorted and classified based on their sizes. Measuring Angles. trailer << /Size 158 /Info 132 0 R /Encrypt 140 0 R /Root 139 0 R /Prev 94264 /ID[<4df9eea9333aea0f0c12176b1b8f2ffc><4df9eea9333aea0f0c12176b1b8f2ffc>] >> startxref 0 %%EOF 139 0 obj << /Type /Catalog /Pages 131 0 R >> endobj 140 0 obj << /Filter /Standard /V 1 /R 2 /O (�@Z��ۅ� ��~\\(�=�>��F��) /U ( �VI�X�!U���z4����������) /P 65476 >> endobj 156 0 obj << /S 521 /Filter /FlateDecode /Length 157 0 R >> stream 0000006748 00000 n This page has printable geometry PDFs on angle types. Measuring angles is much easy after we started to use a mathematical tool, the protractor. In these printable measuring angles worksheets, we will learn to measure angles using a protractor. Essential to this is understanding that angle measurement involves measuring the amount of rotation between two line segments. 0000000769 00000 n Similar: Classifying angles Classify and measure angles Students can refer to the Angle Facts worksheet for help in identifying the types of angles… Info. Angles worksheets pdf is useful because this is the printable angles worksheets pdf. These types of angles worksheets that are printable, free and a must-have for elementary school kids to identify the six types of angles. ... pdf, 138 KB. Measuring Reflex Angles Worksheet . If you don't mind share your thought with us and our readers at comment box at the bottom page, you can tell people about this gallery if you know there are people out there that want ideas related with these photos. The actual angle is provided on the answer key, so in addition to identifying whether an angle is obtuse or acute, you can suggest that students mesaure the angle with a protractor and supply the measurement as part of their work. Learner’s Worksheet . Save worksheet. Drawing angles with a protractor Grade 3 Geometry Worksheet Draw a second ray to create the angle shown. Reflex Angles. The angle measuring device shown here is a protractor that includes the top and bottom half of ... one collection consisting only of reflex angles with the word ‘REFLEX’, pasted above the collection. The students must read the angles on the printed protractors and write the answer next to the protractor. These geometry worksheets give students practice in 2 d geometry such as classifying angles and triangles classifying quadrilaterals calculating perimeters and areas and working with circles. Some of the worksheets for this concept are A resource for standing mathematics qualifications, Strand space measuring angles with a protractor, Measuring angles, Abc def acute obtuse a d c, Measuring and classifying angles, Measuring angles, Grade 6 angle size. Challenge. Reflex Angles. Use the protractor and measure these reflex angles. 90° c. 5° d. 180° 6. a. Right angles measure 90 degrees. Explore more than 52 'Reflex Angles' resources for teachers, parents and pupils as well as related resources on 'Measuring Reflex Angles' !Shown below are the measurements and the type of angle. 0000008432 00000 n The worksheet contains a sampling of question types. Choose which type of angles you want. Offered in these pdf measuring angles revision worksheets is a blend of rays, shapes, and clocks. Measuring Reflex Angle Displaying top 8 worksheets found for - Measuring Reflex Angle . Utilize this batch of printable exercises on measuring angles for children to practice using both the inner and outer scales, while determining the size of the angles with 1-degree increments. Angles Worksheets Geometry Worksheets Angles Worksheet Angles Math Develop protractor usage skills. Aimed at lower ability pupil... International; ... pdf, 65 KB. 180° b. !Match each measurement to the correct type of angle. His or her job is to use a standard protractor to measure the angles in degrees, extending the lines with a straight edge if necessary. Measuring Angles A measuring and drawing angles worksheet pdf, measuring reflex angles worksheet pdf, measuring angles with protractor worksheet pdf, measuring angles worksheet pdf 4th grade, measuring angles worksheet pdf grade 4, image source: math-drills.com. Example 1 Measure the angle CAB in the triangle shown. You read that right! Let your math practice ring authentic with this PDF worksheet that helps students of grade 4 bring home the covetous skill of reading the inner scale of the protractor. Offered in these pdf measuring angles revision worksheets is a blend of rays, shapes, and clocks. 0000002225 00000 n Begin your practice with our free sample worksheets and subscribe for the entire collection. This worksheet provides the student with a set of angles. Expected Questions to support measuring degrees around a point, including angles in increments of 30o and 45°. 0000002139 00000 n Write the measurement of each angle on the line. The pdf file also has the answer sheet. Measuring Angles Worksheets. Label each angle as acute, obtuse, right or straight. Measuring Angles Revision. • KS3 Shape, space and measure ‘Use angle measure: distinguish between and estimate the size of acute, obtuse and reflex angles’. 3.!Emma measures 5 angles. Encourage students to determine the size of each reflex angle using the protractor in this set of measuring reflex angles worksheets. Measuring Angles. This worksheet provides the student with a set of angles. Types of angles Acute Obtuse Reflex. We found some Images about Measuring Reflex Angles Worksheet: A@�[K9�et����e���M��T�=y�����\"0������ 110° c. 90° d. 135° 10. a. THINK WRITE First measure the acute angle. Most worksheets require students to identify or analyze acute, obtuse, and right angles. 120° b. ����w����C5�c�:5`�i�� n+-�Fݵ��%@ ����G@z���鏙�:Ge�S������*����| �kj��IQI\\��B��f���P��\\$��O����+ ... Click for free download. 0000002337 00000 n Measuring Angles using the Protractor | Inner Scale. Welcome to The Measuring Angles (A) Math Worksheet from the Measurement Worksheets Page at Math-Drills.com. All worksheets are printable pdf files. Measuring angles . How many degrees? ... We use them in our own math classes and are convinced that our pdf worksheets could also be used in an online math education or … Save failed. 0000001705 00000 n Esimating angles. A Reflex Angle is more than 180° but less than 360°. Some of the worksheets displayed are A resource for standing mathematics qualifications, Strand space measuring angles with a protractor, Measuring angles, Abc def acute obtuse a d c, Measuring and classifying angles, Measuring angles, Grade 6 angle size. Encourage 5th grade and 6th grade students to skillfully sketch them with these pdf exercises. pdf, 55 KB. Clock faces used in increments of twelve and compasses used in increments of eight. Learn the ropes of using the inner scale of a protractor to measure angles with 5° increments. Students measure angles with a protractor and classify them as acute, obtuse and right angle. Topics you'll need to know include types of angles and measuring corresponding reflex angles. Get kids to measure the angle first, and then equate the expression to the size of the angle, followed by isolating x, making it the subject, and solving the expression in these pdfs on measuring angles and finding x. Choose which type of angles you want. Is the angle between the two rays with a common vertex 40° or 60°? Read either the inner or outer scale of the protractor to measure the acute and obtuse angles in this hands on worksheet. 4th through 6th Grades. Click for our reflex angles geometry printable grade 4 math worksheet. Worksheet name: SAVE. Similar: Classifying angles Estimating angles Learner’s Worksheet . ©9 82B0M1Y18 eK fu mtFa 3 rSGonfDtQwdaArSe Z MLQLYC J.g J iA Olml I tr MiCgEh btvs O 6rle ks xe br sv oe Zdv. Student s can use math worksheets to master a math skill through practice, in a study group or for peer tutoring. Copyright © 2021 - Math Worksheets 4 Kids. Cod types of angles a a a a acute angle right angle obtuse angle straight angle measures greater than 0 and less than 90. TOPIC: Angles SKILLBUILDER: Measuring angles with a protractor Try these 1 Find the size of each of the following angles. Reflex Angles Showing top 8 worksheets in the category - Reflex Angles . Esimating angles. Some of the worksheets displayed are Types of angles classify each angle as acute obtuse, A resource for standing mathematics qualifications, 5 angles mep y7 practice book a, Classify and measure the, Name working with reflex angles, Types of angles, Types of angles, Classifying angles l1s1. (4) 4.! Even if you do not have VersaTiles you can still use the worksheet as a regular worksheet, there just won’t be a self-check. A reflex angle is greater than 180 degrees but less than 360 degrees. Worksheet-2. Some of the worksheets for this concept are A resource for standing mathematics qualifications, Strand space measuring angles with a protractor, Measuring angles 1, Classify and measure the, Measuring angles, Abc def acute obtuse a d c, Measuring and classifying angles. A worksheet where you have to draw a set of angles. Measuring angles . The first one is done for you. 0000002534 00000 n Angle measurement and classification worksheets. 10. 0000001547 00000 n Measuring Angles Use your protractor to measure each angle. Now read from the protractor where the other arm of the angle … Types of angles Acute Obtuse Reflex. It has an answer key attached on the second page. Using the Mathisfun website, locate the name of an angle that is exactly 180 degrees (straight angle) and one that is greater than 180 degrees (reflex angle). The outcome also concerns a less important aspect, namely, angle jargon (various types of angles). • measuring angles • classifying angles Notes Students can use the Data Sheet (Page 1) for reference whilst measuring and classifying the angles on the Worksheet (Pages 2 and 3). To draw reflex angles, subtract 360 degrees from the given angle, place the protractor upside down on the vertex, and mark the measure of the angle. 5.2 Measuring Angles A protractor can be used to measure or draw angles. Free printable measuring angles … Gallery of 30 Measuring Angles Worksheet Pdf Now read from … In the diagram below we have an angle drawn in black and a protractor placed on the angle. Measuring angles worksheet grade 5 pdf. These angles measure less than 360 degrees and more than 180 degrees. Worksheets > Math > Grade 5 > Geometry > Classify and measure angles. About This Quiz & Worksheet. His or her job is to use a standard protractor to measure the angles in degrees, extending the lines with a straight edge if necessary. Worksheets math grade 5 geometry classify and measure angles. This is a reflex angle . This is a worksheet for use with ETA's VersaTiles, which are a great self-checking device. ID: 272606 Language: English School subject: Math Grade/level: Grade 4 Age: 8-12 Main content: Measuring angles Other contents: Add to my workbooks (12) Download file pdf Embed in my website or blog Add to Google Classroom Naming angles worksheet mathworksheets4kids. Some of the worksheets for this concept are A resource for standing mathematics qualifications, Strand space measuring angles with a protractor, Classify and measure the, Grade 6 angle size, Reading protractor level 1 s1, Measuring and classifying angles, Abc def acute obtuse a d c, Measureclassifyangles l1s1. 0000008355 00000 n The worksheet contains 10 problems. the angle. TOPIC: Angles Measuring angles with a protractor Angles smaller than or equal to 180° can be measured with a semicircular protractor, as shown in the following worked example. 0000008245 00000 n Complementary and Supplementary Angles. Angles are an important concept in geometry, and hence it becomes vital for grade 4 and grade 5 children to learn to measure them. 6 9. a. 150° 65° 20° 175° 90° 110° obtuse 0000000826 00000 n This page has printable geometry PDFs on angle types. In these worksheets, students estimate angles based on the diagrams shown. Worksheet name: SAVE. Measuring Re\"ex Angles Measuring angles with 5 degree increments inner outer scale angles can be measured using the inner or outer scale of the protractor. Save complete. This is a worksheet for use with ETA's VersaTiles, which are a great self-checking device. 0000003872 00000 n Save worksheet. Contains teaching presentation and pupil tasks. Show all files. ��+k�N��[���<0̴܆G-�m-\"g��m1H. ab cd e Find the size of the following angle, using a semicircular protractor. Bolster practice in measuring angles using a protractor starting with 5-degree increments and moving to a single-degree increments, measuring reflex angles, solving for x and much more. The more advanced worksheets include straight and reflex angles … • Wipe-clean miniature whiteboards for pupils (show-me boards). Most angles can be defined as right, obtuse, or acute. Answers (Allow ± 1°) A right angle is 90 °. We have already learnt that two rays originating from a common end point form an angle. Save worksheet. All the angles below are reflex angles: Which Angle? The angle around a point on a straight line is 180 °. Use this worksheet and quiz to learn about reflex angles. Worksheet-1. 189! Estimating angles. Measure the Angles. Save failed. %PDF-1.2 %���� A differentiated set of worksheets where students have to Identify which angle to measure, then use a protractor to measure accurately. Drawing Reflex Angles. Angles are simply classified according to their magnitudes. This far-from-exhaustive list of angle worksheets is pivotal in math curriculum. Updated: Oct 11, 2013. pdf, 65 KB. 25° b. The size of the PDF file is 46380 bytes. pdf, 75 KB. Visit the Types of Angles page for worksheets on identifying acute, right, and obtuse angles. 138 0 obj << /Linearized 1 /O 141 /H [ 969 578 ] /L 97154 /E 8741 /N 27 /T 94275 >> endobj xref 138 20 0000000016 00000 n Some of the worksheets for this concept are A resource for standing mathematics qualifications, Strand space measuring angles with a protractor, Measuring angles 1, Classify and measure the, Measuring angles, Abc def acute obtuse a d c, Measuring and classifying angles. Clock faces and compasses used in quarter increments. Even if you do not have VersaTiles you can still use the worksheet as a regular worksheet, there just won’t be a self-check. Ensure that the centre of the protractor fits exactly onto the vertex of the angle and that one arm of the angle is on 0°. Remember to look carefully at which angle you are being asked to name. 0000002444 00000 n You have the possibility to set the interval of the angles; if the starting angle is 0, 180 or random. Solution Place a protractor on the triangle as shown. Ensure that the centre of the protractor fits exactly onto the vertex of the angle and that one arm of the angle is on 0°. All the angles below are reflex angles: Which Angle? Angles that measure more than 180°, but less than 360° are reflex angles. The outcome primarily concerns measuring the size of an angle using a protractor (with degrees as the unit). How do you classify angles? To make it easy, draw a circle. ... Acute/ Obtuse/ Reflex and Measuring Angles (no rating) 0 customer reviews. 30° b. The options below let you specify the range of angles used on the worksheet. The size of the angle is the turn from one arm of the angle to the other, and to measure this, we require a protractor that comes with an outer and an inner scale. 348! You can print them for reference. Measure twelve different angles with a protractor. Complete lesson pack revising types of angles and measuring angles using a protractor. Created: Oct 29, 2011. It may be printed, downloaded or saved and used in your classroom, home school, or other educational environment to help someone learn math. • Copies of the worksheet for each pupil. Check for yourself how well your 4th grade and 5th grade learners can measure angles in this variety of exercises. First, measure the angles using your protractor, and then classify them as acute, obtuse, right, straight, or reflex angle. Showing top 8 worksheets in the category - Reflex Angles. Measuring Angles with 5-Degree Increments | Inner Scale. An accompanying Powerpoint presentation with the same name can be used as an introduction or for revision later. These worksheets are printable pdf files. These worksheets are printable pdf files. Measuring Reflex Angles - Displaying top 8 worksheets found for this concept.. It can measure all kind of angles in geometry from acute, right, obtuse, straight, reflex angles. Parallel, Perpendicular and Intersecting Lines. Measuring angles worksheet free. It is beneficial for kids as many times they forget their geometry box at home. This worksheet is a supplementary sixth grade resource to help teachers, parents and children at home and in school. Printable Worksheets @ www.mathworksheets4kids.com Name : Sheet 1 Answer key 1) 2) 3) 4) 5) 6) 7) 335! 0000002030 00000 n Use the buttons below to print, open, or download the PDF version of the Measuring Angles (A) math worksheet. In the diagram below we have an angle drawn in black and a protractor placed on the angle. 194! Line up one of the arms of the given angles with the baseline of the protractor and measure them accurately. Free printable math worksheet angles. Mobile measuring tools would be helpful for those kids. Exercise the brains of your 4th grade children as they measure each angle, arrange the angles based on the size, and decode the names of the animals in these measuring and ordering angles puzzle worksheets. Measuring Reflex Angles Showing top 8 worksheets in the category - Measuring Reflex Angles . Measure Reflex Angles. Place the midpoint of the protractor on the vertex, line up one arm with the base line of the protractor, measure the angles with 1-degree increments using the inner scale in these pdfs on measuring angles. 0000001525 00000 n Direct students to use the inner scale if the angle opens to the right, and the outer scale if the angle opens to the left, so they can easily measure the angles. 5 e c 3 d 6 e g f 4 7 g e f 1 8 h j 3 i draw and label an angle to fit each description. The student with a copy of angle ) pages are shown the type of angle 47 times month. The measurement of each reflex angle scale angles can be measured using the inner scale of a protractor for lessons! We started to use a protractor and measure 270 degrees are known as the unit ) on! Your protractor to measure each angle on the worksheet being asked to name know include types of angles common point. Require students to use a protractor to measure, then use a mathematical tool, the.! Geometry box at home and in school angles ; if the starting angle is more than 180 degrees but than. The measuring angles a protractor in a study group or for revision later angle as acute obtuse. This hands on worksheet have an angle drawn in black and a must-have elementary! List of angle worksheet with images on charts for easy understanding 5.2 measuring,... Be defined as right, obtuse, right, and clocks page has printable PDFs!, 180 or random activity to demonstrate you angle measuring skills are sorted and classified based on worksheet. There is one ) pages are shown measuring reflex angles worksheet pdf ; if the starting angle is more than degrees! This page has printable geometry PDFs on angle types, but less than 360° are reflex angles order to the. Students estimate angles based on their sizes ± 1° ) worksheets > math > grade 5 > geometry > angles... Be defined as right, obtuse, reflex, straight and reflex angles note the angle that... Be measured using the inner or outer scale angles can be measured using the protractor worksheets that are,! Measure less than 360° printable, free and a protractor placed on the angle degree and the type of.!, but less than 360 degrees originating from a common end point an! > classify and measure them accurately... Acute/ Obtuse/ reflex and measuring angles is much easy after we started use. Questions to support measuring degrees around a point on a straight line is 180 ° geometry worksheet the! Is 180 ° have an angle few also cover straight and reflex angles ±! Rays originating from a common end point form an angle drawn in black and a protractor can be used measure. > geometry > Estimating angles grade 5 > geometry > classify and them. Teachers, parents and children at home the range of angles worksheets, we will to. This week and 125 times this week and 125 times this week 125. Similar: Classifying angles Estimating angles a protractor on the worksheet angles that measure more than 180 degrees but than! To look carefully at which angle to measure each angle as acute, obtuse straight! And measure them accurately is more than 180° but less than 90 found for this concept worksheet of. Angles used on the printed protractors and write the measurement worksheets page at.. Protractor in this hands on worksheet on 2006-09-17 and has been viewed 47 times month. Several exercises each measurement to the correct type of angle worksheets is pivotal in math.. The size of the protractor to measure angles with the baseline of the arms the... Measure 270 degrees are known as the unit ) for maths lessons at school to name reflex. Portable protractor for measuring angle worksheet includes only acute and obtuse angles whose are! 180°, but less than 360° this set of angles are described with images on charts for understanding! From a common vertex 40° or 60° through practice, in a group... Pupils ( show-me boards ) less important aspect, namely, angle jargon ( types! Angles measure less than measuring reflex angles worksheet pdf are reflex angles 4 math worksheet advanced worksheets include straight and reflex angles top. For those kids is n't that tough if you follow three simple steps you follow three simple.... 360 degrees and children at home and in school note the angle between the two rays from... Than 90 of angles customer reviews angles whose measures are offered in these pdf measuring angles using a in! An animated tutorial on how to use a protractor placed on the worksheet angles used on the second page diagram. Have to identify or analyze acute, obtuse and right angles and 125 times this month common point! The clock make acute, obtuse, straight, reflex, straight and angles...! Hannah is measuring an obtuse angle straight angle measures greater than 180 degrees but less than degrees. Hands of the following angle, using a protractor to measure the angle between the two rays from! Point, including reflex angles the angle around a point on a straight line is °! 5-Degree increments | inner & outer scale of the protractor to measure angles with baseline... Set the interval of the protractor student with a set of angles used on the printed protractors write. Powerpoint presentation with the same name can be defined as right, obtuse, and.! Reflex and measuring corresponding reflex angles 175° 90° 110° obtuse using right angles and measuring angles ( a math! And 125 times this month measuring corresponding reflex angles Showing top 8 worksheets in the category measuring reflex angles worksheet pdf reflex is! Measures are offered in these printable measuring angles using a protractor for maths lessons at.... A a a a a acute angle right angle few also cover straight and reflex angles grade learners measure! Drawn in black and a protractor 2013. pdf, 65 KB measured the... And children at home identifying and measuring angles revision worksheets is a worksheet use. With the same name can be measured using the inner scale of the pdf file 46380... Geometry printable grade 4 math worksheet this site has an answer key attached on worksheet! For those kids have to draw a set of angles it can measure kind! A must-have for elementary school kids to identify which angle you are being asked to name hands on.! Problems 12 problems 15 problems as shown kind of angles are described with images on charts for easy.. Supplementary sixth grade resource to help teachers, parents and children at home master a math through... Worksheet and quiz to learn about reflex angles worksheets! Hannah is an! Measurement involves measuring the amount of rotation between two line segments individual worksheet or! Estimate angles based on their sizes revising types of angles used on the worksheet first and second ( if is... Subscribe for the entire collection only acute and obtuse angles in geometry from acute, right and! These angles measure less than 360 degrees the category - measuring reflex angles worksheets good... Great math learning activity to demonstrate you angle measuring skills would be helpful for those kids angle... The worksheet below we have already learnt that two rays with a set worksheets. 'Ll need to know include types of angles are described with images on for! Learning activity to demonstrate you angle measuring skills inner or outer scale of the pdf version the! A less important aspect, namely, angle jargon ( various types of angles measure accurately revision...\n\nHow To Know If Merrell Shoes Is Original, Utah Gun Laws Magazine Capacity, Tumhara Naam Kya Hai Google Assistant, Catholic Churches In Chile, Gstr-3b Due Date For June 2020, Dubai American Academy Uniform, Garden Homes For Sale In Cameron Village Myrtle Beach, Sc, Garden Homes For Sale In Cameron Village Myrtle Beach, Sc,"
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.8709674,"math_prob":0.8814657,"size":32736,"snap":"2021-04-2021-17","text_gpt3_token_len":7442,"char_repetition_ratio":0.24511182,"word_repetition_ratio":0.25774336,"special_character_ratio":0.23048021,"punctuation_ratio":0.11769494,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9894342,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-04-19T20:53:41Z\",\"WARC-Record-ID\":\"<urn:uuid:4ad394ce-3ec6-4add-bc8c-a3462af1ed8c>\",\"Content-Length\":\"42390\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:64e9ae64-3e05-480b-8301-9cacbbc39369>\",\"WARC-Concurrent-To\":\"<urn:uuid:13c68b36-1f50-4780-9f48-00327483966c>\",\"WARC-IP-Address\":\"86.111.241.223\",\"WARC-Target-URI\":\"http://serwisant.info/rwg73/measuring-reflex-angles-worksheet-pdf-a0b535\",\"WARC-Payload-Digest\":\"sha1:4ZAI26QRUMQFYNP7MZGXGQXSXUER7OLY\",\"WARC-Block-Digest\":\"sha1:J25PDLI5PHVRWH6HIPW5ZELJVUWGO3MX\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-17/CC-MAIN-2021-17_segments_1618038917413.71_warc_CC-MAIN-20210419204416-20210419234416-00373.warc.gz\"}"} |
http://softmath.com/math-book-answers/perfect-square-trinomial/easy-help-on-rational.html | [
"English | Español\n\n# Try our Free Online Math Solver!",
null,
"Online Math Solver\n\n Depdendent Variable\n\n Number of equations to solve: 23456789\n Equ. #1:\n Equ. #2:\n\n Equ. #3:\n\n Equ. #4:\n\n Equ. #5:\n\n Equ. #6:\n\n Equ. #7:\n\n Equ. #8:\n\n Equ. #9:\n\n Solve for:\n\n Dependent Variable\n\n Number of inequalities to solve: 23456789\n Ineq. #1:\n Ineq. #2:\n\n Ineq. #3:\n\n Ineq. #4:\n\n Ineq. #5:\n\n Ineq. #6:\n\n Ineq. #7:\n\n Ineq. #8:\n\n Ineq. #9:\n\n Solve for:\n\n Please use this form if you would like to have this math solver on your website, free of charge. Name: Email: Your Website: Msg:\n\nWhat our customers say...\n\nThousands of users are using our software to conquer their algebra homework. Here are some of their experiences:\n\nAbsolutely genius! Thanks!\nDan Mathers, MI\n\nThe software has been a great help learning radical equations, now I don't have to spend so much time doing my algebra homework.\nFarley Evita, IN\n\nAs a private tutor, I have found this program to be invaluable in helping students understand all levels of algebra equations and fractions.\nC.B., Oklahoma\n\nAt first, I was under the impression your software was aimed at the elementary and high school level, so I didnt use it at all. Finally, one night I on a whim I tried it out and, after getting past the initial learning curve, was just blown away at how advanced it really is! I mean, Ill be using all the way through my BS in Anthropology!\nDavid E. Coates, AZ\n\nIts a miracle! I looks like it's going to work. I get so close with solving almost all problems and this program has answered my prayers!\nRick Edmondson, TX\n\nSearch phrases used on 2015-02-04:\n\nStudents struggling with all kinds of algebra problems find out that our software is a life-saver. Here are the search phrases that today's searchers used to find our site. Can you find yours among them?\n\n• multiplying fractions and decimals worksheets\n• images of mathecians in 10th class ncert\n• The Algebrator\n• dividing rational expressions calculator\n• algebra mcdougal littell\n• classroom games leat common multiple\n• algebrator mac\n• refreshers and ncert book of10\n• To write a polynomial in standard form, write the _____ of the terms in descending order.\n• free quantitative comparisons\n• step by step how to use the quotient property to simplify radical expressions woith a fraction when a number is outside of the radical sign\n• teaching algebra career\n• compare and contrast linear and quadratic equations from algebra numerical, and graphical perspectives.\n• 6th grade math multiplying and dividing by decimals worksheets\n• ti 89 exercises with differential equation\n• free aptitude test with answers\n• factoring cubed polynomials\n• really hard math printables\n• year 5 optional sats 2007 maths\n• positive and negative number calculator\n• dividing decimals calculator\n• Pre-Algebra with Pizzazz\n• monomial calculator\n• algebra cubed root calculator\n• punchline bridge to algebra 2nd edition 2009 marcy mathworks functions and linear equations and inequalities: scatterplots 10.3\n• solving equations with variables on both sides worksheets\n• how to evaluate exponents expression simplify\n• best algebra 2 textbooks\n• Prentice Hall BIology workbook answers\n• When is it necessary to find the least common denominator (LCD) of two rational expressions\n• What is the difference between a function and an equation?\n• divide polynomial (x^5 + y^5) / (x - y)\n• pre algebra equations\n• sin 20 degrees in fraction radical root form\n• Solve for X Calculator\n• how to solving by graph\n• AMERICAN SYSTEM EDUCATION GRADE 9 ALGIBRA TOPICS EXPLAN\n• factorial worksheet\n• Highest common factor +word problems\n• algebra software\n• ALGEBRATOR\n• how to solve for Y and X 8th grade eog\n• dividing polynomials calculator\n• how to turn a decimal into a square root\n• android algebraic solution program\n• ellipse equation calculator\n• quiz on positive and negative integers\n• newton raphson con matlab\n• 233\n• rational expressions calculator, showing how to do it\n• system of equation word problems worksheets\n• maths formule for 10th class\n• algebra word problem solver online free\n• answers for math middle school math pizzazzbook d d-54\n• california prealgebra solution key\n• templates for online exam\n• 164\n• mcq test win Money of mathsof class4\n• Free Usable Online Calculator\n• mathemetical decimals\n• free kumon math worksheets\n• holt mathematics book algebra pg. 529 answers\n• linear equations graphing worksheet\n• algerba 2 glencoe\n• y = -3x\n• kuta math factoring out the gcf\n• algebrator reviews\n• What other areas, besides radical expressions, is it important to simplify before proceeding?\n• 9th grade math worksheet printout\n• free 9th grade worksheets to print\n• ordered pairs pictures\n• grade four balancing math equations\n• how to solve dv/dt=g-(cd/m)v^2 using calculus\n• 158\n• implicit differentiation calculator\n• trigonometry and answers to problems\n• sample lesson plan in polynomial function with +motivation\n• orleans hanna algebra prognosis test sample\n• mathematics - formula for calculating square and cube roots\n• answers to logarithms equations algebrator\n• 11\n• how to simplify irrational fraction square root\n• math tic tac toe coordinate question"
] | [
null,
"http://softmath.com/images/video-pages/solver-top.png",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.8389239,"math_prob":0.955575,"size":5104,"snap":"2019-51-2020-05","text_gpt3_token_len":1196,"char_repetition_ratio":0.13607843,"word_repetition_ratio":0.004733728,"special_character_ratio":0.21473354,"punctuation_ratio":0.060344826,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9985717,"pos_list":[0,1,2],"im_url_duplicate_count":[null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2020-01-23T14:58:22Z\",\"WARC-Record-ID\":\"<urn:uuid:a38b9e5c-494d-4464-85f2-7037d1a1ae4f>\",\"Content-Length\":\"91067\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:61d9970c-8a85-416d-b8db-0ef9afb8be94>\",\"WARC-Concurrent-To\":\"<urn:uuid:90fe932a-aaf7-48bf-b26d-c06e9b280152>\",\"WARC-IP-Address\":\"52.43.142.96\",\"WARC-Target-URI\":\"http://softmath.com/math-book-answers/perfect-square-trinomial/easy-help-on-rational.html\",\"WARC-Payload-Digest\":\"sha1:KMAUH4ST3YDDBYSWBMHZQN24GJ5OCRZE\",\"WARC-Block-Digest\":\"sha1:YZDE2ACNASTJ73REVSJFXB6JDFNIILSV\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2020/CC-MAIN-2020-05/CC-MAIN-2020-05_segments_1579250610919.33_warc_CC-MAIN-20200123131001-20200123160001-00488.warc.gz\"}"} |
https://penseesotome.fr/ball-mill/8se0a1zw/why.html | [
"•",
null,
"zhengzhou , henan , china\n•",
null,
"7*24 all day long\n•",
null,
"[email protected]",
null,
"Why the critical speed of ball mill is 76.6\n\nMar 16, 2021 • The critical speed is n=76.6/ D2=KD (feed particle) • Optimum diameter of the ball= D ball. Parts • Consists of a hollow cylinder mounted on a metallic frame such that it can be rotated along its longitudinal axis. • Cylinder contains balls occupying 30–50 % of mill volume\n\n[email protected]\n•",
null,
"Muriatic and peroxide - Gold Refining\n\nOct 26, 2009 The critical speed (as I understand it) is where, at the top of the mill, the centrifugal force equals the force on the ball due to gravity. Therefore, for any speed less than the critical speed, the balls will drop at some point, as they approach the top. Critical RPM = 76.6/(square root of the diameter of the mill, in feet) For dry grinding\n\n•",
null,
"Practical Pharmaceutical Technology I Manual.pdf - Univ\n\nAt Critical Speed → Gravitational force Centrifugation force Critical Speed = 76.6 / ඥࢊ ሺࢌࢋࢋ࢚ሻ Optimum Speed = 60 - 85% of Critical Speed (to achieve efficient milling) 2. Filling volume of mill: the balls should only occupy two thirds (2/3) of the chamber. 3. Milling time\n\n•",
null,
"full report.pdf - Report CHE 481 Chemical Engineering\n\nView full report.pdf from CHE 481 at King Mongkut's University of Technology Thonburi. Report CHE 481 Chemical Engineering Laboratory I Lab title Ball Mill By Group 26 Krittin Komonwatin Student I.D\n\n•",
null,
"critical speed of ball mill ball mill\n\nBall Mill Operating Speed Mechanical Operations Solved . The critical speed of ball mill is given by, where R = radius of ball mill; r = radius of ball For R = 1000 mm and r = 50 mm, n c = 307 rpm But the mill is operated at a speed of 15 rpm Therefore, the mill is operated at 100 x 15/307 = 4886 % of critical speed If 100 mm dia balls are replaced by 50 mm dia balls, and the other conditions\n\n•",
null,
"Show The Critical Speed Of Ball Mill Derivation\n\nBall mill critical speed 911m jun 19 2015a ball mill critical speed actually ball rod ag or sag is the speed at whichthe formula derivation ends up as follow critical speed is nc critical speed of ball mill derivation pdf pochirajucoin the effect of mechanical activation on energetics and 5171 derivation of kinetic parameters 104to\n\n•",
null,
"how to determine mathematically critical speed of a ball mill\n\nhow to determine mathematically critical speed of a ball mill [randpic] Ball Mill Critical Speed 911 Metallurgist 2015-6-19 Charge movement at Various Mill Critical Speed. The Formula derivation ends up as follow: Critical Speed is: N c =76.6(D 0.5) where: N c is the critical speed,in revolutions p\n\n•",
null,
"Ball Mill Critical Speed - Mineral Processing & Metallurgy\n\nJun 19, 2015 Example: a mill measuring 11’0” diameter inside of new shell liners operates at 17.3 rpm. Critical speed is. C.S. = 76.63 / 11^0.5 = 23.1 rpm. Ball and SAG Mills are driven in practice at a speed corresponding to 60-81% of the critical speed, the choice of\n\n•",
null,
"Why Critical Speed Of Ball Mill Is Less Than One\n\ndefination of ball mill critical speed critical speed of ball mill 76.6 calculator for ball mill critical speed critical speed formula for ball mill in meters. Read more\n\n•",
null,
"derive expression of critical speed of ball mill\n\nNc = tumbling speed; expressed as a fraction ( /1) of the critical centrifugation speed : Ncrit = 76.6/D0 …show the critical speed of ball mill formula derivation … Read more critical speed of ball mill pdf\n\n•",
null,
"SAGMILLING.COM .:. Mill Critical Speed Determination\n\nMill Critical Speed Determination. The Critical Speed for a grinding mill is defined as the rotational speed where centrifugal forces equal gravitational forces at the mill shell's inside surface. This is the rotational speed where balls will not fall away from the mill's shell. Result #1: This mill would need to spin at RPM to be at 100% critical speed\n\n•",
null,
"Critical speed on a ball mill - Manufacturer Of High-end\n\nhow to calculate critical speed of a ball mill crushertech, so I can pare to the critical speed of a ball mill and calculate , critical speed critical Ball mills are , the formula Fig 3 : critical speed to critical speed of ball mill 76 6 pcclas org. Oline Chat\n\nLatest News",
null,
"",
null,
"",
null,
""
] | [
null,
"https://penseesotome.fr/images/icon-address.png",
null,
"https://penseesotome.fr/images/icon-time.png",
null,
"https://penseesotome.fr/images/icon-email.png",
null,
"https://penseesotome.fr/pic/ball-mill/ball-mill-164.webp",
null,
"https://penseesotome.fr/pic/ball-mill/ball-mill-140.webp",
null,
"https://penseesotome.fr/pic/ball-mill/ball-mill-145.webp",
null,
"https://penseesotome.fr/pic/ball-mill/ball-mill-45.webp",
null,
"https://penseesotome.fr/pic/ball-mill/ball-mill-169.webp",
null,
"https://penseesotome.fr/pic/ball-mill/ball-mill-66.webp",
null,
"https://penseesotome.fr/pic/ball-mill/ball-mill-28.webp",
null,
"https://penseesotome.fr/pic/ball-mill/ball-mill-103.webp",
null,
"https://penseesotome.fr/pic/ball-mill/ball-mill-277.webp",
null,
"https://penseesotome.fr/pic/briquetting-machine/briquetting-machine-236.webp",
null,
"https://penseesotome.fr/pic/ball-mill/ball-mill-210.webp",
null,
"https://penseesotome.fr/pic/ball-mill/ball-mill-67.webp",
null,
"https://penseesotome.fr/images/pc-kf.png",
null,
"https://penseesotome.fr/images/wap-kf.png",
null,
"https://penseesotome.fr/images/gotop.png",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.83463514,"math_prob":0.93433875,"size":3506,"snap":"2022-05-2022-21","text_gpt3_token_len":878,"char_repetition_ratio":0.22158766,"word_repetition_ratio":0.029032258,"special_character_ratio":0.2581289,"punctuation_ratio":0.095791005,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.987541,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20,21,22,23,24,25,26,27,28,29,30,31,32,33,34,35,36],"im_url_duplicate_count":[null,null,null,null,null,null,null,3,null,2,null,1,null,3,null,3,null,2,null,1,null,3,null,1,null,1,null,1,null,5,null,null,null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2022-01-23T22:06:37Z\",\"WARC-Record-ID\":\"<urn:uuid:1d5bc8fd-7ea0-4b3d-92d4-22fc20f79da2>\",\"Content-Length\":\"24172\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:70e23e8c-f856-4695-ab8f-26785898e7ec>\",\"WARC-Concurrent-To\":\"<urn:uuid:f79d50ff-b2d3-45a7-8835-d2dd4c902159>\",\"WARC-IP-Address\":\"104.21.58.173\",\"WARC-Target-URI\":\"https://penseesotome.fr/ball-mill/8se0a1zw/why.html\",\"WARC-Payload-Digest\":\"sha1:XTACW2JPDB47NJFLRMH5Q2BIRSTDWCDF\",\"WARC-Block-Digest\":\"sha1:JILBZWGGSERO3IGCRKOJJ6U7GL3X5P2T\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2022/CC-MAIN-2022-05/CC-MAIN-2022-05_segments_1642320304309.59_warc_CC-MAIN-20220123202547-20220123232547-00106.warc.gz\"}"} |
https://terrytao.wordpress.com/tag/horng-tzer-yau/ | [
"You are currently browsing the tag archive for the ‘Horng-Tzer Yau’ tag.\n\nOne further paper in this stream: László Erdős, José Ramírez, Benjamin Schlein, Van Vu, Horng-Tzer Yau, and myself have just uploaded to the arXiv the paper “Bulk universality for Wigner hermitian matrices with subexponential decay“, submitted to Mathematical Research Letters. (Incidentally, this is my first six-author paper I have been involved in, not counting the polymath projects of course, though I have had a number of five-author papers.)\n\nThis short paper (9 pages) combines the machinery from two recent papers on the universality conjecture for the eigenvalue spacings in the bulk for Wigner random matrices (see my earlier blog post for more discussion). On the one hand, the paper of Erdős-Ramírez-Schlein-Yau established this conjecture under the additional hypothesis that the distribution of the individual entries obeyed some smoothness and exponential decay conditions. Meanwhile, the paper of Van Vu and myself (which I discussed in my earlier blog post) established the conjecture under a somewhat different set of hypotheses, namely that the distribution of the individual entries obeyed some moment conditions (in particular, the third moment had to vanish), a support condition (the entries had to have real part supported in at least three points), and an exponential decay condition.\n\nAfter comparing our results, the six of us realised that our methods could in fact be combined rather easily to obtain a stronger result, establishing the universality conjecture assuming only a exponential decay (or more precisely, sub-exponential decay) bound",
null,
"${\\Bbb P}(|x_{\\ell k}| > t ) \\ll \\exp( - t^c )$ on the coefficients; thus all regularity, moment, and support conditions have been eliminated. (There is one catch, namely that we can no longer control a single spacing",
null,
"$\\lambda_{i+1}-\\lambda_i$ for a single fixed i, but must now average over all",
null,
"$1 \\leq i \\leq n$ before recovering the universality. This is an annoying technical issue but it may be resolvable in the future with further refinements to the method.)\n\nI can describe the main idea behind the unified approach here. One can arrange the Wigner matrices in a hierarchy, from most structured to least structured:\n\n• The most structured (or special) ensemble is the Gaussian Unitary Ensemble (GUE), in which the coefficients are gaussian. Here, one has very explicit and tractable formulae for the eigenvalue distributions, gap spacing, etc.\n• The next most structured ensemble of Wigner matrices are the Gaussian-divisible or Johansson matrices, which are matrices H of the form",
null,
"$H = e^{-t/2} \\hat H + (1-e^{-t})^{1/2} V$, where",
null,
"$\\hat H$ is another Wigner matrix, V is a GUE matrix independent of",
null,
"$\\hat H$, and",
null,
"$0 < t < 1$ is a fixed parameter independent of n. Here, one still has quite explicit (though not quite as tractable) formulae for the joint eigenvalue distribution and related statistics. Note that the limiting case t=1 is GUE.\n• After this, one has the Ornstein-Uhlenbeck-evolved matrices, which are also of the form",
null,
"$H = e^{-t/2} \\hat H + (1-e^{-t})^{1/2} V$, but now",
null,
"$t = n^{-1+\\delta}$ decays at a power rate with n, rather than being comparable to 1. Explicit formulae still exist for these matrices, but extracting universality out of this is hard work (and occupies the bulk of the paper of Erdős-Ramírez-Schlein-Yau).\n• Finally, one has arbitrary Wigner matrices, which can be viewed as the t=0 limit of the above Ornstein-Uhlenbeck process.\n\nThe arguments in the paper of Erdős-Ramírez-Schlein-Yau can be summarised as follows (I assume subexponential decay throughout this discussion):\n\n1. (Structured case) The universality conjecture is true for Ornstein-Uhlenbeck-evolved matrices with",
null,
"$t = n^{-1+\\delta}$ for any",
null,
"$0 < \\delta \\leq 1$. (The case",
null,
"$1/4 < \\delta \\leq 1$ was treated in an earlier paper of Erdős-Ramírez-Schlein-Yau, while the case where t is comparable to 1 was treated by Johansson.)\n2. (Matching) Every Wigner matrix with suitable smoothness conditions can be “matched” with an Ornstein-Uhlenbeck-evolved matrix, in the sense that the eigenvalue statistics for the two matrices are asymptotically identical. (This is relatively easy due to the fact that",
null,
"$\\delta$ can be taken arbitrarily close to zero.)\n3. Combining 1. and 2. one obtains universality for all Wigner matrices obeying suitable smoothness conditions.\n\nThe arguments in the paper of Van and myself can be summarised as follows:\n\n1. (Structured case) The universality conjecture is true for Johansson matrices, by the paper of Johansson.\n2. (Matching) Every Wigner matrix with some moment and support conditions can be “matched” with a Johansson matrix, in the sense that the first four moments of the entries agree, and hence (by the Lindeberg strategy in our paper) have asymptotically identical statistics.\n3. Combining 1. and 2. one obtains universality for all Wigner matrices obtaining suitable moment and support conditions.\n\nWhat we realised is by combining the hard part 1. of the paper of Erdős-Ramírez-Schlein-Yau with the hard part 2. of the paper of Van and myself, we can remove all regularity, moment, and support conditions. Roughly speaking, the unified argument proceeds as follows:\n\n1. (Structured case) By the arguments of Erdős-Ramírez-Schlein-Yau, the universality conjecture is true for Ornstein-Uhlenbeck-evolved matrices with",
null,
"$t = n^{-1+\\delta}$ for any",
null,
"$0 < \\delta \\leq 1$.\n2. (Matching) Every Wigner matrix",
null,
"$H$ can be “matched” with an Ornstein-Uhlenbeck-evolved matrix",
null,
"$e^{-t/2} H + (1-e^{-t})^{1/2} V$ for",
null,
"$t= n^{-1+0.01}$ (say), in the sense that the first four moments of the entries almost agree, which is enough (by the arguments of Van and myself) to show that these two matrices have asymptotically identical statistics on the average.\n3. Combining 1. and 2. one obtains universality for the averaged statistics for all Wigner matrices.\n\nThe averaging should be removable, but this would require better convergence results to the semicircular law than are currently known (except with additional hypotheses, such as vanishing third moment). The subexponential decay should also be relaxed to a condition of finiteness for some fixed moment",
null,
"${\\Bbb E} |x|^C$, but we did not pursue this direction in order to keep the paper short.",
null,
"Terence Tao on The Mobius function is strongl…",
null,
"Lionel on The Mobius function is strongl…",
null,
"Pedro Bizarro on Almost all Collatz orbits atta…",
null,
"Gastón Fernando Muri… on The Collatz conjecture, Little…",
null,
"Affine Restriction e… on Open question: the Mahler conj…",
null,
"K on Some recent papers",
null,
"K on Some recent papers",
null,
"Milad Kiaee Darunkol… on Eigenvectors from Eigenvalues:…",
null,
"Henning on Eigenvectors from eigenvalues Why I Keep a Researc… on Write down what you’ve… Why I Keep a Researc… on Write down what you’ve…",
null,
"sam on Analysis I",
null,
"David Fry on Some recent papers",
null,
"Lukasz on The “no self-defeating o…",
null,
"Leo on Quantitative bounds for critic…"
] | [
null,
"https://s0.wp.com/latex.php",
null,
"https://s0.wp.com/latex.php",
null,
"https://s0.wp.com/latex.php",
null,
"https://s0.wp.com/latex.php",
null,
"https://s0.wp.com/latex.php",
null,
"https://s0.wp.com/latex.php",
null,
"https://s0.wp.com/latex.php",
null,
"https://s0.wp.com/latex.php",
null,
"https://s0.wp.com/latex.php",
null,
"https://s0.wp.com/latex.php",
null,
"https://s0.wp.com/latex.php",
null,
"https://s0.wp.com/latex.php",
null,
"https://s0.wp.com/latex.php",
null,
"https://s0.wp.com/latex.php",
null,
"https://s0.wp.com/latex.php",
null,
"https://s0.wp.com/latex.php",
null,
"https://s0.wp.com/latex.php",
null,
"https://s0.wp.com/latex.php",
null,
"https://s0.wp.com/latex.php",
null,
"https://0.gravatar.com/avatar/3c795880f3b73784a9b75fbff3772701",
null,
"https://1.gravatar.com/avatar/1d9878c1ea0af27d8b7fbe9738c1e523",
null,
"https://0.gravatar.com/avatar/39d6ad0f7e39cf30e49e9fc5e5ea6738",
null,
"https://0.gravatar.com/avatar/6b38b014577bfce94e432f7231950431",
null,
"https://secure.gravatar.com/blavatar/3233fb6116fa4e294c554ce14638ed38",
null,
"https://1.gravatar.com/avatar/4cd3aae30d052110ed95943cd4bd40e7",
null,
"https://1.gravatar.com/avatar/4cd3aae30d052110ed95943cd4bd40e7",
null,
"https://lh3.googleusercontent.com/a-/AAuE7mBm7ybOPfDUqls3Pf2fuxQkjrAF3GfBgTJIiFhH",
null,
"https://1.gravatar.com/avatar/1dac12382571fe143d0bdb4d8e5b7157",
null,
"https://1.gravatar.com/avatar/d0fb8812a39c4758f819c71592b67c85",
null,
"https://0.gravatar.com/avatar/94a4387f36bca5da5e53e00635bc4575",
null,
"https://2.gravatar.com/avatar/59ffa537c2fb69718c8c30a332b80c82",
null,
"https://0.gravatar.com/avatar/",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.9137525,"math_prob":0.9258742,"size":5915,"snap":"2019-51-2020-05","text_gpt3_token_len":1282,"char_repetition_ratio":0.12451362,"word_repetition_ratio":0.098146126,"special_character_ratio":0.19323753,"punctuation_ratio":0.09624639,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.98899686,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20,21,22,23,24,25,26,27,28,29,30,31,32,33,34,35,36,37,38,39,40,41,42,43,44,45,46,47,48,49,50,51,52,53,54,55,56,57,58,59,60,61,62,63,64],"im_url_duplicate_count":[null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,9,null,null,null,null,null,null,null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2020-01-19T03:13:35Z\",\"WARC-Record-ID\":\"<urn:uuid:37e4384b-0e4e-404e-8727-1f64ca0c8493>\",\"Content-Length\":\"123405\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:8c644470-d18b-4a9e-a54c-259b359484d2>\",\"WARC-Concurrent-To\":\"<urn:uuid:a187d2fd-c7e3-4f98-86cc-9e518375bcbf>\",\"WARC-IP-Address\":\"192.0.78.12\",\"WARC-Target-URI\":\"https://terrytao.wordpress.com/tag/horng-tzer-yau/\",\"WARC-Payload-Digest\":\"sha1:7RACFAAAHMA7QCHVAVZ5NU2RV5WZX2A2\",\"WARC-Block-Digest\":\"sha1:GBMTHP7MROIEMID4WX5HBDZQODL7EBXL\",\"WARC-Identified-Payload-Type\":\"application/xhtml+xml\",\"warc_filename\":\"/cc_download/warc_2020/CC-MAIN-2020-05/CC-MAIN-2020-05_segments_1579250594101.10_warc_CC-MAIN-20200119010920-20200119034920-00247.warc.gz\"}"} |
http://gpbib.cs.ucl.ac.uk/gp-html/Al-Helali_2020_EuroGP.html | [
"# Hessian Complexity Measure for Genetic Programming-based Imputation Predictor Selection in Symbolic Regression with Incomplete Data\n\nCreated by W.Langdon from gp-bibliography.bib Revision:1.7428\n\n@InProceedings{Al-Helali:2020:EuroGP,\n• author = \"Baligh Al-Helali and Qi Chen and Bing Xue and Mengjie Zhang\",\n• title = \"Hessian Complexity Measure for Genetic Programming-based Imputation Predictor Selection in Symbolic Regression with Incomplete Data\",\n• booktitle = \"EuroGP 2020: Proceedings of the 23rd European Conference on Genetic Programming\",\n• year = \"2020\",\n• month = \"15-17 \" # apr,\n• editor = \"Ting Hu and Nuno Lourenco and Eric Medvet\",\n• series = \"LNCS\",\n• volume = \"12101\",\n• publisher = \"Springer Verlag\",\n• pages = \"1--17\",\n• organisation = \"EvoStar, Species\",\n• keywords = \"genetic algorithms, genetic programming, Symbolic regression, Incomplete data, Feature selection, Imputation, Model complexity\",\n• isbn13 = \"978-3-030-44093-0\",\n• video_url = \"",
null,
"https://www.youtube.com/watch?v=zeZvFJElkBM\",\n• DOI = \"",
null,
"doi:10.1007/978-3-030-44094-7_1\",\n• abstract = \"Missing values bring several challenges when learning from real-world data sets. Imputation is a widely adopted approach to estimating missing values. However, it has not been adequately investigated in symbolic regression. When imputing the missing values in an incomplete feature, the other features that are used in the prediction process are called imputation predictors. In this work, a method for imputation predictor selection using regularized genetic programming (GP) models is presented for symbolic regression tasks on incomplete data. A complexity measure based on the Hessian matrix of the phenotype of the evolving models is proposed. It is employed as a regularizer in the fitness function of GP for model selection and the imputation predictors are selected from the selected models. In addition to the baseline which uses all the available predictors, the proposed selection method is compared with two GP-based feature selection variations: the standard GP feature selector and GP with feature selection pressure. The trends in the results reveal that in most cases, using the predictors selected by regularized GP models could achieve a considerable reduction in the imputation error and improve the symbolic regression performance as well.\",\n• notes = \"fitness = error + lamda * complexity. (Lamda fixed linear weighting)\n\nModel complexity based on second order partial derivaties (not tree size). Form n by n Hessian matrix, where n is number of inputs (terminal set size). Each element is 2nd order partial dertivative of GP tree with respect to input i and input j. Hessian is symetric matrix. Matrix C is Hessian with all constant terms set to zero.\n\nComplexity = determinant of C divided by the determinant of H. (calculated with python package SymPy). Division replaced by analytic quotiant \\cite{Ni:2012:ieeeTEC}.\n\nData missing at random.\n\nFive OpenML benchmarks. Compare python DEAP with Linear Regression, PMM, KNN (R package Simpulation).\n\nhttp://www.evostar.org/2020/cfp_eurogp.php Part of \\cite{Hu:2020:GP} EuroGP'2020 held in conjunction with EvoCOP2020, EvoMusArt2020 and EvoApplications2020\",\n\n}\n\nGenetic Programming entries for Baligh Al-Helali Qi Chen Bing Xue Mengjie Zhang"
] | [
null,
"http://gpbib.cs.ucl.ac.uk/otr.gif",
null,
"http://gpbib.cs.ucl.ac.uk/doi.gif",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.8231189,"math_prob":0.837372,"size":3316,"snap":"2023-40-2023-50","text_gpt3_token_len":833,"char_repetition_ratio":0.11654589,"word_repetition_ratio":0.037894737,"special_character_ratio":0.23642944,"punctuation_ratio":0.14132379,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.95144475,"pos_list":[0,1,2,3,4],"im_url_duplicate_count":[null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-12-10T23:55:18Z\",\"WARC-Record-ID\":\"<urn:uuid:012fab7f-f6bb-4bb3-802c-53c829f26dce>\",\"Content-Length\":\"6605\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:91240bd4-e57c-4d02-86a0-ab1d2b322c5a>\",\"WARC-Concurrent-To\":\"<urn:uuid:8e79feea-7392-42ea-b446-4da27e4efae3>\",\"WARC-IP-Address\":\"128.16.10.155\",\"WARC-Target-URI\":\"http://gpbib.cs.ucl.ac.uk/gp-html/Al-Helali_2020_EuroGP.html\",\"WARC-Payload-Digest\":\"sha1:ASLZQESCRGBJGB6WPJ5EUVO4F66H5QY3\",\"WARC-Block-Digest\":\"sha1:U6QGDYZULOCTITKY4J4OB6JU753QXUT2\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-50/CC-MAIN-2023-50_segments_1700679102697.89_warc_CC-MAIN-20231210221943-20231211011943-00700.warc.gz\"}"} |
https://studyandanswers.com/mathematics/question12832038 | [
"",
null,
", 22.06.2019 21:10 harodkdc7910",
null,
"",
null,
"1. y=32. x=-13. n=-40",
null,
"",
null,
"",
null,
"sup\n\nstep-by-step explanation:",
null,
"example 2 – simplify: step 1: completely factor both the numerators and denominators of all fractions. step 2: change the division sign to a multiplication sign and flip (or reciprocate) the fraction after the division sign; essential you need to multiply by the reciprocal. step 3 : cancel or reduce the fractions.",
null,
"",
null,
"",
null,
"### Other questions on the subject: Mathematics",
null,
"Mathematics, 21.06.2019 18:30, sidney2602\nConsider the function f(x)=-5x+3 what is f(-2)",
null,
"Mathematics, 21.06.2019 19:00, libi052207\nUse the quadratic formula to solve the equation. if necessary, round to the nearest hundredth. x^2 - 8 = -6x a. –7.12, 1.12 b. 7.12, –1.12 c. 7.12, 1.12 d. –7.12, –1.12",
null,
"Mathematics, 21.06.2019 23:40, alyxkellar06\nFrom the top of a tree a bird looks down on a field mouse at an angle of depression of 50°. if the field mouse is 40 meters from the base of the tree, find the vertical distance from the ground to the bird's eyes.",
null,
"Mathematics, 22.06.2019 01:20, lovelyheart5337\nHow many square feet of outdoor carpet will we need for this whole? \n...\n\n### Questions in other subjects:",
null,
"",
null,
"",
null,
"",
null,
"",
null,
"",
null,
"",
null,
"",
null,
"",
null,
"",
null,
"Questions on the website: 13570179"
] | [
null,
"https://studyandanswers.com/tpl/images/cats/mat.png",
null,
"https://studyandanswers.com/tpl/images/05/02/Vt5tlgHI34fb9nVC.jpg",
null,
"https://studyandanswers.com/tpl/images/cats/User.png",
null,
"https://studyandanswers.com/tpl/images/cats/User.png",
null,
"https://studyandanswers.com/tpl/images/05/01/cFP46bqkwl9Pv02I.jpg",
null,
"https://studyandanswers.com/tpl/images/cats/User.png",
null,
"https://studyandanswers.com/tpl/images/cats/User.png",
null,
"https://studyandanswers.com/tpl/images/02/02/AlJV7rLBOnpt5mM9.jpg",
null,
"https://studyandanswers.com/tpl/images/ask_question.png",
null,
"https://studyandanswers.com/tpl/images/ask_question_mob.png",
null,
"https://studyandanswers.com/tpl/images/cats/mat.png",
null,
"https://studyandanswers.com/tpl/images/cats/mat.png",
null,
"https://studyandanswers.com/tpl/images/cats/mat.png",
null,
"https://studyandanswers.com/tpl/images/cats/mat.png",
null,
"https://studyandanswers.com/tpl/images/cats/en.png",
null,
"https://studyandanswers.com/tpl/images/cats/mir.png",
null,
"https://studyandanswers.com/tpl/images/cats/biologiya.png",
null,
"https://studyandanswers.com/tpl/images/cats/istoriya.png",
null,
"https://studyandanswers.com/tpl/images/cats/mat.png",
null,
"https://studyandanswers.com/tpl/images/cats/istoriya.png",
null,
"https://studyandanswers.com/tpl/images/cats/mat.png",
null,
"https://studyandanswers.com/tpl/images/cats/istoriya.png",
null,
"https://studyandanswers.com/tpl/images/cats/mat.png",
null,
"https://studyandanswers.com/tpl/images/cats/en.png",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.7739435,"math_prob":0.9715146,"size":1421,"snap":"2021-31-2021-39","text_gpt3_token_len":469,"char_repetition_ratio":0.14043754,"word_repetition_ratio":0.027027028,"special_character_ratio":0.36593947,"punctuation_ratio":0.24431819,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9895938,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20,21,22,23,24,25,26,27,28,29,30,31,32,33,34,35,36,37,38,39,40,41,42,43,44,45,46,47,48],"im_url_duplicate_count":[null,null,null,1,null,null,null,null,null,1,null,null,null,null,null,1,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-07-30T11:05:00Z\",\"WARC-Record-ID\":\"<urn:uuid:ec8be38d-9495-4273-abf5-f627e27ba655>\",\"Content-Length\":\"63928\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:91d85da3-4dae-40cf-8313-8112b47fd1e9>\",\"WARC-Concurrent-To\":\"<urn:uuid:1d595772-124c-42e2-8404-c4e585d9067c>\",\"WARC-IP-Address\":\"104.21.9.228\",\"WARC-Target-URI\":\"https://studyandanswers.com/mathematics/question12832038\",\"WARC-Payload-Digest\":\"sha1:36ZIAOALMPGMNTESQNOTBLEZNFIISDIW\",\"WARC-Block-Digest\":\"sha1:R27TRIVRPPS6IGVU7RWL6G2M24LRRYW2\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-31/CC-MAIN-2021-31_segments_1627046153966.52_warc_CC-MAIN-20210730091645-20210730121645-00339.warc.gz\"}"} |
https://rs.figshare.com/collections/Supplementary_material_from_Cycle_index_polynomials_and_generalized_quantum_separability_tests_/6662923 | [
"# Supplementary material from \"Cycle index polynomials and generalized quantum separability tests\"\n\nPosted on 2023-05-24 - 18:24\nOne family of pure bipartite states use extendibility as their means of determining separability of the state. Here, we derive an exact expression of the acceptance probability of such a test as the extension of the state increases. We prove that the analytical form of this expression is given by the cycle index polynomial of the symmetric group Sk, which is itself related to the Bell polynomials. After doing so, we derive a family of quantum separability tests, each of which is generated by a finite group; for all such algorithms, we show that the acceptance probability is determined by the cycle index polynomial of the group. Finally, we produce and analyse explicit circuit constructions for these tests, showing that the tests corresponding to the symmetric and cyclic groups can be executed with O(k2) and O(klog (k)) controlled-SWAP gates, respectively, where k is the number of copies of the state being tested.\n\n## CITE THIS COLLECTION\n\nor\nSelect your citation style and then place your mouse over the citation text to select it.\n\n## Usage metrics",
null,
"## AUTHORS (3)",
null,
"",
null,
"",
null,
""
] | [
null,
"https://s3-eu-west-1.amazonaws.com/876az-branding-figshare/rs/5721_logo.png",
null,
"data:image/gif;base64,R0lGODlhAQABAAAAACH5BAEKAAEALAAAAAABAAEAAAICTAEAOw==",
null,
"data:image/gif;base64,R0lGODlhAQABAAAAACH5BAEKAAEALAAAAAABAAEAAAICTAEAOw==",
null,
"data:image/gif;base64,R0lGODlhAQABAAAAACH5BAEKAAEALAAAAAABAAEAAAICTAEAOw==",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.8680603,"math_prob":0.91234726,"size":1543,"snap":"2023-14-2023-23","text_gpt3_token_len":349,"char_repetition_ratio":0.11565952,"word_repetition_ratio":0.077922076,"special_character_ratio":0.213221,"punctuation_ratio":0.13494809,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.97972745,"pos_list":[0,1,2,3,4,5,6,7,8],"im_url_duplicate_count":[null,null,null,null,null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-05-28T18:58:37Z\",\"WARC-Record-ID\":\"<urn:uuid:e281ca1c-0d61-4951-a016-934e7e68c2db>\",\"Content-Length\":\"197533\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:9e3cfcec-3934-4b78-adf2-9611d021d438>\",\"WARC-Concurrent-To\":\"<urn:uuid:dcee0e80-ab25-4678-8757-3fdeef631a77>\",\"WARC-IP-Address\":\"54.171.10.88\",\"WARC-Target-URI\":\"https://rs.figshare.com/collections/Supplementary_material_from_Cycle_index_polynomials_and_generalized_quantum_separability_tests_/6662923\",\"WARC-Payload-Digest\":\"sha1:PMVE7LUC2TYNZ2UCEZH73J2D2EJMX3NT\",\"WARC-Block-Digest\":\"sha1:USWWHGZJV3EXC6WJLXDOUOO5GSVAE3O7\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-23/CC-MAIN-2023-23_segments_1685224644506.21_warc_CC-MAIN-20230528182446-20230528212446-00717.warc.gz\"}"} |
http://rheneas.eng.buffalo.edu/etomica/doc/Javadoc/core/etomica/potential/P2SoftSphericalTruncated.html | [
"etomica.potential\n\n## Class P2SoftSphericalTruncated\n\n• All Implemented Interfaces:\nIPotential, IPotentialAtomic, Potential2Soft, Potential2Spherical, PotentialSoft, PotentialTruncated\nDirect Known Subclasses:\nP2SoftSphericalTruncatedShifted\n\n```public class P2SoftSphericalTruncated\nextends Potential2SoftSpherical\nimplements PotentialTruncated```\nWraps a soft-spherical potential to apply a truncation to it. Energy and its derivatives are set to zero at a specified cutoff. (No accounting is made of the infinite force existing at the cutoff point). Lrc potential is based on integration of energy from cutoff to infinity, assuming no pair correlations beyond the cutoff.\n• ### Nested Class Summary\n\nNested Classes\nModifier and Type Class and Description\n`static class ` `P2SoftSphericalTruncated.P0Lrc`\nInner class that implements the long-range correction for this truncation scheme.\n• ### Field Summary\n\nFields\nModifier and Type Field and Description\n`protected boolean` `makeLrc`\n`protected Potential2SoftSpherical` `potential`\n`protected double` `r2Cutoff`\n`protected double` `rCutoff`\n• ### Fields inherited from class etomica.potential.Potential2SoftSpherical\n\n`boundary, dr, gradient`\n• ### Fields inherited from class etomica.potential.Potential\n\n`space`\n• ### Constructor Summary\n\nConstructors\nConstructor and Description\n```P2SoftSphericalTruncated(ISpace _space, Potential2SoftSpherical potential, double truncationRadius)```\n• ### Method Summary\n\nAll Methods\nModifier and Type Method and Description\n`double` `d2u(double r2)`\nReturns the 2nd derivative (r^2 d^2u/dr^2) of the wrapped potential if the separation is less than the cutoff value\n`double` `du(double r2)`\nReturns the derivative (r du/dr) of the wrapped potential if the separation is less than the cutoff value\n`boolean` `getMakeLrc()`\n`double` `getRange()`\n`double` `getTruncationRadius()`\nAccessor method for the radial cutoff distance.\n`Dimension` `getTruncationRadiusDimension()`\nReturns the dimension (length) of the radial cutoff distance.\n`Potential2SoftSpherical` `getWrappedPotential()`\nReturns the wrapped potential.\n`Potential0Lrc` `makeLrcPotential(IAtomType[] types)`\nReturns the zero-body potential that evaluates the contribution to the energy and its derivatives from pairs that are separated by a distance exceeding the truncation radius.\n`void` `setBox(IBox box)`\nInforms the potential of the box on which it acts.\n`void` `setMakeLrc(boolean newMakeLrc)`\n`void` `setTruncationRadius(double rCut)`\nMutator method for the radial cutoff distance.\n`double` `u(double r2)`\nReturns the energy of the wrapped potential if the separation is less than the cutoff value\n`double` `uInt(double rC)`\nReturns the value of uInt for the wrapped potential.\n• ### Methods inherited from class etomica.potential.Potential2SoftSpherical\n\n`energy, gradient, gradient, hyperVirial, integral, virial`\n• ### Methods inherited from class etomica.potential.Potential\n\n`nBody`\n• ### Methods inherited from class java.lang.Object\n\n`clone, equals, finalize, getClass, hashCode, notify, notifyAll, toString, wait, wait, wait`\n• ### Methods inherited from interface etomica.api.IPotentialAtomic\n\n`energy`\n• ### Methods inherited from interface etomica.api.IPotential\n\n`nBody`\n• ### Field Detail\n\n• #### rCutoff\n\n`protected double rCutoff`\n• #### r2Cutoff\n\n`protected double r2Cutoff`\n• #### makeLrc\n\n`protected boolean makeLrc`\n• #### potential\n\n`protected final Potential2SoftSpherical potential`\n• ### Constructor Detail\n\n• #### P2SoftSphericalTruncated\n\n```public P2SoftSphericalTruncated(ISpace _space,\nPotential2SoftSpherical potential,\n• ### Method Detail\n\n• #### getWrappedPotential\n\n`public Potential2SoftSpherical getWrappedPotential()`\nReturns the wrapped potential.\n• #### setBox\n\n`public void setBox(IBox box)`\nDescription copied from class: `Potential`\nInforms the potential of the box on which it acts. Typically this requires at least that it update the nearestImageTransformer of its coordinatePair (if it uses one), e.g.: cPair.setNearestImageTransformer(box.boundary());\nSpecified by:\n`setBox` in interface `IPotential`\nOverrides:\n`setBox` in class `Potential2SoftSpherical`\n• #### u\n\n`public double u(double r2)`\nReturns the energy of the wrapped potential if the separation is less than the cutoff value\nSpecified by:\n`u` in interface `Potential2Spherical`\nParameters:\n`r2` - the squared distance between the atoms\n• #### du\n\n`public double du(double r2)`\nReturns the derivative (r du/dr) of the wrapped potential if the separation is less than the cutoff value\nSpecified by:\n`du` in interface `Potential2Soft`\nSpecified by:\n`du` in class `Potential2SoftSpherical`\nParameters:\n`r2` - the squared distance between the atoms\n• #### d2u\n\n`public double d2u(double r2)`\nReturns the 2nd derivative (r^2 d^2u/dr^2) of the wrapped potential if the separation is less than the cutoff value\nSpecified by:\n`d2u` in class `Potential2SoftSpherical`\nParameters:\n`r2` - the squared distance between the atoms\n• #### uInt\n\n`public double uInt(double rC)`\nReturns the value of uInt for the wrapped potential.\nSpecified by:\n`uInt` in class `Potential2SoftSpherical`\n\n`public void setTruncationRadius(double rCut)`\nMutator method for the radial cutoff distance.\n\n`public double getTruncationRadius()`\nAccessor method for the radial cutoff distance.\n• #### getRange\n\n`public double getRange()`\nSpecified by:\n`getRange` in interface `IPotential`\nOverrides:\n`getRange` in class `Potential2SoftSpherical`\n\n`public Dimension getTruncationRadiusDimension()`\nReturns the dimension (length) of the radial cutoff distance.\n• #### makeLrcPotential\n\n`public Potential0Lrc makeLrcPotential(IAtomType[] types)`\nReturns the zero-body potential that evaluates the contribution to the energy and its derivatives from pairs that are separated by a distance exceeding the truncation radius.\nSpecified by:\n`makeLrcPotential` in interface `PotentialTruncated`\n• #### setMakeLrc\n\n`public void setMakeLrc(boolean newMakeLrc)`\n• #### getMakeLrc\n\n`public boolean getMakeLrc()`"
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.53760827,"math_prob":0.4567129,"size":3283,"snap":"2019-43-2019-47","text_gpt3_token_len":806,"char_repetition_ratio":0.20341568,"word_repetition_ratio":0.16216215,"special_character_ratio":0.18336888,"punctuation_ratio":0.0724299,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9566401,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2019-11-17T07:17:05Z\",\"WARC-Record-ID\":\"<urn:uuid:2569e0be-a16e-4759-8c50-ccf0aced99f6>\",\"Content-Length\":\"31747\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:76ebc385-46fe-4018-8515-36b0cc682044>\",\"WARC-Concurrent-To\":\"<urn:uuid:de2837c5-447b-4a3c-b2b5-455f115c6f0b>\",\"WARC-IP-Address\":\"128.205.21.5\",\"WARC-Target-URI\":\"http://rheneas.eng.buffalo.edu/etomica/doc/Javadoc/core/etomica/potential/P2SoftSphericalTruncated.html\",\"WARC-Payload-Digest\":\"sha1:6P2JERDEUCPG7QJZPOESA23NVPKJXID7\",\"WARC-Block-Digest\":\"sha1:5IGP3LZB4DYRY6NLD67RDYYWCHJD42OQ\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2019/CC-MAIN-2019-47/CC-MAIN-2019-47_segments_1573496668896.47_warc_CC-MAIN-20191117064703-20191117092703-00456.warc.gz\"}"} |
https://papers.nips.cc/paper/1994/hash/acf4b89d3d503d8252c9c4ba75ddbf6d-Abstract.html | [
"#### Authors\n\nKah Sung, Partha Niyogi\n\n#### Abstract\n\nWe develop a principled strategy to sample a function optimally for function approximation tasks within a Bayesian framework. Using ideas from optimal experiment design, we introduce an objective function (incorporating both bias and variance) to measure the de(cid:173) gree of approximation, and the potential utility of the data points towards optimizing this objective. We show how the general strat(cid:173) egy can be used to derive precise algorithms to select data for two cases: learning unit step functions and polynomial functions. In particular, we investigate whether such active algorithms can learn the target with fewer examples. We obtain theoretical and empir(cid:173) ical results to suggest that this is the case.\n\nINTRODUCTION AND MOTIVATION\n\n1 Learning from examples is a common supervised learning paradigm that hypothe(cid:173) sizes a target concept given a stream of training examples that describes the concept. In function approximation, example-based learning can be formulated as synthesiz(cid:173) ing an approximation function for data sampled from an unknown target function (Poggio and Girosi, 1990).\n\nActive learning describes a class of example-based learning paradigms that seeks out new training examples from specific regions of the input space, instead of passively accepting examples from some data generating source. By judiciously selecting ex-\n\n594\n\nKah Kay Sung, Parlha Niyogi\n\namples instead of allowing for possible random sampling, active learning techniques can conceivably have faster learning rates and better approximation results than passive learning methods.\n\nThis paper presents a Bayesian formulation for active learning within the function approximation framework. Specifically, here is the problem we want to address: Let Dn = {(Xi, Yi)li = 1, ... , n} be a set of n data points sampled from an unknown target function g, possibly in the presence of noise. Given an approximation func(cid:173) tion concept class, :F, where each f E :F has prior probability P;:-[J], one can use regularization techniques to approximate 9 from Dn (in the Bayes optimal sense) by means of a function 9 E:F. We want a strategy to determine at what input location one should sample the next data point, (XN+l, YN+d, in order to obtain the \"best\" possible Bayes optimal approximation of the unknown target function 9 with our concept class :F.\n\nThe data sampling problem consists of two parts:\n\n1) Defining what we mean by the \"best\" possible Bayes optimal ap(cid:173) proximation of an unknown target function. In this paper, we propose an optimality criterion for evaluating the \"goodness\" of a solution with respect to an unknown target function.\n\n2) Formalizing precisely the task of determining where in input space to sample the next data point. We express the above mentioned optimality criterion as a cost function to be minimized, and the task of choosing the next sample as one of minimizing the cost function with respect to the input space location of the next sample point.\n\nEarlier work (Cohn, 1991; MacKay, 1992) have tried to use similar optimal experi(cid:173) ment design (Fedorov, 1972) techniques to collect data that would provide maximum information about the target function. Our work differs from theirs in several re(cid:173) spects. First, we use a different, and perhaps more general, optimality criterion for evaluating solutions to an unknown target function, based on a measure of function uncertainty that incorporates both bias and variance components of the total output generalization error. In contrast, MacKay and Cohn use only variance components in model parameter space. Second, we address the important sample complexity question, i.e., does the active strategy require fewer examples to learn the target to the same degree of uncertainty? Our results are stated in PAC-style (Valiant, 1984). After completion of this work, we learnt that Sollich (1994) had also recently developed a similar formulation to ours. His analysis is conducted in a statistical physics framework.\n\nThe rest of the paper is organized as follows: Section 2, develops our active sampling paradigm. In Sections 3 and 4, we consider two classes offunctions for which active strategies are obtained, and investigate their performance both theoretically and empirically.\n\n2 THE MATHEMATICAL FRAMEWORK In order to optimally select examples for a learning task, one should first have a clear notion of what an \"ideal\" learning goal is for the task. We can then measure an example's utility in terms of how well the example helps the learner achieve the\n\nActive Learning for Function Approximation\n\n595\n\ngoal, and devise an active sampling strategy that selects examples with maximum potential utility. In this section, we propose one such learning goal - to find an approximation function g E :F that \"best\" estimates the unknown target function g. We then derive an example utility cost function for the goal and finally present a general procedure for selecting examples.\n\n2.1 EVALUATING A SOLUTION TO AN UNKNOWN TARGET - THE EXPECTED INTEGRATED SQUARED DIFFERENCE\n\nLet 9 be the target function that we want to estimate by means of an approximation function 9 E :F. If the target function 9 were known, then one natural measure of how well (or badly) g approximates 9 would be the Integrated Squared Difference (ISD) of the two functions:"
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.8817819,"math_prob":0.9584326,"size":5465,"snap":"2022-27-2022-33","text_gpt3_token_len":1135,"char_repetition_ratio":0.15271929,"word_repetition_ratio":0.0070339977,"special_character_ratio":0.20256175,"punctuation_ratio":0.104887985,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9943057,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2022-07-04T03:49:39Z\",\"WARC-Record-ID\":\"<urn:uuid:68d2415b-1d92-41a1-957f-11ece519ef20>\",\"Content-Length\":\"13481\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:7780544b-8c33-49f6-ac53-3af51f5ff2ea>\",\"WARC-Concurrent-To\":\"<urn:uuid:3e967f8a-0c11-4efb-84ea-0ad4e9b8a82a>\",\"WARC-IP-Address\":\"198.202.70.94\",\"WARC-Target-URI\":\"https://papers.nips.cc/paper/1994/hash/acf4b89d3d503d8252c9c4ba75ddbf6d-Abstract.html\",\"WARC-Payload-Digest\":\"sha1:CATYGOZKUD7FOIWEEI7E46BUOCQPWWJ6\",\"WARC-Block-Digest\":\"sha1:WNBS22VFWIJ73P2GIO6JOMB226CYAKQA\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2022/CC-MAIN-2022-27/CC-MAIN-2022-27_segments_1656104293758.72_warc_CC-MAIN-20220704015700-20220704045700-00467.warc.gz\"}"} |
http://electsylviahammond.com/math-games-jump/ | [
"## Math Games Jump",
null,
"math games jump printable kindergarten math games elegant it s a match printable math worksheet kindergarten.",
null,
"math games jump number sense math daily math reviews important math concepts each sheet reviews a variety of number.",
null,
"math games jump chess knight moves math knight movement o recall that knights move math games for kids.",
null,
"math games jump penguin jump math mixed practice games multiplication facts cool game.",
null,
"math games jump junior high school math worksheets fresh best fun maths work inspirational inspiration grade games.",
null,
"math games jump summer math stories use the season of summer to inspire fun math stories and word problems for your child for example if there are in one.",
null,
"math games jump fun math games jump monkey run 4.",
null,
"math games jump frog games for toddlers frog jump a math measurement and gross motor and activity for preschool.",
null,
"math games jump funny simple riddles math math games for grade 6.",
null,
"math games jump.",
null,
"math games jump cave run multiplication.",
null,
"math games jump jump math geometry 1 grade practice test us and international curriculum learning resources from.",
null,
"math games jump jump numbers math app for kids our cool free app of the week.",
null,
"math games jump bump jump subtraction fun easy differentiated math games.",
null,
"math games jump penguins math angry penguins transformations century math project penguins math game.",
null,
"math games jump hang ten game practices jump to strategy for subtraction click to enlarge.",
null,
"math games jump ma small jump play math grades 1 6 secret math grade 3 genuine books.",
null,
"math games jump adjectives for school math search form jump photo education world math math games for grade.",
null,
"math games jump digital games 1 year subscription math games language games for any grade.",
null,
"math games jump some families might not like the magical aspects in the game there are also battles that some families might find to be unnecessary.",
null,
"math games jump math game.",
null,
"math games jump how fast can penguins swim penguin jump cool math games game maths app.",
null,
"math games jump puddle jump numbers game great active math game and fun activity for mental maths.",
null,
"math games jump the jump 2 math program also provided the school with access to its website which is filled with more ideas to combine engaging math games into the schools.",
null,
"math games jump printable."
] | [
null,
"http://electsylviahammond.com/wp-content/uploads/2019/03/math-games-jump-printable-kindergarten-math-games-elegant-it-s-a-match-printable-math-worksheet-kindergarten.jpg",
null,
"http://electsylviahammond.com/wp-content/uploads/2019/03/math-games-jump-number-sense-math-daily-math-reviews-important-math-concepts-each-sheet-reviews-a-variety-of-number.jpg",
null,
"http://electsylviahammond.com/wp-content/uploads/2019/03/math-games-jump-chess-knight-moves-math-knight-movement-o-recall-that-knights-move-math-games-for-kids.jpg",
null,
"http://electsylviahammond.com/wp-content/uploads/2019/03/math-games-jump-penguin-jump-math-mixed-practice-games-multiplication-facts-cool-game.jpg",
null,
"http://electsylviahammond.com/wp-content/uploads/2019/03/math-games-jump-junior-high-school-math-worksheets-fresh-best-fun-maths-work-inspirational-inspiration-grade-games.jpg",
null,
"http://electsylviahammond.com/wp-content/uploads/2019/03/math-games-jump-summer-math-stories-use-the-season-of-summer-to-inspire-fun-math-stories-and-word-problems-for-your-child-for-example-if-there-are-in-one.jpg",
null,
"http://electsylviahammond.com/wp-content/uploads/2019/03/math-games-jump-fun-math-games-jump-monkey-run-4.jpg",
null,
"http://electsylviahammond.com/wp-content/uploads/2019/03/math-games-jump-frog-games-for-toddlers-frog-jump-a-math-measurement-and-gross-motor-and-activity-for-preschool.jpg",
null,
"http://electsylviahammond.com/wp-content/uploads/2019/03/math-games-jump-funny-simple-riddles-math-math-games-for-grade-6.jpg",
null,
"http://electsylviahammond.com/wp-content/uploads/2019/03/math-games-jump.jpg",
null,
"http://electsylviahammond.com/wp-content/uploads/2019/03/math-games-jump-cave-run-multiplication.jpg",
null,
"http://electsylviahammond.com/wp-content/uploads/2019/03/math-games-jump-jump-math-geometry-1-grade-practice-test-us-and-international-curriculum-learning-resources-from.jpg",
null,
"http://electsylviahammond.com/wp-content/uploads/2019/03/math-games-jump-jump-numbers-math-app-for-kids-our-cool-free-app-of-the-week.jpg",
null,
"http://electsylviahammond.com/wp-content/uploads/2019/03/math-games-jump-bump-jump-subtraction-fun-easy-differentiated-math-games.jpg",
null,
"http://electsylviahammond.com/wp-content/uploads/2019/03/math-games-jump-penguins-math-angry-penguins-transformations-century-math-project-penguins-math-game.jpg",
null,
"http://electsylviahammond.com/wp-content/uploads/2019/03/math-games-jump-hang-ten-game-practices-jump-to-strategy-for-subtraction-click-to-enlarge.jpg",
null,
"http://electsylviahammond.com/wp-content/uploads/2019/03/math-games-jump-ma-small-jump-play-math-grades-1-6-secret-math-grade-3-genuine-books.jpg",
null,
"http://electsylviahammond.com/wp-content/uploads/2019/03/math-games-jump-adjectives-for-school-math-search-form-jump-photo-education-world-math-math-games-for-grade.jpg",
null,
"http://electsylviahammond.com/wp-content/uploads/2019/03/math-games-jump-digital-games-1-year-subscription-math-games-language-games-for-any-grade.jpg",
null,
"http://electsylviahammond.com/wp-content/uploads/2019/03/math-games-jump-some-families-might-not-like-the-magical-aspects-in-the-game-there-are-also-battles-that-some-families-might-find-to-be-unnecessary.jpg",
null,
"http://electsylviahammond.com/wp-content/uploads/2019/03/math-games-jump-math-game.jpg",
null,
"http://electsylviahammond.com/wp-content/uploads/2019/03/math-games-jump-how-fast-can-penguins-swim-penguin-jump-cool-math-games-game-maths-app.jpg",
null,
"http://electsylviahammond.com/wp-content/uploads/2019/03/math-games-jump-puddle-jump-numbers-game-great-active-math-game-and-fun-activity-for-mental-maths.jpg",
null,
"http://electsylviahammond.com/wp-content/uploads/2019/03/math-games-jump-the-jump-2-math-program-also-provided-the-school-with-access-to-its-website-which-is-filled-with-more-ideas-to-combine-engaging-math-games-into-the-schools.jpg",
null,
"http://electsylviahammond.com/wp-content/uploads/2019/03/math-games-jump-printable.jpg",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.81775266,"math_prob":0.8529449,"size":2299,"snap":"2019-51-2020-05","text_gpt3_token_len":430,"char_repetition_ratio":0.28976035,"word_repetition_ratio":0.005221932,"special_character_ratio":0.18225315,"punctuation_ratio":0.06067961,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.99374217,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20,21,22,23,24,25,26,27,28,29,30,31,32,33,34,35,36,37,38,39,40,41,42,43,44,45,46,47,48,49,50],"im_url_duplicate_count":[null,1,null,1,null,1,null,1,null,1,null,1,null,1,null,1,null,1,null,1,null,1,null,1,null,1,null,1,null,1,null,1,null,1,null,1,null,1,null,1,null,1,null,1,null,1,null,1,null,1,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2020-01-19T14:00:48Z\",\"WARC-Record-ID\":\"<urn:uuid:ff448a2a-b28d-4755-9297-aac56d8519b3>\",\"Content-Length\":\"42112\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:5138e22c-9eeb-4696-9373-029b0785c897>\",\"WARC-Concurrent-To\":\"<urn:uuid:b43d05f9-1d0d-4370-acae-73bfbef704c1>\",\"WARC-IP-Address\":\"104.24.117.162\",\"WARC-Target-URI\":\"http://electsylviahammond.com/math-games-jump/\",\"WARC-Payload-Digest\":\"sha1:VGXJJMB74TP2V3XQJQPMN3KCVDA34KC2\",\"WARC-Block-Digest\":\"sha1:O4AXGJCRTJ67AJL6TOTBRJVFWM4WDF77\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2020/CC-MAIN-2020-05/CC-MAIN-2020-05_segments_1579250594603.8_warc_CC-MAIN-20200119122744-20200119150744-00198.warc.gz\"}"} |
http://nagaresidence.com/nm9ghswe/b909cd-is-greenfield-lake-open | [
"",
null,
"",
null,
"Conforms with ANSI/ASQC B1, B2, B3 1996 where X is the overall average, nsl is the number of sigma limits (default is 3), n is the subgroup size, and s is the estimate of sigma. Halfway along the sequence in Fig. One point equals 1/72 inch. We found that for an in-control process, the c g-Chart is superior for low level of meanat all level of proportion zero. a - Make the whole chart (including backgrounds) transparent. This engineering data is often used in the design of structural beams or structural flexural members. They elected Ronald Reagan in 1980 who had a controversial plan for fixing the U.S. economy, later Computers can only understand numbers, so an ASCII code is the numerical representation of a character such as 'a' or '@' or an action of some sort. The c chart can also be used for the number of defects in a fixed number of items. At Yahoo Finance, you get free stock quotes, up-to-date news, portfolio management resources, international market data, social interaction and mortgage rates that help you manage your financial life. » c Chart Formula. The column and row indices of Z are the x and y coordinates in the plane, respectively. SA Breaking News. The following example demonstrates GetNumericValue. where nsl = number of sigma limits, s = estimate of sigma from the average moving range, and d2 and d3 are control chart constants set for a subgroup size of 2. where nsl is the number of sigma limits (default is 3), and s is the estimate of the sigma from the calculated standard deviation. z Values: the z values for a given product; the following equation is the i th z value for product j, X i the i th value for product j, σ j is the estimated sigma for the product (based on the moving range of 2), Nominal j is the nominal value for product j (can also use the average of product j); plotted on the z chart. What is. This may be useful when simple process adjustments can consistently move the process mean, but in general, this makes it more challenging to judge whether a process is fully out of control or merely off-target (but otherwise in control). Note: if the fast initial response option is not selected, SH0 = SL0 = 0. Helpful 0 Not Helpful 0. It gives the probability of a normal random variable not being more than z standard deviations above its mean. 10% of this range is 10.0. Price to Book Value: 5.758 Other: Beta (5Y) Upgrade: Debt to Equity Ratio: 0.0653 Free Cash Flow (Quarterly) 11.60B Return on Equity: Upgrade: View All GOOG News News. Please refer to those calculations. the c chart, data probably will be non-normally distributed. Description . It will be a dynamic chart because the data will be passed to the chart through an external .ocx file. cᵢ = number of nonconformities found. Creating C chart using Minitab. Note: the moving average/moving range (MA/MR) chart calculations are the same as given for the subgroup averages charts above. If the sample size changes, use a u-chart. Copyright © 2020 BPI Consulting, LLC. Advertisement. And when we display that value using %c text format, the entered character is displayed. If you're seeing this message, it means we're having trouble loading external resources on our website. Continuous data is essentially a measurement such as length, amount of time, temperature, or amount of money.Discrete data, also sometimes called attribute data, provides a count of how many times something specific occurred, or of how many times something fit in a certain category.For example, the number of complaints received from customers is one type of discrete data. Average Range: the average range for a subgroup depends on the subgroup size using the following equation: where d2 is the control chart constant based on the subgroup size (ni) and s is the estimate of the sigma. Individual Charts (X-mR, X, mR, z-mR, Levey-Jennings, Run). The calculations are divided up as follows: Subgroup Charts (X-R, X-s, X, R, s, Median-R, Median). Reply. Create two surface plots, and add a z-axis label to the second plot by specifying ax2 as the first input argument to zlabel. Student t-Value Calculator. If the sample size changes, use a p-chart. predict individual values. (Hérité de Control) IsAccessible: Obtient ou définit une valeur indiquant si le contrôle est visible pour les applications d'accessibilité. Add a Solution. Now, let's see how we can print the ASCII value of characters in C programming. For research, homework, or an … Converts the specified numeric Unicode character to a double-precision floating point number. ValueToPosition(Double) Converts an axis value to its relative position (0-100%). Two Examples of c Chart data: It's Easy to Draw a c Chart in Excel Using QI Macros. More about control charts. Process Sigma: if the subgroup size is 1, sigma is estimated from the moving range for n = 2 (see above); if the subgroup size is greater than 1, sigma is estimated as the pooled variance (see above). The opportunity for errors is large but the actual occurences are low. When calculating the first sample interval at $$Z_i$$, there is no value for $$Z_{i-1}$$. Top Previous Next . 1 log 10) reduction in the D-value. Not supported for map charts. As the output from the example shows, the GetNumericValue(String, Int32) method returns the correct numeric value if it is passed the high surrogate of an Aegean number. For the P chart, the value for P can be entered directly or estimated from the data, or a sub-set of the data. Values of z of particular importance: z A(z… How do i pull the data into the code you have here? Excel has “Sort A to Z” and “Sort Z to A” features that let you sort values alphabetically or numerically, and a “Custom Sort” feature that lets you sort using multiple criteria. Subgroup size usually refers to the area being examined. Control Chart Wizard – c-Chart: Control charts dealing with the number of defects or nonconformities are called c charts (for count). The c parameter must be the Char representation of a numeric value. All are plotted using computer-generated random numbers from a Normal distribution. Headline. As the output from the example shows, the GetNumericValue(Char) method returns -1 if it is passed either a high surrogate or a low surrogate of this character. X Values: the individual values; plotted on the X chart, Levey-Jennings chart, and run chart. Gets a value indicating whether the caller must call an invoke method when making method calls to the control because the caller is on a different thread than the one the control was created on. where nsl is the number of sigma limits (default is 3), d2 and d3 are the control chart constants based on the subgroup size (n), and s is the estimate of sigma. x-value is 0 and whose rightmost x-value is 1/2 (which is only seen by drawing the figure!). Instead, an integer value (ASCII value) is stored. If you remember, the difference between a DEFECT and a DEFECTIVE is this. of nonconformities in sample of constant size • C=no. Center Line. If the subgroup size is 1, sigma is estimated from the moving range for n = 2 (see above); if the subgroup size is greater than 1, sigma is estimated as the pooled variance (see above). The name of each element (in brown) is accompanied by its chemical symbol (in red), as well as its atomic number Z and its most common (or most stable) mass number A. Here is the formula used to calculate a c Chart. Plotted statistic for the C Attribute Control Chart. tiledlayout(2,1) ax1 = nexttile; surf(ax1,peaks(30)) ax2 = nexttile; ... Font size, specified as a scalar value greater than 0 in point units. SPC for Excel is used in over 60 countries internationally. Only SPC results with c chart SPC Data Format specified will be displayed. All Rights Reserved. Sigma from Average Range (default option on all subgroups charts except X-s control chart): the following equation is used to estimate sigma: and ri is the range for the subgroup i, d2 and d3 are control chart constants that depend on subgroup size (ni). This method only works in paint events. Click here for a list of those countries. If you're behind a web filter, please make sure that the domains *.kastatic.org and *.kasandbox.org are unblocked. This will equal the average of the subgroup averages if the subgroup size does not vary. Area Moment of Inertia Section Properties of Tube/Pipe Feature Calculator and Equations. • The CL of this chart are based on poisson distribution. The derivation in equation requires knowing the population variance, $$\\sigma$$, and assuming that our target for $$x$$ is $$\\mu$$.The latter assumption is reasonable, but we will estimate a value for $$\\sigma$$ instead, using the data.. Let’s take a look at phase 1, the step where we are building the monitoring chart’s limits from historical data. Sigma from the Average Moving Range: the following equation is used to determine sigma, where mR is the average moving range and d2 is a control chart constant that depends on subgroup size (SPC for Excel uses n = 2 for the moving range). where \"df\", \"t-value\", and \"p-value\" are replaced by their measured values. For example, the Aegean numbering system consists of code points U+10107 through U+10133. Converts an axis value to an absolute coordinate along an axis. s Chart Control Limits: the upper control limit (UCLi) and the lower control limit (LCLi) for subgroup i are given by the following equations: where nsl is the number of sigma limits (default is 3), c4 and c5 are the control chart constants based on the subgroup size (ni), and s is the estimate of sigma. 19. Sigma: sigma (s) is estimated from the moving range for the X-mR, X, mR, and z-mR chart; the Levey-Jennings uses the calculated standard deviation; the run chart does not require an estimate of sigma. Helpful 0 Not Helpful 0. This integer value is the ASCII code of the character. where SHi = upper CUSUM for ith sample, SHi-1 = upper CUSUM of (i-1)th sample, Xi = ith sample result, T = target, K = difference to detect, σ = estimated standard deviation, ni = size of ith sample (note: X represents an individual sample results or a subgroup average). For example, the ASCII value of 'A' is 65. See figure above, right. The following example uses the ConvertFromUtf32 method to instantiate a string that represents AEGEAN NUMBER ONE. 13.1.6 show processes that are unstable in other ways. For example, if the data values go from 50.0 to 150.0, then the data range is 100.0. So typically for the first sample interval this value (usually referred to as $$\\mu_0$$) is assigned either a known process mean value, or the value of the mean for the current set of actual sample values. Thanks for the response, but what i want to do is show this value in a tooltip, for example, when the mouse is over that point. Here’s how to use them. TABLES OF P-VALUES FOR t-AND CHI-SQUARE REFERENCE DISTRIBUTIONS Walter W. Piegorsch Department of Statistics University of South Carolina Columbia, SC INTRODUCTION An important area of statistical practice involves determination of P-values when performing significance testing. Determine the variation in the Unicode standard are represented by two Char objects that form a surrogate pair size C=no! Z * for some given confidence level given for the entire chart for errors is large but the number... Use an np-chart and Y values from code behind to chart control asp.net. Draw a c chart data: it 's Easy to use Excel add-in can do it for you Gross! Including plotted values, usually good '' or bad '' out-of-control can... Be changed to about 50 the chart will read the data it been... The Graphics class built into the code you have available = subgroup average, =...: if the underlying data are not random variable not being more than z deviations!, using this chart are based on poisson distribution, -1.0 size not... 1 cm: process average for individuals charts is calculated from the individual.! Feature calculator and Equations passed the low surrogate in isolation and returns -1 data it has been given,... Converted to a single linguistic character and checks whether that character represents a number ; otherwise,.... Uses the ConvertFromUtf32 method to instantiate a string that represents each Aegean number one nonconformity and nonconforming...., z scores, p values, usually good '' or bad. It for you i want to set X-axis and Y-axis values from an sheet. In microbial thermal death time calculations for the control charts including plotted values, z scores, p,. Plane, respectively b ) the standard deviation was always the same as given for the given.. P-Value '' are replaced by their measured values plotted on the ''! Chart are based on poisson distribution character can be produced in the number of the... It means we 're having trouble loading external resources on our website the following example uses individual... How to act in various… and Lower control Limit ) where n = subgroup size used... S = S matrix Unicode character to a decimal digit can also be used the... Excel sheet large compared to the actual number of electrons orbiting the nucleus = number of defects e.g. Low surrogate, it means that the domains *.kastatic.org and *.kasandbox.org are unblocked process output that beyond! The control to the actual occurences are low for example, if c is z '', the numbering. Structural beams or structural flexural MEMBERS are plotted using computer-generated random numbers from a normal variable! Table and Description z '', and how to act in various… standard deviations above its mean google Action... The ith sample, x = overall average is always 0 a that. String representation of data to better understand and predict current and future data floating! In order to calculate the overall process average is always 0 value is below the average values …. C parameter must be the Char representation of a numeric value of ' a ' is 65 and... To chart control in asp.net c # to achieve a tenfold ( i.e ( b ) the normal! Represents each Aegean number going to design a dynamic chart using the Graphics class built the! Of charts considered from the average of the subgroup averages if the subgroup does. Are based on poisson distribution = S matrix where df '', the return is!, using this chart to make timely decisions can be found c-chart z value an otherwise acceptable ;. Of groups included in the output, if the underlying data are not other statistical topics table the... A sign of an unstable process given above for the subgroup size varies, difference. Createaccessibilityinstance ( ) when overridden in a derived class, returns the custom AccessibleObject for entire... Do n't know how data it has been given Equities Robotics & Innovative c..., homework, or an … in general, a selection of factory molds a... Free monthly publication featuring SPC techniques and other statistical topics in S is 5,... Xi = the ith sample, x, R, S, then... Of proportion zero and T = target like to add a spline chart with and. Chart is used with discrete/attribute DEFECT data when c-bar is greater than 5 you have?. A double-precision floating-point number superior for low level of meanat all level of proportion zero the... Of an unstable process electrons orbiting the nucleus ; » c chart formula c if that character can converted! Gratuitement au graphique en streaming de Belfius Equities Robotics & Innovative Technology c Eur Cap has a depth! Need to calculate the Student T value for any degrees of freedom and given.. Timely decisions can be produced in the design of structural beams or structural flexural MEMBERS bar solid fills ( charts! ( Upper and Lower control Limit ) where n = subgroup average x!: ASCII value ASCII table and Description Xm ): the overall average: the average! Scaled automatically for using c charts are used to determine the Section for... Row indices of z of particular importance: z a ( z… Need to calculate the overall average at in... From the average Run Length and average Coverage probability the fast initial response is! Graphics class built into the.NET framework what you have available, returns the custom AccessibleObject for control! Nafeesa - December 14, 2017 at 12:05 pm horizontal bar code please be for! Thermal death time calculations found that for an in-control process, the Aegean numbering system consists code. Really simple ( translation and scale ) positions in a constant subgroup does. Our FREE monthly publication featuring SPC techniques and other statistical topics that each sample by Central... A p-chart z… Need to calculate the overall average: the overall average is the number defects. To determine the Section modulus for the x and Y values from code behind to chart in... Easy to Draw a c chart SPC data Format specified will be passed to the actual number items! Beams or structural flexural MEMBERS when c-bar is greater than 5 VISHNU DAS 2 ( X-mR, =. Defect and DEFECTIVE, as there is a count of infrequent events, usually good or... Z a ( z… Need to calculate a c chart • to the. ( X-mR, x = subgroup size varies, the return value is 5 use d. The essential factor for using c charts determine the Section modulus for the subgroup size varies, the average.... Google Weighs Action in Search Against a Smaller Player behind a web filter, please make that! And wrong, and then Draw the chart will read the data in external. Means that the value is the target value or the overall average: this is the used. Is displayed print the ASCII code of the following example uses the ConvertFromUtf32 method to instantiate a string that each! Formula used to display the character the formula used to calculate control limits but n't... Charting proportions, p– and np-charts are useful ( e.g., compliance rates or process ). From an Excel sheet ASCII stands for American standard code for Information Interchange gratuitement au graphique en streaming de Equities! Average, S, and Run chart entered character is displayed the z-mR chart character can be to... Fills ( bar charts only ) beams or structural flexural MEMBERS are not let 's how... Read the data into the code you have available explained above, chart means rather than values! Subgroup size does not vary will read the data values go from to... ’ d like to have the Y-axis scaled automatically average: the cumulative sum on the high side... X = overall average is always 0 z is negative, it c-chart z value we 're having trouble loading resources. Z-Mr, Levey-Jennings chart, and T = target factory molds has a depth... The variation in the analysis converted to a double-precision floating point number Limit... When overridden in a string that represents Aegean number here to see what our say! Really simple ( translation and scale ) ( i.e all the individual sample results return value is -1.0 to. The S parameter must be the Char representation of data our FREE monthly publication SPC. Spc for Excel is used with discrete/attribute DEFECT data when the opportunity for errors is large compared the! Statistical process control • it involves monitoring the production process to detect prevent! Calculated from the average ) constant, use a c-chart Illustration with example and its interpretation Duration... Isolation and returns -1 be displayed position ( 0-100 % ) 10cm and a standard deviation always. Mean depth of 10cm and a DEFECTIVE is this this will equal average... A p-chart DEFECT and a standard deviation was always the same opportunity for defects points can be very because. Demo project - 45.3 Kb ; download demo project - 45.3 Kb ; download demo project - 45.3 Kb Introduction. ) and ( b ) the standard deviation of 1 cm calculate control but! You learn the z-score formula that for an in-control process, the Aegean numbering consists... Levey-Jennings chart, data probably will be passed to the front of the infrequent monthly subgrouping, except the! Their measured values the whole chart ( including backgrounds ) transparent CUSUM.. However, using this chart are based on poisson distribution on Understanding Alpha, p values critical... It for you is that each sample Limit ) where n = subgroup size = SL0 =,. Involves monitoring the production process to detect and prevent poor quality deviations above its mean the low surrogate in and."
] | [
null,
"http://www.nagaresidence.com/wp-content/uploads/2017/09/naga.png",
null,
"http://www.nagaresidence.com/wp-content/uploads/2017/09/naga.png",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.8546706,"math_prob":0.97525865,"size":20515,"snap":"2022-05-2022-21","text_gpt3_token_len":4538,"char_repetition_ratio":0.13451318,"word_repetition_ratio":0.12241972,"special_character_ratio":0.22471362,"punctuation_ratio":0.13631889,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.99310184,"pos_list":[0,1,2,3,4],"im_url_duplicate_count":[null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2022-01-24T07:20:58Z\",\"WARC-Record-ID\":\"<urn:uuid:1f01a761-4a26-4467-bc1f-a3168608bb2e>\",\"Content-Length\":\"63100\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:359695a4-3d36-43b2-b187-00db1b372e63>\",\"WARC-Concurrent-To\":\"<urn:uuid:8de12104-0b97-48cf-ac5f-fdbe864e0bf0>\",\"WARC-IP-Address\":\"178.128.85.109\",\"WARC-Target-URI\":\"http://nagaresidence.com/nm9ghswe/b909cd-is-greenfield-lake-open\",\"WARC-Payload-Digest\":\"sha1:YVVPEM6K7VSWVG6T7PZYXSO5VO7DPWX5\",\"WARC-Block-Digest\":\"sha1:CGPETCZKZALL4T2DMMDR2JQVZTWTYRXS\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2022/CC-MAIN-2022-05/CC-MAIN-2022-05_segments_1642320304515.74_warc_CC-MAIN-20220124054039-20220124084039-00446.warc.gz\"}"} |
https://learnpython.com/blog/work-with-calendar-and-arrow-python/ | [
"# How to Work With the Calendar and Arrow Python Modules\n\nDuring your journey as a developer or data scientist, you will have to work with dates and times. Fortunately, Python has several convenient libraries that make it easier.\n\nIn this article, we’ll quickly review the datetime module, then examine the calendar and Arrow modules in Python.\n\nAs a Python-using programmer, developer, data analyst, or data scientist, you’ll probably have to deal with date and time data quite often. Fortunately, Python’s `datetime`, `calendar`, and `arrow` libraries are available to streamline your tasks. Let’s see how they work, and then focus on using the calendar and Arrow libraries in particular.\n\n## How to Use Datetime in Python\n\nWe’ve already discussed the datetime module in this blog, so I will just do a quick review before moving to the calendar and arrow modules.\n\nThe `datetime` module offers types like date, time, `datetime`, and `timedelta`. It also lets you retrieve time zone information. For example:\n\n```# import\nimport datetime\n\n# get current date and time\ndatetime_now = datetime.datetime.now()\nprint(datetime_now)\n```\n\nOutput:\n\n`2021-07-28 15:10:08.773252`\n\nWe can also print dates as strings in different formats:\n\n```# Import\nfrom datetime import datetime\n\n# Set a date as a string\ndate = \"11/07/2021 10:25:32\"\n\n# Print date as dd/mm/yyyy format\ndate_obj1 = datetime.strptime(date, \"%d/%m/%Y %H:%M:%S\")\nprint(\"date and time =\", date_obj1)\n\n# Print date as mm/dd/yyyy format\ndate_obj2 = datetime.strptime(date, \"%m/%d/%Y %H:%M:%S\")\nprint(\"date and time =\", date_obj2)\n```\n\nOutput:\n\n```date and time = 11/07/2021 10:25:32\ndate and time = 11/07/2021 10:25:32\n```\n\nThe `strftime()` method lets you format time as a readable string. In the following example, we output the month in a readable format:\n\n```# Import\nimport datetime\n\n# Set a date\ndate = datetime.datetime(2018, 6, 1)\n\n# Print month in a readable format\nprint(date.strftime(\"%B\"))\n```\n\nResult:\n\n`June`\n\nThere’s a handy cheat sheet on `strftime()` here. Feel free to use it. Later, we will see a more efficient way to retrieve this information with the `arrow` module.\n\nThe `timedelta()` function lets you perform comparison operations and measure time duration:\n\n```# Import\nfrom datetime import datetime, timedelta\n\n# Using current time\ncurrent_time = datetime.now()\n\n# Print current time\nprint (\"Current time: \", str(current_time))\n\n# Calculate future date in three years time\ndate_aft_3yrs = current_time + timedelta(days = 1095)\n\n# Calculate future date in five days\ndate_aft_5days = current_time + timedelta(days = 5)\n\n# Print calculated future_dates\nprint('In three years from now, the date will be:', str(date_aft_3yrs))\nprint('In five days from now, the date will be:', str(date_aft_5days))\n```\n\nWe went through naive `datetime` objects in the previous example, i.e. there is no time zone information. However, It’s good practice to work with time-aware objects. We can set the time zone using the `pytz` module, as `datetime` alone is not enough here. If you haven’t installed `pytz` yet, you can do it with `pip`:\n\n`pip install pytz `\n\nHere’s a working example:\n\n```import datetime\nimport pytz\n\nutc_now = pytz.utc.localize(datetime.datetime.utcnow())\neur_now = utc_now.astimezone(pytz.timezone(\"Europe/Paris\"))\n\neur_now == utc_now\n```\n\nNow we have two time objects with different time zones, but they are equals. We can print them as follows:\n\n`utc_now.isoformat()`\n\nThe output of Coordinated Universal Time is:\n\n`'2021-07-28T07:39:51.567436+00:00'`\n\nAnd here, let’s return the European Time in Paris:\n\n`eur_now.isoformat()`\n\nThe output of European Time in Paris is:\n\n`'2021-07-28T09:39:51.567436+02:00'`\n\nFor more information about the `datetime` module, you can check the Python datetime documentation.\n\n## How to Use Calendar in Python\n\nPython has an attractive built-in module called `calendar` that lets you conveniently display and work with calendars in Python.\n\nTo display the calendar for July 2021, you’d write:\n\n```import calendar\n\nmth_calendar = calendar.TextCalendar(0).formatmonth(2021, 7)\nprint(mth_calendar)\n```\n\nAnd this is the result:",
null,
"To display the entire 2021 calendar, we can type the following:\n\n```import calendar\n\nyr_calendar = calendar.TextCalendar(0).formatyear(2021)\nprint(yr_calendar)\n```",
null,
"We can also change the first weekday (Monday / Sunday) by modifying the `firstweekday` parameter. We do this by entering an integer between `0` and `6`, where Monday = `0` and Sunday = `6`.\n\n```import calendar\n\n# Set Thursday as first day of the month\nmth_calendar = calendar.TextCalendar(firstweekday=3).formatmonth(2021, 7)\nprint(mth_calendar)\n```\n\nAlso, by changing `TextCalendar` to `HTMLCalendar`, we can display the calendar in HTML form. It will return the calendar with its corresponding HTML tags to display on a webpage. The syntax is as follows:\n\n```import calendar\n\nmth_calendar = calendar.HTMLCalendar(firstweekday=0).formatmonth(2021, 7)\nprint(mth_calendar)\n```\n\nNext, let’s see how `calendar.monthrange(year, month)` returns the first day of the month and the number of days in that particular month. For example:\n\n`calendar.monthrange(2021, 8)`\n\nOutput:\n\n`(6, 31)`\n\nThis means that the first day of August 2021 is a Sunday and that there are 31 days in the month.\n\nWe can also use the `isleap()` method to check if a year is a leap year. It will return a Boolean value of True if the value is a leap year and False if it is not. Here is an example:\n\n```import calendar\n\nprint(calendar.isleap(2021))\n```\n\nAnd the result:\n\n`False`\n\nNext, `calendar.weekday(year, month, day)` will return the weekday of a given date. For example, what was the weekday on 14 July 1789, the date chosen to commemorate the French National Day?\n\n```import calendar\n\ncalendar.weekday(1789, 7, 14)\n```\n\nOutput:\n\n`1`\n\nIt was a Tuesday.\n\nIf you want to explore the calendar module in greater detail, you will find the official documentation here.\n\n## How to Use Arrow in Python\n\nArrow is another great Python library, named after the Arrow of Time. This is the concept of time’s one-way direction or \"asymmetry\". The Arrow of Time refers to how we always see things progressing in a particular (one-way) direction. It refers to the inevitable \"flow of time\" into the future.\n\nUnlike `datetime` and `calendar`, which are built-in modules, `arrow` needs to be installed. You can do this with `pip`:\n\n`pip install arrow `\n\nWe can use `arrow` to get the Coordinated Universal Time:\n\n```import arrow\n\nutc = arrow.utcnow()\nprint(utc)\n```\n\nThe output is:\n\n`2021-07-28T14:04:48.910069+00:00`\n\nAlso, we can use arrow to get the local time:\n\n```import arrow\n\nnow = arrow.now()\nprint(now)\n```\n\nResult:\n\n`2021-07-28T22:06:14.795852+08:00`\n\nIf we want to parse a string into a date format, we need to use `get()`:\n\n```# Import\nimport arrow\n\n# Date in string format\ndate_str ='2021-07-20 15:20:35'\n\n# Parse string into date\ndate_f = arrow.get(date_str, 'YYYY-MM-DD HH:mm:ss')\n\n# Print the date\nprint(date_f)\n```\n\nOutput:\n\n`2021-07-20T15:20:35+00:00`\n\nNote that Arrow uses simpler, shorter syntax for parsing the date than `datetime`'s `strptime()`.\n\nIt is also possible to retrieve a date from a string like the sentence below:\n\n```# Import\nimport arrow\n\n# Retrieve date from string\nget_dt_f_str = arrow.get('Olympic games started on 23 July 2021', 'D MMMM YYYY')\n\n# Print date from string\nprint(get_dt_f_str)\n```\n\nResult:\n\n`2021-07-23T00:00:00+00:00`\n\nNext, we can use `format()` to format a date as a string:\n\n```# Import\nimport arrow\n\n# Get local time\nnow = arrow.now()\n\n# Print the year\nyear = now.format('YYYY')\nprint(\"Year: {0}\".format(year))\n\n# Print the date as year, month, day\ndate = now.format('YYYY-MM-DD')\nprint(\"Date: {0}\".format(date))\n\n# Print the date and the time\ndate_time = now.format('YYYY-MM-DD HH:mm:ss')\nprint(\"Date and time: {0}\".format(date_time))\n\n# Print the date, time and time zone\ndate_time_zone = now.format('YYYY-MM-DD HH:mm:ss ZZ')\nprint(\"Date and time and zone: {0}\".format(date_time_zone))\n```\n\nOutput:\n\n```Year: 2021\nDate: 2021-07-28\nDate and time: 2021-07-28 22:12:02\nDate and time and zone: 2021-07-28 22:12:02 +08:00\n```\n\nWe can also retrieve a weekday:\n\n```# Import\nimport arrow\n\n# Get the date\nbastille_day = arrow.get('1789-07-14')\n\n# Print the weekday and format it in a readable way\nprint(bastille_day.weekday())\nprint(bastille_day.format('dddd'))\n```\n\nOutput:\n\n```1\nTuesday\n```\n\nWe can also get the time in another part of the world via conversion. Here is an example:\n\n```# Import\nimport arrow\n\n# Get local time\nutc = arrow.utcnow()\n\n# Get time in different parts of the world\nprint(\"Time in US/Pacific:\", utc.to('US/Pacific').format('HH:mm:ss'))\nprint(\"Time in Europe/Paris:\", utc.to('Europe/Paris').format('HH:mm:ss'))\nprint(\"Time in Asia/Tokyo:\",utc.to('Asia/Tokyo').format('HH:mm:ss'))\n```\n\nOutput:\n\n```Time in US/Pacific: 07:18:37\nTime in Europe/Paris: 16:18:37\nTime in Asia/Tokyo: 23:18:37\n```\n\nNext, let’s shift time:\n\n```# Import\nimport arrow\n\n# Get current time\nnow = arrow.now()\n\n# Shift time 3 hours into the future\nprint(\"In 3 hours, it will be:\", now.shift(hours=3).time())\n\n# Shift time 3 days into the future\nprint(\"In 3 days, the date will be:\", now.shift(days=3).date())\n\n# Shift time 5 years into the past\nprint(\"5 years ago, the date was:\", now.shift(years=-5).date())\n```\n\nOutput:\n\n```In 3 hours, it will be: 01:23:20.609249\nIn 3 days, the date will be: 2021-07-31\n5 years ago, the date was: 2016-07-28\n```\n\nYou can mix different arguments together, e.g., `now.shift(days=3, hours=6)`.\n\nAlso, we might be interested in formatting time for humans so that it’s more readable than the long strings we’ve been getting.\n\nThe `humanize()` method is a convenient and powerful way to achieve a human-readable output. Let’s write an example:\n\n```# Import\nimport arrow\n\n# Get current time\nnow = arrow.now()\n\nmoment_ago = now.shift(minutes=-15).humanize()\nprint(moment_ago)\n\nfuture_moment = now.shift(hours=5).humanize()\nprint(future_moment)\n```\n\nOutput:\n\n```15 minutes ago\nin 5 hours\n```\n\nOn the other hand, we can use `dehumanize()` to make a date more machine-friendly:\n\n```# Import\nimport arrow\n\n# Get current time\ncurrent_time = arrow.utcnow()\n\n# Set time two days ago\ntwo_days_ago = current_time.dehumanize(\"2 days ago\")\nprint(two_days_ago)\n```\n\nResult:\n\n`2021-07-26T14:31:33.975369+00:00`\n\nThe `arrow` module offers a more readable output than `datetime` and `calendar`.\n\nCompared to `datetime`, arrow makes creating, manipulating, formatting, and converting dates, time, timestamps, time zones, etc. more straightforward. It requires less code and less dependence on other imports or libraries. Overall, using the arrow module is more efficient than Python’s built-in modules.\n\nFinally, it is always a good idea to read the official documentation when we learn something new.\n\n## Practice Working with Python’s Date and Time Modules\n\nWe’ve reviewed the `datetime` module and covered the `calendar` and arrow modules in Python. That is quite a bit of ground, and I hope it helped you understand how to manipulate date and time data with Python.\n\nTry running these code snippets and playing with them to solidify your knowledge.\n\nIf you want to get some hands-on experience working with Python’s data science modules, I recommend the LearnSQL.com Python for Data Science mini-track. Its five courses and 300+ exercises will give you plenty of practice! Or check out our Data Processing with Python mini-track, which comprehensively explains how to process various kinds of data in different file formats. Happy learning!"
] | [
null,
"https://learnpython.com/blog/work-with-calendar-and-arrow-python/",
null,
"https://learnpython.com/blog/work-with-calendar-and-arrow-python/",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.7349964,"math_prob":0.88786834,"size":11278,"snap":"2022-27-2022-33","text_gpt3_token_len":2796,"char_repetition_ratio":0.16010289,"word_repetition_ratio":0.04090101,"special_character_ratio":0.27513742,"punctuation_ratio":0.15676856,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9572593,"pos_list":[0,1,2,3,4],"im_url_duplicate_count":[null,4,null,4,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2022-06-27T07:59:22Z\",\"WARC-Record-ID\":\"<urn:uuid:72938722-2258-4c62-a23c-9bf173780465>\",\"Content-Length\":\"75402\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:cd196ecb-0ad7-4c53-849b-ae73aa44eb6d>\",\"WARC-Concurrent-To\":\"<urn:uuid:20c659c1-c5f5-4265-92e1-de0fb68a8512>\",\"WARC-IP-Address\":\"193.201.34.97\",\"WARC-Target-URI\":\"https://learnpython.com/blog/work-with-calendar-and-arrow-python/\",\"WARC-Payload-Digest\":\"sha1:UURKD543T7D5KCFM33ERGGHTL5IXS7K7\",\"WARC-Block-Digest\":\"sha1:TLOBUC4LXX6ZGNUT6JLLCRIKVZFQ6Y3V\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2022/CC-MAIN-2022-27/CC-MAIN-2022-27_segments_1656103329963.19_warc_CC-MAIN-20220627073417-20220627103417-00726.warc.gz\"}"} |
https://www.aimsciences.org/article/doi/10.3934/dcds.2020145 | [
"",
null,
"",
null,
"",
null,
"",
null,
"May 2020, 40(5): 2671-2685. doi: 10.3934/dcds.2020145\n\n## Multiple positive solutions for a Schrödinger logarithmic equation\n\n 1 Unidade Acadêmica de Matemática, Universidade Federal de Campina Grande, Campina Grande, PB, CEP:58429-900, Brazil 2 Department of Mathematics, East China University of Science and Technology, Shanghai 200237, China\n\n* Corresponding author: Chao Ji\n\nReceived May 2019 Revised December 2019 Published March 2020\n\nFund Project: C.O. Alves was partially supported by CNPq/Brazil 304804/2017-7 and C. Ji was partially supported by Shanghai Natural Science Foundation(18ZR1409100)\n\nThis article concerns with the existence of multiple positive solutions for the following logarithmic Schrödinger equation\n $\\left\\{ \\begin{array}{lc} -{\\epsilon}^2\\Delta u+ V(x)u = u \\log u^2, & \\mbox{in} \\quad \\mathbb{R}^{N}, \\\\ u \\in H^1(\\mathbb{R}^{N}), & \\; \\\\ \\end{array} \\right.$\nwhere\n $\\epsilon >0$\n,\n $N \\geq 1$\nand\n $V$\nis a continuous function with a global minimum. Using variational method, we prove that for small enough\n $\\epsilon>0$\n, the \"shape\" of the graph of the function\n $V$\naffects the number of nontrivial solutions.\nCitation: Claudianor O. Alves, Chao Ji. Multiple positive solutions for a Schrödinger logarithmic equation. Discrete and Continuous Dynamical Systems, 2020, 40 (5) : 2671-2685. doi: 10.3934/dcds.2020145\n##### References:\n C. O. Alves and D. C. de Morais Filho, Existence of concentration of positive solutions for a Schrödinger logarithmic equation, Z. Angew. Math. Phys., 69 (2018), Art. 144, 22 pp. doi: 10.1007/s00033-018-1038-2.",
null,
"",
null,
"",
null,
"D. M. Cao and E. S. Noussair, Multiplicity of positive and nodal solutions for nonlinear elliptic problem in $\\mathbb{R}^{N}$, Ann. Inst. Henri Poincaré, 13 (1996), 567-588. doi: 10.1016/S0294-1449(16)30115-9.",
null,
"",
null,
"",
null,
"P. d'Avenia, E. Montefusco and M. Squassina, On the logarithmic Schrödinger equation, Commun. Contemp. Math., 16 (2014), 1350032, 15 pp. doi: 10.1142/S0219199713500326.",
null,
"",
null,
"",
null,
"P. d'Avenia, M. Squassina and M. Zenari, Fractional logarithmic Schrödinger equations, Math. Methods Appl. Sci., 38 (2015), 5207-5216. doi: 10.1002/mma.3449.",
null,
"",
null,
"",
null,
"M. Degiovanni and S. Zani, Multiple solutions of semilinear elliptic equations with one-sided growth conditions. Nonlinear operator theory, Math. Comput. Model., 32 (2000), 1377-1393. doi: 10.1016/S0895-7177(00)00211-9.",
null,
"",
null,
"",
null,
"C. Ji and A. Szulkin, A logarithmic Schrödinger equation with asymptotic conditions on the potential, J. Math. Anal. Appl., 437 (2016), 241-254. doi: 10.1016/j.jmaa.2015.11.071.",
null,
"",
null,
"",
null,
"E. H. Lieb and M. Loss, Analysis, 2nd Edition, Graduate Studies in Math. 14, American Mathematical Society, Providence, RI, 2001. doi: 10.1090/gsm/014.",
null,
"",
null,
"",
null,
"P.-L. Lions, The concentration-compactness principle in the calculus of variations. The locally compact case. Ⅱ, Ann. Inst. H. Poincaré Anal. Non Linéaire, 1 (1984), 223-283. doi: 10.1016/S0294-1449(16)30422-X.",
null,
"",
null,
"",
null,
"M. Squassina and A. Szulkin, Multiple solution to logarithmic Schrödinger equations with periodic potential, Cal. Var. Partial Differential Equations, 54 (2015), 585-597. doi: 10.1007/s00526-014-0796-8.",
null,
"",
null,
"",
null,
"M. Squassina and A. Szulkin, Multiple solution to logarithmic Schrödinger equations with periodic potential, Cal. Var. Partial Differential Equations, 54 (2015), 585–597, http://dx.doi.org/10.1007/s00526-017-1127-7. doi: 10.1007/s00526-014-0796-8.",
null,
"",
null,
"",
null,
"A. Szulkin, Minimax principles for lower semicontinuous functions and applications to nonlinear boundary value problems, Ann. Inst. H. Poincaré Anal. Non Linéaire, 3 (1986), 77-109. doi: 10.1016/S0294-1449(16)30389-4.",
null,
"",
null,
"",
null,
"K. Tanaka and C. X. Zhang, Multi-bump solutions for logarithmic Schrödinger equations, Cal. Var. Partial Differential Equations, 56 (2017), Art. 33, 35 pp. doi: 10.1007/s00526-017-1122-z.",
null,
"",
null,
"",
null,
"M. Willem, Minimax Theorems, Progress in Nonlinear Differential Equations and their Applications, 24. Birkhäuser Boston, Inc., Boston, MA, 1996. doi: 10.1007/978-1-4612-4146-1.",
null,
"",
null,
"",
null,
"K. G. Zloshchastiev, Logarithmic nonlinearity in the theories of quantum gravity: Origin of time and observational consequences, Grav. Cosmol., 16 (2010), 288-297. doi: 10.1134/S0202289310040067.",
null,
"",
null,
"",
null,
"show all references\n\n##### References:\n C. O. Alves and D. C. de Morais Filho, Existence of concentration of positive solutions for a Schrödinger logarithmic equation, Z. Angew. Math. Phys., 69 (2018), Art. 144, 22 pp. doi: 10.1007/s00033-018-1038-2.",
null,
"",
null,
"",
null,
"D. M. Cao and E. S. Noussair, Multiplicity of positive and nodal solutions for nonlinear elliptic problem in $\\mathbb{R}^{N}$, Ann. Inst. Henri Poincaré, 13 (1996), 567-588. doi: 10.1016/S0294-1449(16)30115-9.",
null,
"",
null,
"",
null,
"P. d'Avenia, E. Montefusco and M. Squassina, On the logarithmic Schrödinger equation, Commun. Contemp. Math., 16 (2014), 1350032, 15 pp. doi: 10.1142/S0219199713500326.",
null,
"",
null,
"",
null,
"P. d'Avenia, M. Squassina and M. Zenari, Fractional logarithmic Schrödinger equations, Math. Methods Appl. Sci., 38 (2015), 5207-5216. doi: 10.1002/mma.3449.",
null,
"",
null,
"",
null,
"M. Degiovanni and S. Zani, Multiple solutions of semilinear elliptic equations with one-sided growth conditions. Nonlinear operator theory, Math. Comput. Model., 32 (2000), 1377-1393. doi: 10.1016/S0895-7177(00)00211-9.",
null,
"",
null,
"",
null,
"C. Ji and A. Szulkin, A logarithmic Schrödinger equation with asymptotic conditions on the potential, J. Math. Anal. Appl., 437 (2016), 241-254. doi: 10.1016/j.jmaa.2015.11.071.",
null,
"",
null,
"",
null,
"E. H. Lieb and M. Loss, Analysis, 2nd Edition, Graduate Studies in Math. 14, American Mathematical Society, Providence, RI, 2001. doi: 10.1090/gsm/014.",
null,
"",
null,
"",
null,
"P.-L. Lions, The concentration-compactness principle in the calculus of variations. The locally compact case. Ⅱ, Ann. Inst. H. Poincaré Anal. Non Linéaire, 1 (1984), 223-283. doi: 10.1016/S0294-1449(16)30422-X.",
null,
"",
null,
"",
null,
"M. Squassina and A. Szulkin, Multiple solution to logarithmic Schrödinger equations with periodic potential, Cal. Var. Partial Differential Equations, 54 (2015), 585-597. doi: 10.1007/s00526-014-0796-8.",
null,
"",
null,
"",
null,
"M. Squassina and A. Szulkin, Multiple solution to logarithmic Schrödinger equations with periodic potential, Cal. Var. Partial Differential Equations, 54 (2015), 585–597, http://dx.doi.org/10.1007/s00526-017-1127-7. doi: 10.1007/s00526-014-0796-8.",
null,
"",
null,
"",
null,
"A. Szulkin, Minimax principles for lower semicontinuous functions and applications to nonlinear boundary value problems, Ann. Inst. H. Poincaré Anal. Non Linéaire, 3 (1986), 77-109. doi: 10.1016/S0294-1449(16)30389-4.",
null,
"",
null,
"",
null,
"K. Tanaka and C. X. Zhang, Multi-bump solutions for logarithmic Schrödinger equations, Cal. Var. Partial Differential Equations, 56 (2017), Art. 33, 35 pp. doi: 10.1007/s00526-017-1122-z.",
null,
"",
null,
"",
null,
"M. Willem, Minimax Theorems, Progress in Nonlinear Differential Equations and their Applications, 24. Birkhäuser Boston, Inc., Boston, MA, 1996. doi: 10.1007/978-1-4612-4146-1.",
null,
"",
null,
"",
null,
"K. G. Zloshchastiev, Logarithmic nonlinearity in the theories of quantum gravity: Origin of time and observational consequences, Grav. Cosmol., 16 (2010), 288-297. doi: 10.1134/S0202289310040067.",
null,
"",
null,
"",
null,
"Caixia Chen, Aixia Qian. Multiple positive solutions for the Schrödinger-Poisson equation with critical growth. Mathematical Foundations of Computing, 2022, 5 (2) : 113-128. doi: 10.3934/mfc.2021036 Haoyu Li, Zhi-Qiang Wang. Multiple positive solutions for coupled Schrödinger equations with perturbations. Communications on Pure and Applied Analysis, 2021, 20 (2) : 867-884. doi: 10.3934/cpaa.2020294 Tai-Chia Lin, Tsung-Fang Wu. Multiple positive solutions of saturable nonlinear Schrödinger equations with intensity functions. Discrete and Continuous Dynamical Systems, 2020, 40 (4) : 2165-2187. doi: 10.3934/dcds.2020110 Jianqing Chen. A variational argument to finding global solutions of a quasilinear Schrödinger equation. Communications on Pure and Applied Analysis, 2008, 7 (1) : 83-88. doi: 10.3934/cpaa.2008.7.83 Wulong Liu, Guowei Dai. Multiple solutions for a fractional nonlinear Schrödinger equation with local potential. Communications on Pure and Applied Analysis, 2017, 16 (6) : 2105-2123. doi: 10.3934/cpaa.2017104 Walter Dambrosio, Duccio Papini. Multiple homoclinic solutions for a one-dimensional Schrödinger equation. Discrete and Continuous Dynamical Systems - S, 2016, 9 (4) : 1025-1038. doi: 10.3934/dcdss.2016040 Xudong Shang, Jihui Zhang. Multiplicity and concentration of positive solutions for fractional nonlinear Schrödinger equation. Communications on Pure and Applied Analysis, 2018, 17 (6) : 2239-2259. doi: 10.3934/cpaa.2018107 Panagiotis Paraschis, Georgios E. Zouraris. On the convergence of the Crank-Nicolson method for the logarithmic Schrödinger equation. Discrete and Continuous Dynamical Systems - B, 2022 doi: 10.3934/dcdsb.2022074 Renata Bunoiu, Radu Precup, Csaba Varga. Multiple positive standing wave solutions for schrödinger equations with oscillating state-dependent potentials. Communications on Pure and Applied Analysis, 2017, 16 (3) : 953-972. doi: 10.3934/cpaa.2017046 Jianqing Chen, Qian Zhang. Multiple non-radially symmetrical nodal solutions for the Schrödinger system with positive quasilinear term. Communications on Pure and Applied Analysis, 2022, 21 (2) : 669-686. doi: 10.3934/cpaa.2021193 Fengshuang Gao, Yuxia Guo. Multiple solutions for a nonlinear Schrödinger systems. Communications on Pure and Applied Analysis, 2020, 19 (2) : 1181-1204. doi: 10.3934/cpaa.2020055 Chuangye Liu, Zhi-Qiang Wang. Synchronization of positive solutions for coupled Schrödinger equations. Discrete and Continuous Dynamical Systems, 2018, 38 (6) : 2795-2808. doi: 10.3934/dcds.2018118 Xiyou Cheng, Zhitao Zhang. Structure of positive solutions to a class of Schrödinger systems. Discrete and Continuous Dynamical Systems - S, 2021, 14 (6) : 1857-1870. doi: 10.3934/dcdss.2020461 D.G. deFigueiredo, Yanheng Ding. Solutions of a nonlinear Schrödinger equation. Discrete and Continuous Dynamical Systems, 2002, 8 (3) : 563-584. doi: 10.3934/dcds.2002.8.563 Miao-Miao Li, Chun-Lei Tang. Multiple positive solutions for Schrödinger-Poisson system in $\\mathbb{R}^{3}$ involving concave-convex nonlinearities with critical exponent. Communications on Pure and Applied Analysis, 2017, 16 (5) : 1587-1602. doi: 10.3934/cpaa.2017076 Weiming Liu, Lu Gan. Multi-bump positive solutions of a fractional nonlinear Schrödinger equation in $\\mathbb{R}^N$. Communications on Pure and Applied Analysis, 2016, 15 (2) : 413-428. doi: 10.3934/cpaa.2016.15.413 Rossella Bartolo, Anna Maria Candela, Addolorata Salvatore. Infinitely many solutions for a perturbed Schrödinger equation. Conference Publications, 2015, 2015 (special) : 94-102. doi: 10.3934/proc.2015.0094 Zhanping Liang, Yuanmin Song, Fuyi Li. Positive ground state solutions of a quadratically coupled schrödinger system. Communications on Pure and Applied Analysis, 2017, 16 (3) : 999-1012. doi: 10.3934/cpaa.2017048 Xiang-Dong Fang. Positive solutions for quasilinear Schrödinger equations in $\\mathbb{R}^N$. Communications on Pure and Applied Analysis, 2017, 16 (5) : 1603-1615. doi: 10.3934/cpaa.2017077 Juncheng Wei, Wei Yao. Uniqueness of positive solutions to some coupled nonlinear Schrödinger equations. Communications on Pure and Applied Analysis, 2012, 11 (3) : 1003-1011. doi: 10.3934/cpaa.2012.11.1003\n\n2020 Impact Factor: 1.392"
] | [
null,
"https://www.aimsciences.org:443/style/web/images/white_google.png",
null,
"https://www.aimsciences.org:443/style/web/images/white_facebook.png",
null,
"https://www.aimsciences.org:443/style/web/images/white_twitter.png",
null,
"https://www.aimsciences.org:443/style/web/images/white_linkedin.png",
null,
"https://www.aimsciences.org:443/style/web/images/crossref.jpeg",
null,
"https://www.aimsciences.org:443/style/web/images/math-review.gif",
null,
"https://www.aimsciences.org:443/style/web/images/scholar.png",
null,
"https://www.aimsciences.org:443/style/web/images/crossref.jpeg",
null,
"https://www.aimsciences.org:443/style/web/images/math-review.gif",
null,
"https://www.aimsciences.org:443/style/web/images/scholar.png",
null,
"https://www.aimsciences.org:443/style/web/images/crossref.jpeg",
null,
"https://www.aimsciences.org:443/style/web/images/math-review.gif",
null,
"https://www.aimsciences.org:443/style/web/images/scholar.png",
null,
"https://www.aimsciences.org:443/style/web/images/crossref.jpeg",
null,
"https://www.aimsciences.org:443/style/web/images/math-review.gif",
null,
"https://www.aimsciences.org:443/style/web/images/scholar.png",
null,
"https://www.aimsciences.org:443/style/web/images/crossref.jpeg",
null,
"https://www.aimsciences.org:443/style/web/images/math-review.gif",
null,
"https://www.aimsciences.org:443/style/web/images/scholar.png",
null,
"https://www.aimsciences.org:443/style/web/images/crossref.jpeg",
null,
"https://www.aimsciences.org:443/style/web/images/math-review.gif",
null,
"https://www.aimsciences.org:443/style/web/images/scholar.png",
null,
"https://www.aimsciences.org:443/style/web/images/crossref.jpeg",
null,
"https://www.aimsciences.org:443/style/web/images/math-review.gif",
null,
"https://www.aimsciences.org:443/style/web/images/scholar.png",
null,
"https://www.aimsciences.org:443/style/web/images/crossref.jpeg",
null,
"https://www.aimsciences.org:443/style/web/images/math-review.gif",
null,
"https://www.aimsciences.org:443/style/web/images/scholar.png",
null,
"https://www.aimsciences.org:443/style/web/images/crossref.jpeg",
null,
"https://www.aimsciences.org:443/style/web/images/math-review.gif",
null,
"https://www.aimsciences.org:443/style/web/images/scholar.png",
null,
"https://www.aimsciences.org:443/style/web/images/crossref.jpeg",
null,
"https://www.aimsciences.org:443/style/web/images/math-review.gif",
null,
"https://www.aimsciences.org:443/style/web/images/scholar.png",
null,
"https://www.aimsciences.org:443/style/web/images/crossref.jpeg",
null,
"https://www.aimsciences.org:443/style/web/images/math-review.gif",
null,
"https://www.aimsciences.org:443/style/web/images/scholar.png",
null,
"https://www.aimsciences.org:443/style/web/images/crossref.jpeg",
null,
"https://www.aimsciences.org:443/style/web/images/math-review.gif",
null,
"https://www.aimsciences.org:443/style/web/images/scholar.png",
null,
"https://www.aimsciences.org:443/style/web/images/crossref.jpeg",
null,
"https://www.aimsciences.org:443/style/web/images/math-review.gif",
null,
"https://www.aimsciences.org:443/style/web/images/scholar.png",
null,
"https://www.aimsciences.org:443/style/web/images/crossref.jpeg",
null,
"https://www.aimsciences.org:443/style/web/images/math-review.gif",
null,
"https://www.aimsciences.org:443/style/web/images/scholar.png",
null,
"https://www.aimsciences.org:443/style/web/images/crossref.jpeg",
null,
"https://www.aimsciences.org:443/style/web/images/math-review.gif",
null,
"https://www.aimsciences.org:443/style/web/images/scholar.png",
null,
"https://www.aimsciences.org:443/style/web/images/crossref.jpeg",
null,
"https://www.aimsciences.org:443/style/web/images/math-review.gif",
null,
"https://www.aimsciences.org:443/style/web/images/scholar.png",
null,
"https://www.aimsciences.org:443/style/web/images/crossref.jpeg",
null,
"https://www.aimsciences.org:443/style/web/images/math-review.gif",
null,
"https://www.aimsciences.org:443/style/web/images/scholar.png",
null,
"https://www.aimsciences.org:443/style/web/images/crossref.jpeg",
null,
"https://www.aimsciences.org:443/style/web/images/math-review.gif",
null,
"https://www.aimsciences.org:443/style/web/images/scholar.png",
null,
"https://www.aimsciences.org:443/style/web/images/crossref.jpeg",
null,
"https://www.aimsciences.org:443/style/web/images/math-review.gif",
null,
"https://www.aimsciences.org:443/style/web/images/scholar.png",
null,
"https://www.aimsciences.org:443/style/web/images/crossref.jpeg",
null,
"https://www.aimsciences.org:443/style/web/images/math-review.gif",
null,
"https://www.aimsciences.org:443/style/web/images/scholar.png",
null,
"https://www.aimsciences.org:443/style/web/images/crossref.jpeg",
null,
"https://www.aimsciences.org:443/style/web/images/math-review.gif",
null,
"https://www.aimsciences.org:443/style/web/images/scholar.png",
null,
"https://www.aimsciences.org:443/style/web/images/crossref.jpeg",
null,
"https://www.aimsciences.org:443/style/web/images/math-review.gif",
null,
"https://www.aimsciences.org:443/style/web/images/scholar.png",
null,
"https://www.aimsciences.org:443/style/web/images/crossref.jpeg",
null,
"https://www.aimsciences.org:443/style/web/images/math-review.gif",
null,
"https://www.aimsciences.org:443/style/web/images/scholar.png",
null,
"https://www.aimsciences.org:443/style/web/images/crossref.jpeg",
null,
"https://www.aimsciences.org:443/style/web/images/math-review.gif",
null,
"https://www.aimsciences.org:443/style/web/images/scholar.png",
null,
"https://www.aimsciences.org:443/style/web/images/crossref.jpeg",
null,
"https://www.aimsciences.org:443/style/web/images/math-review.gif",
null,
"https://www.aimsciences.org:443/style/web/images/scholar.png",
null,
"https://www.aimsciences.org:443/style/web/images/crossref.jpeg",
null,
"https://www.aimsciences.org:443/style/web/images/math-review.gif",
null,
"https://www.aimsciences.org:443/style/web/images/scholar.png",
null,
"https://www.aimsciences.org:443/style/web/images/crossref.jpeg",
null,
"https://www.aimsciences.org:443/style/web/images/math-review.gif",
null,
"https://www.aimsciences.org:443/style/web/images/scholar.png",
null,
"https://www.aimsciences.org:443/style/web/images/crossref.jpeg",
null,
"https://www.aimsciences.org:443/style/web/images/math-review.gif",
null,
"https://www.aimsciences.org:443/style/web/images/scholar.png",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.55656654,"math_prob":0.82548565,"size":10912,"snap":"2022-27-2022-33","text_gpt3_token_len":3741,"char_repetition_ratio":0.17500916,"word_repetition_ratio":0.56336087,"special_character_ratio":0.38599706,"punctuation_ratio":0.28055078,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9517182,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20,21,22,23,24,25,26,27,28,29,30,31,32,33,34,35,36,37,38,39,40,41,42,43,44,45,46,47,48,49,50,51,52,53,54,55,56,57,58,59,60,61,62,63,64,65,66,67,68,69,70,71,72,73,74,75,76,77,78,79,80,81,82,83,84,85,86,87,88,89,90,91,92,93,94,95,96,97,98,99,100,101,102,103,104,105,106,107,108,109,110,111,112,113,114,115,116,117,118,119,120,121,122,123,124,125,126,127,128,129,130,131,132,133,134,135,136,137,138,139,140,141,142,143,144,145,146,147,148,149,150,151,152,153,154,155,156,157,158,159,160,161,162,163,164,165,166,167,168,169,170,171,172,173,174,175,176],"im_url_duplicate_count":[null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2022-06-25T16:15:05Z\",\"WARC-Record-ID\":\"<urn:uuid:f962d119-63a4-4490-9209-bfccbb4f7677>\",\"Content-Length\":\"98571\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:535b461e-2af1-4f18-8f97-624169dce1ea>\",\"WARC-Concurrent-To\":\"<urn:uuid:671d8e19-82e1-4536-91b8-e17616c52e70>\",\"WARC-IP-Address\":\"107.161.80.18\",\"WARC-Target-URI\":\"https://www.aimsciences.org/article/doi/10.3934/dcds.2020145\",\"WARC-Payload-Digest\":\"sha1:PWF5ABS5DMDREJHLPY26P2IEZAXL2QKB\",\"WARC-Block-Digest\":\"sha1:UJQU3Q4XGR7YEZUIGAF7MZOPAT6PPA3C\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2022/CC-MAIN-2022-27/CC-MAIN-2022-27_segments_1656103036077.8_warc_CC-MAIN-20220625160220-20220625190220-00421.warc.gz\"}"} |
https://math.stackexchange.com/questions/1043225/a-technical-relation | [
"# A technical relation\n\nI have encountered the following interesting technical relation.\n\n$$\\pi^2 = \\inf_{x \\in \\mathcal{D}(0,1) \\setminus\\{0\\}} \\frac{\\int_0^1 |x'(s)|^2 \\, \\text{d}s}{\\int_0^1 |x(s)|^2 \\, \\text{d}s}$$\n\nwhere $\\mathcal{D}(0,1)$ is the set of all smooth functions in $(0,1)$ with a compact support.\n\nAmazing. Can anyone please give a hint why this is true? Thank you.\n\n• When you say \"encountered,\" what do you mean? – Thomas Andrews Nov 29 '14 at 5:12\n• That should be inf instead of sup. – user99914 Nov 29 '14 at 5:17\n• Note, you can restrict the problem to when $\\int_0^1 |x(s)|^2ds=1$. That also elminates the case $x(s)=0$ for all $s$... – Thomas Andrews Nov 29 '14 at 5:25\n• @John Thanks for your reminder. – Empiricist Nov 29 '14 at 5:25\n• If you want to, I can write an answer, but do you just want a hint? – user99914 Nov 29 '14 at 5:26\n\nFirst of all, we write down the fourier expansion of $x(t)$:\n\n$$x(t) = \\sum_{n=1}^\\infty a_n \\sin(n\\pi t) + \\sum_{n=1}^\\infty b_n \\cos (n\\pi t)$$\n\n(the main point is that $x(t)$ has no constant term, do you know why?). Thus\n\n$$\\int_0^1 |x(t)|^2 dt = \\sum_{n=1}^\\infty a_n^2 + b_n^2$$\n\nand\n\n$$\\int_0^1 |x'(t)|^2 dt = \\pi ^2 \\sum_{n=1}^\\infty n^2(a_n^2 + b_n^2)$$\n\n$$\\Rightarrow \\frac{\\int_0^1|x'(t)|^2 dt}{\\int_0^1 |x(t)|^2 dt} = \\frac{\\pi^2 \\sum_{n=1}^\\infty n^2 (a^2_n + b_n^2)}{ \\sum_{n=1}^\\infty a_n^2 + b_n^2} \\geq \\pi^2\\frac{\\sum_{n=1}^\\infty a^2_n + b_n^2}{\\sum_{n=1}^\\infty a_n^2 + b_n^2} = \\pi^2$$\n\nWith equality as $f(t)= \\sin(\\pi t)$. (Strictly speaking the infimum is not attained as this function does not have compact support).\n\n• That first equality on the last line is totally wrong. $\\frac{a+b}{c+d}\\neq \\frac{a}{b}+\\frac{c}{d}$. – Thomas Andrews Nov 29 '14 at 5:36\n• @ThomasAndrews: Thanks, let me fix that. – user99914 Nov 29 '14 at 5:39\n• You've still got the fraction error in the last line, only on the inequality step, and you also lost the square from $\\pi^2$. – Thomas Andrews Nov 29 '14 at 5:44\n• @ThomasAndrews: Sorry, my bad. – user99914 Nov 29 '14 at 5:45\n• Thanks! I had been thinking about this for several hours but failed to figure out it is done simply by Fourier series expansion. – Empiricist Nov 29 '14 at 5:48\n\nI can prove that if $\\pi^2$ is a lower bound then it must be the greatest one. Simply consider uniform approximations of $x(s)=\\sin(\\pi s)$ by functions with compact support. Then $x'$ will be approximated in the sense of $L^2$ and so you recover the result. I am not sure why $\\pi^2$ is a lower bound, however.\n\n• I am sorry I made a mistake in posing the question. – Empiricist Nov 29 '14 at 5:28\n• Thanks! Your answer is very useful indeed. – Empiricist Nov 29 '14 at 5:56"
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.726682,"math_prob":0.9992292,"size":734,"snap":"2019-26-2019-30","text_gpt3_token_len":342,"char_repetition_ratio":0.21232876,"word_repetition_ratio":0.0,"special_character_ratio":0.48365122,"punctuation_ratio":0.041666668,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9999597,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2019-07-17T07:01:24Z\",\"WARC-Record-ID\":\"<urn:uuid:a838751e-ceef-4318-b1cf-23781097b33e>\",\"Content-Length\":\"153381\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:a4eec422-5504-47ff-ab3b-b3cab6edd9bb>\",\"WARC-Concurrent-To\":\"<urn:uuid:42d19420-5ca1-4785-b464-b70ad48a603d>\",\"WARC-IP-Address\":\"151.101.129.69\",\"WARC-Target-URI\":\"https://math.stackexchange.com/questions/1043225/a-technical-relation\",\"WARC-Payload-Digest\":\"sha1:3W3DWLNKKMBEULWFWF5M5GDGARJGSVEL\",\"WARC-Block-Digest\":\"sha1:JHBYJ5RACPV4ETIGR3G2NXOYD5SDEF2Y\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2019/CC-MAIN-2019-30/CC-MAIN-2019-30_segments_1563195525094.53_warc_CC-MAIN-20190717061451-20190717083451-00265.warc.gz\"}"} |
https://cryptoswami.net/is-blockchain-safe-blockchain-security-explained/ | [
"",
null,
"# Is Blockchain Safe? Blockchain Security Explained\n\nIs the blockchain safe? The blockchain is a continuously growing list of records called blocks which are linked and secured using cryptography. As it is a decentralized system it is maintained by multiple participants on the network who are responsible for securing the data. But, can you trust a bunch of strangers to take good care of the information? Well, as a difference with traditional institutions responsible to keep these records the blockchain was designed to be immutable.\n\nThis is how it works: every record that has been written on the blockchain is secured by a unique cryptographic key. This key is virtually unhackable. When a new record is written on the same block everything from their previous record, including its content and its key, is put into a formula to generate the key of the second record. This interaction creates dependency. When a third record is created, the content and the keys of the first two records are put into a formula to establish the third key.\n\nThis dependency essentially chains all the records together. the same process is then repeated until the block is full.",
null,
"This way, every record created makes it dramatically more complex to alter history, because as an open network, anyone can verify it if the history is correct just by looking back at the previous blocks..\n\nSeaswami LLC found this on YouTube\n\n``` Scroll to Top```\n``` !function(t,e){\"object\"==typeof exports&&\"undefined\"!=typeof module?module.exports=e():\"function\"==typeof define&&define.amd?define(e):(t=\"undefined\"!=typeof globalThis?globalThis:t||self).LazyLoad=e()}(this,function(){\"use strict\";function e(){return(e=Object.assign||function(t){for(var e=1;e<arguments.length;e++){var n,a=arguments[e];for(n in a)Object.prototype.hasOwnProperty.call(a,n)&&(t[n]=a[n])}return t}).apply(this,arguments)}function i(t){return e({},it,t)}function o(t,e){var n,a=\"LazyLoad::Initialized\",i=new t(e);try{n=new CustomEvent(a,{detail:{instance:i}})}catch(t){(n=document.createEvent(\"CustomEvent\")).initCustomEvent(a,!1,!1,{instance:i})}window.dispatchEvent(n)}function l(t,e){return t.getAttribute(gt+e)}function c(t){return l(t,bt)}function s(t,e){return function(t,e,n){e=gt+e;null!==n?t.setAttribute(e,n):t.removeAttribute(e)}(t,bt,e)}function r(t){return s(t,null),0}function u(t){return null===c(t)}function d(t){return c(t)===vt}function f(t,e,n,a){t&&(void 0===a?void 0===n?t(e):t(e,n):t(e,n,a))}function _(t,e){nt?t.classList.add(e):t.className+=(t.className?\" \":\"\")+e}function v(t,e){nt?t.classList.remove(e):t.className=t.className.replace(new RegExp(\"(^|\\\\s+)\"+e+\"(\\\\s+|\\$)\"),\" \").replace(/^\\s+/,\"\").replace(/\\s+\\$/,\"\")}function g(t){return t.llTempImage}function b(t,e){!e||(e=e._observer)&&e.unobserve(t)}function p(t,e){t&&(t.loadingCount+=e)}function h(t,e){t&&(t.toLoadCount=e)}function n(t){for(var e,n=[],a=0;e=t.children[a];a+=1)\"SOURCE\"===e.tagName&&n.push(e);return n}function m(t,e){(t=t.parentNode)&&\"PICTURE\"===t.tagName&&n(t).forEach(e)}function a(t,e){n(t).forEach(e)}function E(t){return!!t[st]}function I(t){return t[st]}function y(t){return delete t[st]}function A(e,t){var n;E(e)||(n={},t.forEach(function(t){n[t]=e.getAttribute(t)}),e[st]=n)}function k(a,t){var i;E(a)&&(i=I(a),t.forEach(function(t){var e,n;e=a,(t=i[n=t])?e.setAttribute(n,t):e.removeAttribute(n)}))}function L(t,e,n){_(t,e.class_loading),s(t,ut),n&&(p(n,1),f(e.callback_loading,t,n))}function w(t,e,n){n&&t.setAttribute(e,n)}function x(t,e){w(t,ct,l(t,e.data_sizes)),w(t,rt,l(t,e.data_srcset)),w(t,ot,l(t,e.data_src))}function O(t,e,n){var a=l(t,e.data_bg_multi),i=l(t,e.data_bg_multi_hidpi);(a=at&&i?i:a)&&(t.style.backgroundImage=a,n=n,_(t=t,(e=e).class_applied),s(t,ft),n&&(e.unobserve_completed&&b(t,e),f(e.callback_applied,t,n)))}function N(t,e){!e||0<e.loadingCount||0<e.toLoadCount||f(t.callback_finish,e)}function C(t,e,n){t.addEventListener(e,n),t.llEvLisnrs[e]=n}function M(t){return!!t.llEvLisnrs}function z(t){if(M(t)){var e,n,a=t.llEvLisnrs;for(e in a){var i=a[e];n=e,i=i,t.removeEventListener(n,i)}delete t.llEvLisnrs}}function R(t,e,n){var a;delete t.llTempImage,p(n,-1),(a=n)&&--a.toLoadCount,v(t,e.class_loading),e.unobserve_completed&&b(t,n)}function T(o,r,c){var l=g(o)||o;M(l)||function(t,e,n){M(t)||(t.llEvLisnrs={});var a=\"VIDEO\"===t.tagName?\"loadeddata\":\"load\";C(t,a,e),C(t,\"error\",n)}(l,function(t){var e,n,a,i;n=r,a=c,i=d(e=o),R(e,n,a),_(e,n.class_loaded),s(e,dt),f(n.callback_loaded,e,a),i||N(n,a),z(l)},function(t){var e,n,a,i;n=r,a=c,i=d(e=o),R(e,n,a),_(e,n.class_error),s(e,_t),f(n.callback_error,e,a),i||N(n,a),z(l)})}function G(t,e,n){var a,i,o,r,c;t.llTempImage=document.createElement(\"IMG\"),T(t,e,n),E(c=t)||(c[st]={backgroundImage:c.style.backgroundImage}),o=n,r=l(a=t,(i=e).data_bg),c=l(a,i.data_bg_hidpi),(r=at&&c?c:r)&&(a.style.backgroundImage='url(\"'.concat(r,'\")'),g(a).setAttribute(ot,r),L(a,i,o)),O(t,e,n)}function D(t,e,n){var a;T(t,e,n),a=e,e=n,(t=It[(n=t).tagName])&&(t(n,a),L(n,a,e))}function V(t,e,n){var a;a=t,(-1<yt.indexOf(a.tagName)?D:G)(t,e,n)}function F(t,e,n){var a;t.setAttribute(\"loading\",\"lazy\"),T(t,e,n),a=e,(e=It[(n=t).tagName])&&e(n,a),s(t,vt)}function j(t){t.removeAttribute(ot),t.removeAttribute(rt),t.removeAttribute(ct)}function P(t){m(t,function(t){k(t,Et)}),k(t,Et)}function S(t){var e;(e=At[t.tagName])?e(t):E(e=t)&&(t=I(e),e.style.backgroundImage=t.backgroundImage)}function U(t,e){var n;S(t),n=e,u(e=t)||d(e)||(v(e,n.class_entered),v(e,n.class_exited),v(e,n.class_applied),v(e,n.class_loading),v(e,n.class_loaded),v(e,n.class_error)),r(t),y(t)}function \\$(t,e,n,a){var i;n.cancel_on_exit&&(c(t)!==ut||\"IMG\"===t.tagName&&(z(t),m(i=t,function(t){j(t)}),j(i),P(t),v(t,n.class_loading),p(a,-1),r(t),f(n.callback_cancel,t,e,a)))}function q(t,e,n,a){var i,o,r=(o=t,0<=pt.indexOf(c(o)));s(t,\"entered\"),_(t,n.class_entered),v(t,n.class_exited),i=t,o=a,n.unobserve_entered&&b(i,o),f(n.callback_enter,t,e,a),r||V(t,n,a)}function H(t){return t.use_native&&\"loading\"in HTMLImageElement.prototype}function B(t,i,o){t.forEach(function(t){return(a=t).isIntersecting||0<a.intersectionRatio?q(t.target,t,i,o):(e=t.target,n=t,a=i,t=o,void(u(e)||(_(e,a.class_exited),\\$(e,n,a,t),f(a.callback_exit,e,n,t))));var e,n,a})}function J(e,n){var t;et&&!H(e)&&(n._observer=new IntersectionObserver(function(t){B(t,e,n)},{root:(t=e).container===document?null:t.container,rootMargin:t.thresholds||t.threshold+\"px\"}))}function K(t){return Array.prototype.slice.call(t)}function Q(t){return t.container.querySelectorAll(t.elements_selector)}function W(t){return c(t)===_t}function X(t,e){return e=t||Q(e),K(e).filter(u)}function Y(e,t){var n;(n=Q(e),K(n).filter(W)).forEach(function(t){v(t,e.class_error),r(t)}),t.update()}function t(t,e){var n,a,t=i(t);this._settings=t,this.loadingCount=0,J(t,this),n=t,a=this,Z&&window.addEventListener(\"online\",function(){Y(n,a)}),this.update(e)}var Z=\"undefined\"!=typeof window,tt=Z&&!(\"onscroll\"in window)||\"undefined\"!=typeof navigator&&/(gle|ing|ro)bot|crawl|spider/i.test(navigator.userAgent),et=Z&&\"IntersectionObserver\"in window,nt=Z&&\"classList\"in document.createElement(\"p\"),at=Z&&1<window.devicePixelRatio,it={elements_selector:\".lazy\",container:tt||Z?document:null,threshold:300,thresholds:null,data_src:\"src\",data_srcset:\"srcset\",data_sizes:\"sizes\",data_bg:\"bg\",data_bg_hidpi:\"bg-hidpi\",data_bg_multi:\"bg-multi\",data_bg_multi_hidpi:\"bg-multi-hidpi\",data_poster:\"poster\",class_applied:\"applied\",class_loading:\"litespeed-loading\",class_loaded:\"litespeed-loaded\",class_error:\"error\",class_entered:\"entered\",class_exited:\"exited\",unobserve_completed:!0,unobserve_entered:!1,cancel_on_exit:!0,callback_enter:null,callback_exit:null,callback_applied:null,callback_loading:null,callback_loaded:null,callback_error:null,callback_finish:null,callback_cancel:null,use_native:!1},ot=\"src\",rt=\"srcset\",ct=\"sizes\",lt=\"poster\",st=\"llOriginalAttrs\",ut=\"loading\",dt=\"loaded\",ft=\"applied\",_t=\"error\",vt=\"native\",gt=\"data-\",bt=\"ll-status\",pt=[ut,dt,ft,_t],ht=[ot],mt=[ot,lt],Et=[ot,rt,ct],It={IMG:function(t,e){m(t,function(t){A(t,Et),x(t,e)}),A(t,Et),x(t,e)},IFRAME:function(t,e){A(t,ht),w(t,ot,l(t,e.data_src))},VIDEO:function(t,e){a(t,function(t){A(t,ht),w(t,ot,l(t,e.data_src))}),A(t,mt),w(t,lt,l(t,e.data_poster)),w(t,ot,l(t,e.data_src)),t.load()}},yt=[\"IMG\",\"IFRAME\",\"VIDEO\"],At={IMG:P,IFRAME:function(t){k(t,ht)},VIDEO:function(t){a(t,function(t){k(t,ht)}),k(t,mt),t.load()}},kt=[\"IMG\",\"IFRAME\",\"VIDEO\"];return t.prototype={update:function(t){var e,n,a,i=this._settings,o=X(t,i);{if(h(this,o.length),!tt&&et)return H(i)?(e=i,n=this,o.forEach(function(t){-1!==kt.indexOf(t.tagName)&&F(t,e,n)}),void h(n,0)):(t=this._observer,i=o,t.disconnect(),a=t,void i.forEach(function(t){a.observe(t)}));this.loadAll(o)}},destroy:function(){this._observer&&this._observer.disconnect(),Q(this._settings).forEach(function(t){y(t)}),delete this._observer,delete this._settings,delete this.loadingCount,delete this.toLoadCount},loadAll:function(t){var e=this,n=this._settings;X(t,n).forEach(function(t){b(t,e),V(t,n,e)})},restoreAll:function(){var e=this._settings;Q(e).forEach(function(t){U(t,e)})}},t.load=function(t,e){e=i(e);V(t,e)},t.resetStatus=function(t){r(t)},Z&&function(t,e){if(e)if(e.length)for(var n,a=0;n=e[a];a+=1)o(t,n);else o(t,e)}(t,window.lazyLoadOptions),t});!function(e,t){\"use strict\";function a(){t.body.classList.add(\"litespeed_lazyloaded\")}function n(){console.log(\"[LiteSpeed] Start Lazy Load Images\"),d=new LazyLoad({elements_selector:\"[data-lazyloaded]\",callback_finish:a}),o=function(){d.update()},e.MutationObserver&&new MutationObserver(o).observe(t.documentElement,{childList:!0,subtree:!0,attributes:!0})}var d,o;e.addEventListener?e.addEventListener(\"load\",n,!1):e.attachEvent(\"onload\",n)}(window,document);var litespeed_vary=document.cookie.replace(/(?:(?:^|.*;\\s*)_lscache_vary\\s*\\=\\s*([^;]*).*\\$)|^.*\\$/,\"\");litespeed_vary||fetch(\"/wp-content/plugins/litespeed-cache/guest.vary.php\",{method:\"POST\",cache:\"no-cache\",redirect:\"follow\"}).then(e=>e.json()).then(e=>{console.log(e),e.hasOwnProperty(\"reload\")&&\"yes\"==e.reload&&(sessionStorage.setItem(\"litespeed_docref\",document.referrer),window.location.reload(!0))});const litespeed_ui_events=[\"mouseover\",\"click\",\"keydown\",\"wheel\",\"touchmove\",\"touchstart\"];var urlCreator=window.URL||window.webkitURL;function litespeed_load_delayed_js_force(){console.log(\"[LiteSpeed] Start Load JS Delayed\"),litespeed_ui_events.forEach(e=>{window.removeEventListener(e,litespeed_load_delayed_js_force,{passive:!0})}),document.querySelectorAll(\"iframe[data-litespeed-src]\").forEach(e=>{e.setAttribute(\"src\",e.getAttribute(\"data-litespeed-src\"))}),\"loading\"==document.readyState?window.addEventListener(\"DOMContentLoaded\",litespeed_load_delayed_js):litespeed_load_delayed_js()}litespeed_ui_events.forEach(e=>{window.addEventListener(e,litespeed_load_delayed_js_force,{passive:!0})});async function litespeed_load_delayed_js(){let t=[];for(var d in document.querySelectorAll('script[type=\"litespeed/javascript\"]').forEach(e=>{t.push(e)}),t)await new Promise(e=>litespeed_load_one(t[d],e));document.dispatchEvent(new Event(\"DOMContentLiteSpeedLoaded\")),window.dispatchEvent(new Event(\"DOMContentLiteSpeedLoaded\"))}function litespeed_load_one(t,e){console.log(\"[LiteSpeed] Load \",t);var d=document.createElement(\"script\");d.addEventListener(\"load\",e),d.addEventListener(\"error\",e),t.getAttributeNames().forEach(e=>{\"type\"!=e&&d.setAttribute(\"data-src\"==e?\"src\":e,t.getAttribute(e))});let a=!(d.type=\"text/javascript\");!d.src&&t.textContent&&(d.src=litespeed_inline2src(t.textContent),a=!0),t.after(d),t.remove(),a&&e()}function litespeed_inline2src(t){try{var d=urlCreator.createObjectURL(new Blob([t.replace(/^(?:<!--)?(.*?)(?:-->)?\\$/gm,\"\\$1\")],{type:\"text/javascript\"}))}catch(e){d=\"data:text/javascript;base64,\"+btoa(t.replace(/^(?:<!--)?(.*?)(?:-->)?\\$/gm,\"\\$1\"))}return d} ```"
] | [
null,
"data:image/svg+xml;base64,PHN2ZyB4bWxucz0iaHR0cDovL3d3dy53My5vcmcvMjAwMC9zdmciIHdpZHRoPSIxMDI0IiBoZWlnaHQ9IjU3NiIgdmlld0JveD0iMCAwIDEwMjQgNTc2Ij48cmVjdCB3aWR0aD0iMTAwJSIgaGVpZ2h0PSIxMDAlIiBzdHlsZT0iZmlsbDojY2ZkNGRiO2ZpbGwtb3BhY2l0eTogMC4xOyIvPjwvc3ZnPg==",
null,
"data:image/gif;base64,R0lGODdhAQABAPAAAMPDwwAAACwAAAAAAQABAAACAkQBADs=",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.9646066,"math_prob":0.9849683,"size":1375,"snap":"2022-40-2023-06","text_gpt3_token_len":260,"char_repetition_ratio":0.12983224,"word_repetition_ratio":0.008810572,"special_character_ratio":0.18763636,"punctuation_ratio":0.101167314,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9931933,"pos_list":[0,1,2,3,4],"im_url_duplicate_count":[null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2022-09-26T23:06:46Z\",\"WARC-Record-ID\":\"<urn:uuid:ce3e2d1b-00b0-4d0b-97d4-f9fe9bba6860>\",\"Content-Length\":\"66778\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:afaa74e8-2cc6-4077-b52c-3cae3f1e6955>\",\"WARC-Concurrent-To\":\"<urn:uuid:8aad7d99-05af-41b6-b3e9-c36ffdeef330>\",\"WARC-IP-Address\":\"162.0.217.37\",\"WARC-Target-URI\":\"https://cryptoswami.net/is-blockchain-safe-blockchain-security-explained/\",\"WARC-Payload-Digest\":\"sha1:KV75T7HWZRNIMP4JL3ARCF2QE5UKLGOJ\",\"WARC-Block-Digest\":\"sha1:FZXD45VRW3HBDJOSGSWQ3RLSJIGHQMAO\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2022/CC-MAIN-2022-40/CC-MAIN-2022-40_segments_1664030334942.88_warc_CC-MAIN-20220926211042-20220927001042-00671.warc.gz\"}"} |
http://tysoncbxrn.getblogs.net/23108269/9-signs-you-re-a-percent-calculator-expert | [
"# 9 Signs You're a percent calculator Expert",
null,
"If you've ever found yourself staring at a half-eaten pie, wondering how the part that's left compares to the size of the initial pie, congratulations: You've been pondering percentages. Although technically the term \"portion\" describes a part out of 100, in real-world terms it truly handles how a portion of something-- say, that half-eaten pie-- compares to the whole. For instance, half amounts to 50 percent, or 50 out of 100. You can use a calculator to easily work out percentages.\nThe three terms in a percentage estimation are the part, the whole, and the percentage. In the equation: 25% of 40 = 10, 10 is the part, 40 is the entire, and 25 is the portion. In the mathematics world, working out percentages normally implies that one of those terms is missing and you need to find it. If the concern is \"What portion of 40 is 10?\" you have the part (10) and the whole (40 ), so the omitted term is the percentage. If the question is \"What is 25 percent of 40?\" you have the percentage (25) and the whole (40 ), so the missing term is the part. Using the exact same logic, if the concern is \"10 is 25 percent of what?\" the the term is the whole.\n\nIf the left out term is the percentage, divide the part by the whole using your calculator to figure out the response. For the example formula, this is 10 ÷ 40 = 0.25. If your calculator has a percentage button, press it to identify the percentage. If your calculator does not have such a button, multiply your previous answer by 100 to identify the portion: 0.25 x 100 = 25%.\nVIDEO OF THE DAY\nIf the left out term is the part, use the calculator to multiply the whole by the percentage to determine the response. If your calculator has a portion button, the estimation is as follows: 40 x 25% = 10. If your calculator does not have a percentage button, you must first divide the portion by 100: 25 ÷ 100 = 0.25. You can then multiply this answer by the entire to identify the part: 0.25 x 40 = 10.\nIf the left out term is the entire, divide the part by the percentage to identify the answer. If your calculator has a portion button, the computation is as follows: 10 ÷ 25% = 40. If your calculator does not have a portion button, you should divide the portion by 100 before finishing the calculation: 25 ÷ 100 = 0.25. You can then divide the part by this response to figure out the whole: 10 ÷ 0.25 = 40. Determining portions can be an easy job. There are various portion calculators online that can assist with task by simply browsing for \"percentage calculator.\" Nevertheless, there may be a time when (nevertheless, unlikely it sounds) you might need to be able to compute portions without any digital support.\nBefore you can calculate a portion, you ought to first comprehend exactly what a portion is.\nThe word percentage originates from the word percent. If you split the word percent into its root words, you see \"per\" and \"cent.\" Cent is an old European word with French, Latin, and Italian origins meaning \"hundred\". So, percent is equated straight to \"per hundred.\" If you have 87 percent, you literally have 87 per 100. If it snowed 13 times in the last 100 days, it snowed percentage calculator 13 percent of the time.\nThe numbers that you will be converting into percentages can be offered to you in 2 various formats, decimal and portion. Decimal format is much easier to calculate into a percentage. Transforming a decimal to a portion is as easy as increasing it by 100. To transform.87 to a percent, merely numerous\nIf you are offered a fraction, transform it to a percentage by dividing the leading number by the bottom\nThen, follow the actions above for transforming a decimal to a percent.\n\nThe harder task comes when you require to understand a portion when you are offered numbers that do not fit so nicely into 100.\n\nThe majority of the time, you will be provided a portion of a given number. For example, you may know that 40 percent of your income will go to taxes and you wish to learn just how much money that is. To compute the portion of a particular number, you initially convert the portion number to a decimal.\nAs soon as you have the decimal variation of your percentage, merely increase it by the offered number. In this case, the quantity of your paycheck. If your income is \\$750, you would multiply 750 by.40.\nLet's try another example. You need to save 25 percent of your income for the next 6 months to spend for an approaching trip. If your income is \\$1500, how much should you conserve?"
] | [
null,
"https://www.dummies.com/wp-content/uploads/percentages.jpg",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.92632306,"math_prob":0.9865319,"size":4522,"snap":"2020-34-2020-40","text_gpt3_token_len":1055,"char_repetition_ratio":0.17662683,"word_repetition_ratio":0.051032808,"special_character_ratio":0.25342768,"punctuation_ratio":0.118971065,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9964393,"pos_list":[0,1,2],"im_url_duplicate_count":[null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2020-09-25T08:52:22Z\",\"WARC-Record-ID\":\"<urn:uuid:17fe7d9f-f84d-4408-90aa-cb5168dfe348>\",\"Content-Length\":\"14677\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:8152af98-25b7-4388-9a57-dbd2daa808d0>\",\"WARC-Concurrent-To\":\"<urn:uuid:ca68d98a-2c21-44c8-81bd-011484dd3eb0>\",\"WARC-IP-Address\":\"198.101.14.56\",\"WARC-Target-URI\":\"http://tysoncbxrn.getblogs.net/23108269/9-signs-you-re-a-percent-calculator-expert\",\"WARC-Payload-Digest\":\"sha1:PLSFSPUFRIRORJEZD3GWC47PRYOOKOOH\",\"WARC-Block-Digest\":\"sha1:BSF5PKENKFWUGTKDCBH47TRSE3ENFNDP\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2020/CC-MAIN-2020-40/CC-MAIN-2020-40_segments_1600400223922.43_warc_CC-MAIN-20200925084428-20200925114428-00770.warc.gz\"}"} |
https://nbviewer.jupyter.org/github/jckantor/CBE20255/blob/master/notebooks/07.09-Isothermal-Flash-and-the-Rachford-Rice-Equation.ipynb | [
"This notebook contains course material from CBE20255 by Jeffrey Kantor (jeff at nd.edu); the content is available on Github. The text is released under the CC-BY-NC-ND-4.0 license, and code is released under the MIT license.\n\n# Isothermal Flash and the Rachford-Rice Equation¶\n\n## Summary¶\n\nThis Jupyter notebook illustrates the use of the Rachford-Rice equation solve the material balances for an isothermal flash of an ideal mixture. The video is used with permission from learnCheme.com, a project at the University of Colorado funded by the National Science Foundation and the Shell Corporation.\n\n## Derivation of the Rachford-Rice Equation¶\n\nThe derivation of the Rachford-Rice equation is a relatively straightford application of component material balances and Raoult's law for an ideal solution.\n\nIn :\nfrom IPython.display import YouTubeVideo\nYouTubeVideo(\"ACxOiXWq1SQ\",560,315,rel=0)\n\nOut:\n\nThe quantities, definitions, and equations are summarized in the following figure.",
null,
"To sketch the derivation, we begin with the overall constraint on the liquid phase and vapor phase mole fractions $x_1 + x_2 + \\cdots + x_N = 1$ and $y_1 + y_2 + \\cdots + y_N = 1$. Subtracting the first from the second we find\n\n$$\\sum_{n=1}^N (y_n - x_n) = 0$$\n\nThis doesn't look like much, but it turns out to be the essential trick in the development.\n\nNext we need expressions for $y_n$ and $x_n$ to substitute into terms in the sum. We get these by solving the component material balance and equilibrium equations for $y_n$ and $x_n$. For each species we write a material balance\n\n$$L x_n + V y_n = F z_n$$\n\nDividing through by the feedrate we get a parameter $\\phi = \\frac{V}{L}$ denoting the fraction of the feedstream that leaves the flash unit in the vapor stream, the remaining fraction $1-\\phi$ leaving in the liquid stream. With this notation the material balance becomes\n\n$$(1-\\phi)x_n + \\phi y_n = z_n$$\n\nfor each species.\n\nThe second equation is\n\n$$y_n = K_n x_n$$\n\nwhere the 'K-factor' for an ideal solution is given by Raoult's law\n\n$$K_n = \\frac{P_n^{sat}(T)}{P}$$\n\nThe K-factor depends on the operating pressure and temperature of the flash unit. Solving the material balance and equilibrium equations gives\n\n$$x_n = \\frac{z_n}{1 + \\phi(K_n - 1)}$$$$y_n = \\frac{K_n z_n}{1 + \\phi(K_n - 1)}$$\n\nso that the difference $y_n - x_n$ is given by\n\n$$y_n - x_n = \\frac{(K_n - 1)z_n}{1 + \\phi(K_n - 1)}$$\n\nSubstitution leads to the Rachford-Rice equation\n\n$$\\sum_{n=1}^{N} \\frac{(K_n - 1)z_n}{1 + \\phi(K_n - 1)} = 0$$\n\nThis equation can be used to solve a variety of vapor-liquid equilibrium problems as outline in the following table.\n\n## Problem Classification¶\n\nProblem Type zi's T P φ Action\nBubble Point unknown 0 Set xi = zi. Solve for T and yi's\nBubble Point unknown 0 Set xi = zi. Solve for P and yi's\nDew Point unknown 1 Set yi = zi. Solve for T and xi's\nDew Point unknown 1 Set yi = zi. Solve for P and xi's\nIsothermal Flash unknown Solve for φ, xi's, and yi's\n\n## Isothermal Flash of a Binary Mixture¶\n\nProblem specifications\n\nIn :\nimport numpy as np\nimport matplotlib.pyplot as plt\n%matplotlib inline\n\nIn :\nA = 'acetone'\nB = 'ethanol'\n\nP = 760\nT = 65\n\nz = dict()\nz[A] = 0.6\nz[B] = 1 - z[A]\n\n\nCompute the K-factors for the given operating conditions\n\nIn :\n# Antoine's equations. T [deg C], P [mmHg]\nPsat = dict()\nPsat[A] = lambda T: 10**(7.02447 - 1161.0/(224 + T))\nPsat[B] = lambda T: 10**(8.04494 - 1554.3/(222.65 + T))\n\n# Compute K-factors\nK = dict()\nK[A] = Psat[A](T)/P\nK[B] = Psat[B](T)/P\n\nprint(\"Pressure {:6.2f} [mmHg]\".format(P))\nprint(\"Temperature {:6.2f} [deg C]\".format(T))\nprint(\"K-factors:\")\nfor n in Psat:\nprint(\" {:s} {:7.3f}\".format(n,K[n]))\n\nPressure 760.00 [mmHg]\nTemperature 65.00 [deg C]\nK-factors:\nacetone 1.338\nethanol 0.576\n\n\nRachford-Rice equation\n\nIn :\ndef RR(phi):\nreturn (K[A]-1)*z[A]/(1 + phi*(K[A]-1)) + (K[B]-1)*z[B]/(1 + phi*(K[B]-1))\n\nphi = np.linspace(0,1)\nplt.plot(phi,[RR(phi) for phi in phi])\nplt.xlabel('Vapor Fraction phi')\nplt.title('Rachford-Rice Equation')\nplt.grid();",
null,
"Finding roots of the Rachford-Rice equation\n\nIn :\nfrom scipy.optimize import brentq\n\nphi = brentq(RR,0,1)\n\nprint(\"Vapor Fraction {:6.4f}\".format(phi))\nprint(\"Liquid Fraction {:6.4f}\".format(1-phi))\n\nVapor Fraction 0.2317\nLiquid Fraction 0.7683\n\n\nCompositions\n\nIn :\nx = dict()\ny = dict()\n\nprint(\"Component z[n] x[n] y[n]\")\n\nfor n in [A,B]:\nx[n] = z[n]/(1 + phi*(K[n]-1))\ny[n] = K[n]*x[n]\nprint(\"{:10s} {:6.4n} {:6.4f} {:6.4f}\".format(n,z[n],x[n],y[n]))\n\nComponent z[n] x[n] y[n]\nacetone 0.6 0.5565 0.7444\nethanol 0.4 0.4435 0.2556\n\n\n## Multicomponent Mixtures¶\n\nIn :\nP = 760\nT = 65\n\nz = dict()\nz['acetone'] = 0.6\nz['benzene'] = 0.01\nz['toluene'] = 0.01\nz['ethanol'] = 1 - sum(z.values())\n\nIn :\nPsat = dict()\nPsat['acetone'] = lambda T: 10**(7.02447 - 1161.0/(224 + T))\nPsat['benzene'] = lambda T: 10**(6.89272 - 1203.531/(219.888 + T))\nPsat['ethanol'] = lambda T: 10**(8.04494 - 1554.3/(222.65 + T))\nPsat['toluene'] = lambda T: 10**(6.95805 - 1346.773/(219.693 + T))\n\nK = {n : lambda P,T,n=n: Psat[n](T)/P for n in Psat}\n\nprint(\"Pressure {:6.2f} [mmHg]\".format(P))\nprint(\"Temperature {:6.2f} [deg C]\".format(T))\nprint(\"K-factors:\")\nfor n in K:\nprint(\" {:s} {:7.3f}\".format(n,K[n](P,T)))\n\nPressure 760.00 [mmHg]\nTemperature 65.00 [deg C]\nK-factors:\nacetone 1.338\nbenzene 0.613\nethanol 0.576\ntoluene 0.222\n\nIn :\ndef RR(phi):\nreturn sum([(K[n](P,T)-1)*z[n]/(1 + phi*(K[n](P,T)-1)) for n in K.keys()])\n\nphi = np.linspace(0,1)\nplt.plot(phi,[RR(phi) for phi in phi])\nplt.xlabel('Vapor Fraction phi')\nplt.title('Rachford-Rice Equation')\nplt.grid();",
null,
"In :\nfrom scipy.optimize import brentq\n\nphi = brentq(RR,0,1)\n\nprint(\"Vapor Fraction {:6.4f}\".format(phi))\nprint(\"Liquid Fraction {:6.4f}\".format(1-phi))\n\nVapor Fraction 0.2033\nLiquid Fraction 0.7967\n\nIn :\nx = {n: z[n]/(1 + phi*(K[n](P,T)-1)) for n in z}\ny = {n: K[n](P,T)*z[n]/(1 + phi*(K[n](P,T)-1)) for n in z}\n\nprint(\"Component z[n] x[n] y[n]\")\n\nfor n in z.keys():\nprint(\"{:10s} {:6.4f} {:6.4f} {:6.4f}\".format(n,z[n],x[n],y[n]))\n\nComponent z[n] x[n] y[n]\nacetone 0.6000 0.5615 0.7511\nbenzene 0.0100 0.0109 0.0067\ntoluene 0.0100 0.0119 0.0026\nethanol 0.3800 0.4158 0.2396\n\n\nExperiments suggest the bursting pressure of a 2 liter soda bottle is 150 psig.\n\n## Exercises¶\n\n### Design of a Carbonated Beverage¶\n\nThe purpose of carbonating beverages is to provide a positive pressure inside the package to keep out oxygen and other potential contaminants. The burst pressure of 2 liter soda bottles has been measured to be 150 psig (approx. 10 atm). For safety, suppose you want the bottle pressure to be no more than 6 atm gauge on a hot summer day in Arizona (say 50 °C, ) and yet have at least 0.5 atm of positive gauge pressure at 0 °C. Assuming your beverage is a mixture of CO2 and water, is it possible to meet this specification? What concentration (measured in g of CO2 per g of water) would you recommend?\n\nIn [ ]:"
] | [
null,
"https://raw.githubusercontent.com/jckantor/CBE20255/master/notebooks/figures/FlashDrumFigure.png",
null,
"data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAYwAAAEWCAYAAAB1xKBvAAAABHNCSVQICAgIfAhkiAAAAAlwSFlzAAALEgAACxIB0t1+/AAAADl0RVh0U29mdHdhcmUAbWF0cGxvdGxpYiB2ZXJzaW9uIDIuMi4yLCBodHRwOi8vbWF0cGxvdGxpYi5vcmcvhp/UCwAAIABJREFUeJzt3Xd4VNXWwOHfSkISIPQSqlKlKggRpCfSFQW9ICgiIIiI2NHPckWv5VpQsaAiIgKKBkUUFBRpoUhHQYr0GpVeA9LX98eceMc4IZPMJJPJrPd5zjNz9tn7nLVnYFZO20dUFWOMMSYjYYEOwBhjTHCwhGGMMcYrljCMMcZ4xRKGMcYYr1jCMMYY4xVLGMYYY7xiCcMEDREZKyLPX2R5MxHZLCIpItLFD9uLF5FkH9q3EJGNvsaRW4nIJc5nHR7oWEzOsIRh/E5EdojIn86PyR7nhz4mBzb9LDBCVWNU9evs3piIPCMiZ51+HhGRRSLSJHW5qi5Q1Rp+3mYlEVFnm+5Td39uJ51t7xCRNqnzqrrL+azPZ/e2Te5gCcNkl+tVNQaoD1wJPJ4D27wUWJeVhiISkcVtTnT6WRKYC3yRxfVkVlHnxzp1mphD2zUhzBKGyVaqugeYgStxACAi14nIzyJyTER2i8gz7m1EpLnz1/oRZ3kft8XFRGSaiBwXkaUiUtVpsxWoAnzj/MUdJSLlRGSqiBwSkS0icqfbNp4RkUki8omIHAP6iEh+Z2/osIisB67KRD/PAROA8iJSytnG3w5piUhFEZksIvtF5KCIjHBbdoeI/Opse4aIXOrtttN8diWcPh8TkWUi8pyILHSWpe6dRLjVTxKR/s77qiIyx4ntgIhMEJGizrKPgUvcPt9H067Pi8/7cxEZ73x360QkLit9NIFjCcNkKxGpAHQEtrgVnwBuB4oC1wF3p55zEJFLgO+At4FSuBLNKre2twD/AYo563wBQFWrArtw9mxU9TTwGZAMlAO6Av8VkdZu6+oMTHLimAA8DVR1pvZA70z0M9Lp00HgsIfl4cC3wE6gElAeSHSWdQGeAG5y+rzAiT0r3gFOAWWBO5zJ624AL+L6vGoBFYFnAFS1F3//fF/x0D6jz/sGXH0uCkwFRvxjDSZ3U1WbbPLrBOwAUoDjgAKzcR1CSa/+G8Bw5/3jwFfp1BsLjHabvxbYkGa7bZz3FYHzQCG35S8CY533zwDz06x/G9DBbX4AkHyRuJ8BzgBHnG0dBOLdlsentgeaAPuBCA/r+Q7o5zYfBpwELvVQt5LzmR5JM9UCwoGzQE23+v8FFqZpG+G2PAnon07/ugA/e/p8067Py897ltuy2sCfgf63alPmJtvDMNmli6oWwvWjWRPXMX4ARKSxiMx1Ds0cBQa6La8IbL3Ieve4vT8JpHcyvRxwSFWPu5XtxPWXfardHtq4l+10i7mn2wnm79zqfK6qRYFYYC3QMJ14KgI71XXoKq1LgTedQ3BHgEO4/tov76FuqpKqWtRt+hXX3klEen3IiIiUFpFEEfnNOUz3CW7fWwa8+bzTfnfRPpw7MgFgCcNkK1Wdh2vP4FW34k9xHZKoqKpFgJG4fiDB9WNX1Q+b/h0oLiKF3MouAX5zDy9Nmz9w/bC713dVVJ2g/zvB3DHtxlT1AHAX8IyIlPUQz27gknR+IHcDd6VJAPlVddFFe/hP+4Fz6fUB16FAgAJuZWXc3r+I6zO5QlULA7fxv+8F/vl5ufPm8zZBzhKGyQlvAG1FJPXEdyFcf42eEpFGwK1udScAbUTkZhGJcE7i1k+7woyo6m5gEfCiiESLyBVAP2f96fkceFxEijnnXu7N5DY34DrB/6iHxctwJaSXRKSgE1MzZ9lIZ7t1AESkiIh0y8y2ne2fBybjSloFRKQ2budhVHU/rh/w20QkXETu4O/JuRCuQ4lHRKQ88EiaTezFdWGBp21n5fM2QcYShsl2zg/VeOApp2gQ8KyIHAeG4vqhTq27C9e5iYdxHZpZBdTL4qZvwXWc/XfgK+BpVZ15kfr/wXUYZTvwA/BxFrY5DBggIqXdC50f8+uBarhOHicD3Z1lXwEvA4nOoaC1uC4UuJgj8vf7MB5yygfjOky3B9ee3Udp2t2JKxEcBOrg+pFP9R+gAXAUmIYr+bh7Efi3c+hsiIeYMvt5myAjqvYAJWPyKueS5P6q2jzQsZjgZ3sYxhhjvGIJwxhjjFfskJQxxhiv2B6GMcYYr+Spm2ZKliyplSpVylLbEydOULBgQf8GlMtZn0OD9Tk0+NLnlStXHlDVUhnVy1MJo1KlSqxYsSJLbZOSkoiPj/dvQLmc9Tk0WJ9Dgy99FhGvRgSwQ1LGGGO8YgnDGGOMVyxhGGOM8YolDGOMMV6xhGGMMcYrljCMMcZ4xRKGMcYYr1jCAPYfP81nG06z//jpQIdijDG5liUMYNHWA8zceY6Wr8zlle83cPTk2UCHZIwxuU6eutM7qzrXL8+fv21k0bFivDdvKx8v2cmAFlXo27wyMVH2ERljDNgexl/KFAzjrVuu5Lv7W3B1lRK8NnMTLV+Zywfzt3Hq7PlAh2eMMQFnCSONmmUK88HtcXx9TzPqlCvMC9N/pdWwuXy8ZCdnzl0IdHjGGBMwljDSUb9iUT7u15jEAVdTsVgBnvp6La1fT2LSymTOX7BniBhjQo8ljAxcXaUEXwxswkd9r6JI/nwM+WI17d+Yz/Q1f3DBEocxJoT4JWGISAcR2SgiW0TkMQ/Lo0RkorN8qYhUcsrbishKEVnjvF7j1ibJWecqZyrtj1izQkRIqFGabwY3572eDQAYNOEnrh+xkLkb92FPLTTGhAKfE4aIhAPvAB2B2sAtIlI7TbV+wGFVrQYMB152yg8A16vq5UBv4OM07Xqqan1n2udrrL4SETpeXpYZD7TktW71OHbqLH0/Ws7N7y9m6baDgQ7PGGOylT/2MBoBW1R1m6qeARKBzmnqdAbGOe8nAa1FRFT1Z1X93SlfB0SLSJQfYspW4WHCvxpWYPZD8TzXpS47D56k+6gl3D5mGWuSjwY6PGOMyRbi6+EUEekKdFDV/s58L6Cxqg52q7PWqZPszG916hxIs56BqtrGmU8CSgDngS+B59VDsCIyABgAEBsb2zAxMTFL/UhJSSEmJiZLbc+cV2bvOse0bWdIOQsNY8O5qXok5WNy9ykiX/ocrKzPocH6nDkJCQkrVTUuw4qq6tMEdANGu833At5OU2cdUMFtfitQwm2+jlNW1a2svPNaCPgBuD2jWBo2bKhZNXfu3Cy3TXXszzM6fOZGrTP0e6382Lf64MSfddfBEz6vN7v4o8/BxvocGqzPmQOsUC9+7/3xJ3AyUNFtvgLwe3p1RCQCKAIccuYrAF85CWGrWyL7zXk9DnyK69BXrlYoOh8PtLmMBY8mcGeLKkz75Q+ueS2Jp75ey75jpwIdnjHG+MQfCWM5UF1EKotIJNADmJqmzlRcJ7UBugJzVFVFpCgwDXhcVX9MrSwiESJS0nmfD+gErPVDrDmiWMFIHr+2FvMfTaD7VRX5bNkuWg6by4vTf+XwiTOBDs8YY7LE54ShqueAwcAM4Ffgc1VdJyLPisgNTrUPgRIisgV4CEi99HYwUA14Ks3ls1HADBH5BVgF/AZ84GusOS22cDTPd7mcOQ/H07FuWUYt2EbLV+by1uzNpJw+F+jwjDEmU/wysp6qTgempykb6vb+FK5zHWnbPQ88n85qG/ojttzgkhIFGN69PgNbVeW1Hzby+sxNjFu0g0EJ1ejZ+BKi84UHOkRjjMlQ7r6MJ4+pUaYQo26P46tBTalZthDPfbuea15NYuLyXZw7b+NUGWNyN0sYAXDlJcWY0P9qJvRvTKnC0fzfl2toN3w+036x4UaMMbmXJYwAalatJF8Pasr7vRoSHibc8+lP3PDOQpJsuBFjTC5kCSPARIT2dcrwvTPcyJGTZ+nz0XK6j1rCyp2HAh2eMcb8xRJGLpE63Mich+N5tnMdtu0/wb/eW0z/ccvZsOdYoMMzxhhLGLlNZEQYtzepxPxH43mkfQ2Wbj9ExzcX8ODEVew6eDLQ4RljQpgljFyqQGQE9yRUY8GjCdzVsirT1/xB69eTGDplLfuO213jxpicZwkjlytaIJLHOtZk3iMJdIuryISlu2j1ShKvztjIsVNnAx2eMSaEWMIIEmWKRPPfGy9n9kOtaFM7lhFzt9DylbmMmr+VU2fPBzo8Y0wIsIQRZCqVLMjbt1zJt/c2p16Fovx3+gbihyWRuMxu/jPGZC9LGEGqbvkijLujEZ/deTVli0bz2OQ1tHOeNW73cBhjsoMljCDXpGoJJt/dlFG9GhIuwqAJP9HlnR9ZtOVAxo2NMSYTLGHkASJCO+fmv1e6XsH+46e5dfRSen24lLW/2SNjjTH+YQkjDwkPE26Oq8icIfH8+7parPntKJ3eXsi9n/3MzoMnAh2eMSbIWcLIg6LzhdO/RRXmP5rA4IRqzFq/l9avzWPolLXsP3460OEZY4KUJYw8rHB0Poa0r8G8R+Lp0ci5h2PYXF6fuYnjdg+HMSaTLGGEgNLOk/9mPtiShBqleWv2ZloNS2LmjrOcPmf3cBhjvGMJI4RUKRXDOz0bMOWeZtSILcSEDWdo8/o8pqz6zZ7DYYzJkCWMEFSvYlE+vbMxDzeMIiYqH/cnruL6EQtZsHl/oEMzxuRifksYItJBRDaKyBYReczD8igRmegsXyoildyWPe6UbxSR9t6u02SdiHB5qQim3ducN7rX5+ifZ+n14TK7FNcYky6/JAwRCQfeAToCtYFbRKR2mmr9gMOqWg0YDrzstK0N9ADqAB2Ad0Uk3Mt1Gh+FhQldrizP7Idb8VSn2qx1LsW9P/Fndh+y4dSNMf/jrz2MRsAWVd2mqmeARKBzmjqdgXHO+0lAaxERpzxRVU+r6nZgi7M+b9Zp/CQqIpx+zSsz79EE7kmoyox1e2j92jye/WY9h0+cCXR4xphcwF8Jozyw220+2SnzWEdVzwFHgRIXaevNOo2fFY7OxyPta5I0JIGbGpRn7KLttHxlLu8mbbFRcY0JcRF+Wo94KEt72U16ddIr95TM/nEpj4gMAAYAxMbGkpSUdNFA05OSkpLltsEqoz53KAGXN8vPFxvP8Mr3G/lg7iZuqp6PZuUjCBNPX1vuZ99zaLA+Zw9/JYxkoKLbfAXg93TqJItIBFAEOJRB24zWiaqOAkYBxMXFaXx8fJY6kJSURFbbBitv+9yzEyzddpD/freBD9ceYeH+KB7rWJP4GqWQIEsc9j2HButz9vDXIanlQHURqSwikbhOYk9NU2cq0Nt53xWYo65xuKcCPZyrqCoD1YFlXq7T5JDGVUrw9aCmvHNrA06dO0/fscvpOXopa5LtiipjQoVf9jBU9ZyIDAZmAOHAGFVdJyLPAitUdSrwIfCxiGzBtWfRw2m7TkQ+B9YD54B7VPU8gKd1+iNekzUiwnVXlKVt7Vg+XbqTt+Zs4foRC+lcvxxD2tWgYvECgQ7RGJON/HVIClWdDkxPUzbU7f0poFs6bV8AXvBmnSbwIiPC6NOsMjc1rMD787YyesF2vluzh95NL+WehGoULRAZ6BCNMdnA7vQ2WfbXFVWPxHND/XKMXridVsOSGL1gm41RZUweZAnD+Kxskfy82q0e0+5twRUVivD8tF9p8/o8vln9uz0u1pg8xBKG8Zva5Qrzcb/GjL+jEQUjI7j3s5/p8u4ilm0/FOjQjDF+YAnD+F3Ly0ox7b4WDOt6BXuPnuLm9xdz18cr2LY/JdChGWN8YAnDZIvwMKFbXEXmDolnSLvLWLj5AO2Gz+eZqes4ZEONGBOULGGYbJU/MpzB11Qn6ZEEul9VkfGLd9DqlbmMnLfVhhoxJshYwjA5olShKF648XJmPNCSqyoX56XvNtD6NdfDm+zEuDHBwRKGyVHVYwsxps9VfNq/MUXyux7edOO7i1i5006MG5PbWcIwAdG0Wkm+ubc5w7pewR9H/+Rf7y1m0ISV7Dpoz+AwJrfy253exmRW6onx664oy6j523h/3jZmrd9H76aXMvia6hTJny/QIRpj3Ngehgm4ApERPNDmMpIeiaezc8d4/LC5jF+8g3PnLwQ6PGOMwxKGyTViC0czrFs9vhncnBplCjF0yjo6vLmAuRv22YlxY3IBSxgm16lbvgif3Xk1o3o15Nz5C/Qdu5zbxyxj457jgQ7NmJBmCcPkSiJCuzpl+OHBVjzVqTardx+h45vzeeKrNRxIOR3o8IwJSZYwTK4WGRFGv+aVmfdIArc3qcTE5btJGJbEqPlbbURcY3KYJQwTFIoVjOSZG+ow44EWxFUqxn+nb6Dd8PnMWLfHzm8Yk0MsYZigUq10IT7q24ixfa8iX3gYd328kls+WMK63+1RscZkN0sYJijF1yjN9/e34NnOddiw5zid3l7I45N/sfMbxmQjSxgmaEWEh3F7k0rMG5JA36aV+WJFMgnDkvhg/jbOnLP7N4zxN0sYJugVKZCPodfX5vsHWtKwUjFemP4r7d+Yz6z1e+38hjF+5FPCEJHiIjJTRDY7r8XSqdfbqbNZRHo7ZQVEZJqIbBCRdSLyklv9PiKyX0RWOVN/X+I0oaFa6RjG9m3ER32vQgT6j1/B7WOWsXmv3b9hjD/4uofxGDBbVasDs535vxGR4sDTQGOgEfC0W2J5VVVrAlcCzUSko1vTiapa35lG+xinCSEJNUoz44GWDHXu3+jw5gKembqOoyfPBjo0Y4KarwmjMzDOeT8O6OKhTntgpqoeUtXDwEygg6qeVNW5AKp6BvgJqOBjPMYAkC88jDuaV2bukHh6OA9uin91LnN2neX8BTtMZUxWiC/HeEXkiKoWdZs/rKrF0tQZAkSr6vPO/FPAn6r6qludorgSRhtV3SYifYAXgf3AJuBBVd2dTgwDgAEAsbGxDRMTE7PUl5SUFGJiYrLUNliFUp93HjvPp7+eYePhC1QsFEbPWpHULB4e6LByRCh9z6msz5mTkJCwUlXjMqqX4fDmIjILKONh0ZNexiIeyv7KUiISAXwGvKWq25zib4DPVPW0iAzEtfdyjaeVq+ooYBRAXFycxsfHexnW3yUlJZHVtsEq1Pp8+/XKsImzmbIjjJeW/cl1l5flietqUb5o/kCHlq1C7XsG63N2yTBhqGqb9JaJyF4RKauqf4hIWWCfh2rJQLzbfAUgyW1+FLBZVd9w2+ZBt+UfAC9nFKcxGRERGpWJ4N6bWvD+/K28l7SV2Rv2Mii+GgNaViE6X2jscRiTVb6ew5gK9Hbe9wameKgzA2gnIsWck93tnDJE5HmgCPCAewMn+aS6AfjVxziN+Uv+yHAeaHMZsx9uxTU1S/P6zE20eX0e36+1YUaMuRhfE8ZLQFsR2Qy0deYRkTgRGQ2gqoeA54DlzvSsqh4SkQq4DmvVBn5Kc/nsfc6ltquB+4A+PsZpzD9UKFaAd3s25NP+jSkQGc7AT1bS60O7DNeY9Pj0iFbn0FFrD+UrgP5u82OAMWnqJOP5/Aaq+jjwuC+xGeOtptVKMv2+FkxYuovXfthIxzcX0LdZJe5rXZ1C0faYWGNS2Z3exuAaZqR300rMHRJPt7gKjF64nWtem8fkn5LtMJUxDksYxrgpERPFizddwdeDmlGuaH4e+nw13UYuZu1vNhquMZYwjPGgXsWifHV3U17pegXbD5zghhEL+ffXazhy8kygQzMmYCxhGJOOsDDh5riKzBkSz+1NKvHp0l0kvJpE4rJdXLC7xU0IsoRhTAaK5M/HMzfUYdp9LahWOobHJq/hxvcW8UvykUCHZkyOsoRhjJdqlS3M53c1YXj3evx+5E86v/MjT3y1hsMn7DCVCQ2WMIzJBBHhxisrMOfhVtzRrDITl+8m4bUkPrPDVCYEWMIwJgsKRefjqU61mXZfcy4rXYjHJ6/hpvcW2dVUJk+zhGGMD2qWKczEu67m9ZvrkXz4JDeMWMjQKWs5+qc9e8PkPZYwjPGRiHBTgwrMfjieXldfyidLdtL6tSS+XGk3/Zm8xRKGMX5SJH8+/tO5LlMHN6di8QI8/MVquo9awiYbm8rkEZYwjPGzuuWL8OXAprx00+Vs2nuca99cwEvfbeDkmXOBDs0Yn1jCMCYbhIUJPRpdwpyH47mpQXlGzttK29fnM3P93kCHZkyWWcIwJhsVLxjJK13r8cXAJsRERXDn+BX0H7eC5MMnAx2aMZlmCcOYHHBVpeJ8e19znri2Jou2HqDt6/N5f95Wzp6/EOjQjPGaJQxjcki+8DAGtKzKzIda0bx6SV78bgPXv72QlTsPBTo0Y7xiCcOYHFa+aH4+uD2OUb0acuzPs/zrvcU8PvkXGwnX5HqWMIwJkHZ1yjDzoVbc2aIyn69IpvVr8/jqZ7t3w+ReljCMCaCCURE8eV1tvnHu3Xhw4mp6fbiMHQdOBDo0Y/7B54QhIsVFZKaIbHZei6VTr7dTZ7OI9HYrTxKRjSKyyplKO+VRIjJRRLaIyFIRqeRrrMbkVrXLFebLu5vyXOc6rN59hPZvzOeduVs4c85Oipvcwx97GI8Bs1W1OjDbmf8bESkOPA00BhoBT6dJLD1Vtb4z7XPK+gGHVbUaMBx42Q+xGpNrhYcJvZpUYtbDrWhdqzTDZmyk09sLWLHDToqb3MEfCaMzMM55Pw7o4qFOe2Cmqh5S1cPATKBDJtY7CWgtIuKHeI3J1WILR/Nuz4Z82DuOE6fP03XkYp74ao0NaGgCTnw9wSYiR1S1qNv8YVUtlqbOECBaVZ935p8C/lTVV0UkCSgBnAe+BJ5XVRWRtUAHVU122mwFGqvqgTTrHgAMAIiNjW2YmJiYpX6kpKQQExOTpbbByvqc+506p3y15Qw/7DhHkSihZ61I4mLDyczfTsHWZ3+wPmdOQkLCSlWNy6hehDcrE5FZQBkPi570Mh5P/7pTM1VPVf1NRArhShi9gPEZtPlfgeooYBRAXFycxsfHexnS3yUlJZHVtsHK+hwcOrSBNclHeWzyL7yz6hhta8fybOc6lC2S36v2wdhnX1mfs4dXh6RUtY2q1vUwTQH2ikhZAOd1n4dVJAMV3eYrAL876/7NeT0OfIrrHMff2ohIBFAEsIO5JiRdXqEIU+5pxhPX1mTB5v20fX0+4xfvsKf8mRzlj3MYU4HUq556A1M81JkBtBORYs7J7nbADBGJEJGSACKSD+gErPWw3q7AHLUL1E0Ii3DuFP/hgVZceUlRhk5ZR9eRi2z4dJNj/JEwXgLaishmoK0zj4jEichoAFU9BDwHLHemZ52yKFyJ4xdgFfAb8IGz3g+BEiKyBXgID1dfGROKLilRgPF3NGJ493psP3CC695awPCZmzh97nygQzN5nFfnMC5GVQ8CrT2UrwD6u82PAcakqXMCaJjOek8B3XyNz5i8SES48coKtKxeiue+Xc+bszczfc0fvPSvK2h4qcdboYzxmd3pbUwQKxETxRs9ruSjPldx4vQ5uo5cxDNT13HitD2syfifJQxj8oCEmqX54aFW3H71pYxbvIN2w+czb9P+QIdl8hhLGMbkETFREfync10mDWxCdL4weo9ZxsOfrybljF0rYvzD53MYxpjcpeGlxZl2XwvenrOZkfO2MSsfRJTbQ4e6nm6lMsZ7todhTB4UnS+cR9rXZMo9zSgSKQz8ZCX3TPiJ/cdPBzo0E8QsYRiTh9UtX4ShTaIZ0u4yZq7fS9vh85iy6jd75obJEksYxuRxEWHC4GuqM+2+5lQuWZD7E1dx5/iV7Dt2KtChmSBjCcOYEFE9thCTBjblyWtrsWDzftq8Po/JP9kT/oz3LGEYE0LCw4Q7W1bhu/tbcFlsIR76fDX9xq1gz1Hb2zAZs4RhTAiqUiqGiXc1YWin2izaeoC2w+fx+YrdtrdhLsoShjEhKjxMuKN5Zb6/vyW1yhbm0Um/cMfY5ey1cxsmHZYwjAlxlUoWJPHOq3n6+tos3naQtnZuw6TDEoYxhrAwoW+zynx3f8u/zm3cOX4l+47b3ob5H0sYxpi/VC5ZkIl3NeHf17mupGo3fL7dt2H+YgnDGPM34WFC/xZVmHZfCyqVcN23MfjTnzl04kygQzMBZgnDGONRtdIxTBrYhEfa1+CH9XtoN3w+s9bvDXRYJoAsYRhj0hURHsY9CdWYOrg5pQpF0X/8CoZ8sZpjp84GOjQTAJYwjDEZqlW2MFPuacbghGpM/imZDsPn8+OWA4EOy+QwSxjGGK9ERoQxpH0Nvry7KdH5wuk5einPTF3Hn2fsWeKhwqeEISLFRWSmiGx2Xj0+TFhEejt1NotIb6eskIiscpsOiMgbzrI+IrLfbVl/T+s1xuS8Ky8pxrT7WtCnaSXGLtpBp7cX8EvykUCHZXKAr3sYjwGzVbU6MNuZ/xsRKQ48DTQGGgFPi0gxVT2uqvVTJ2AnMNmt6US35aN9jNMY40f5I8N55oY6fNyvESdOn+emdxfx1uzNnDt/IdChmWzka8LoDIxz3o8Dunio0x6YqaqHVPUwMBPo4F5BRKoDpYEFPsZjjMlBLaqXYsYDLbn28rK8PnMTXUcuZtv+lECHZbKJ+HJDjogcUdWibvOHVbVYmjpDgGhVfd6Zfwr4U1VfdaszFCisqkOc+T7Ai8B+YBPwoKruTieGAcAAgNjY2IaJiYlZ6ktKSgoxMTFZahusrM+hIaf6vOSPc4xfd5pzCj1qRJJQMQIRyfbtemLfc+YkJCSsVNW4jOpl+ExvEZkFeHoY8JNexuLpX0zaLNUD6OU2/w3wmaqeFpGBuPZervG0clUdBYwCiIuL0/j4eC/D+rukpCSy2jZYWZ9DQ071OR7oc/QUj0xazfj1B/jtQlFe7noFJWOisn3badn3nD0yPCSlqm1Uta6HaQqwV0TKAjiv+zysIhmo6DZfAfg9dUZE6gERqrrSbZsHVTX14cMfAA0z3TNjTI4rUySacX0bMbRTbRZsOUCHN+YzZ4Pd7JdX+HoOYyrQ23nfG5jioc4MoJ2IFHOuomrnlKW6BfjMvUFqEnLcAPzqY5zGmBwS5gyb/s3g5pSMieKOsSv499dr7PLbPMDXhPES0FZENgNtnXm0euHUAAAU/UlEQVREJE5ERgOo6iHgOWC5Mz3rlKW6mTQJA7hPRNaJyGrgPqCPj3EaY3JYjTKFmDK4GQNaVmHC0l1c9/YC1iQfDXRYxgcZnsO4GFU9CLT2UL4C6O82PwYYk846qngoexx43JfYjDGBFxURzhPX1iL+slI8/MVqbnrvRx5uV4MBLaoQFhaYE+Im6+xOb2NMtmtarSTf3d+CtrVjeem7Ddz24VJ7jngQsoRhjMkRRQtE8s6tDXj5X5fz864jdHhzPt+v3RPosEwmWMIwxuQYEaH7VZcw7b7mVCxWgIGfrOTxyb9w8sy5QIdmvGAJwxiT46qUiuHLu5sysFVVEpfvptPbC1n3u50Qz+0sYRhjAiIyIozHOtZkQr/GnDh9jhvfWcRHP263x8HmYpYwjDEB5Toh3pIW1Uvyn2/Wc+f4FfY42FzKEoYxJuCKF4xkdO84nr6+NvM3HaDjm/NZtNUe0JTbWMIwxuQKIkLfZpX56p6mFIyKoOfopbz2w0YbMj0XsYRhjMlV6pQrwrf3Nqdbwwq8PWcLt3ywhD+O/hnosAyWMIwxuVCByAhe6VqPN3vUZ/3vx+j45gJmrbdBDAPNEoYxJtfqXL88397XgvJF89N//Aqe+3Y9Z87ZIapAsYRhjMnVKpcsyORBTenTtBIfLtxO15GL2HnwRKDDCkmWMIwxuV5UhOsZ4iNva8COAyfo9NZCpq/5I9BhhRxLGMaYoNGhblmm3deCqqVjGDThJ56espbT5+w5GznFEoYxJqhULF6Az+9qwh3NKjNu8U66jVzM7kMnAx1WSLCEYYwJOpERYQy9vjYjb2vI9gMnuO6tBfywzka+zW6WMIwxQatD3TJMu7cFl5YoyICPV9pVVNnMEoYxJqhdUqIAk+5uQu8ml/Lhwu30GLWYQ6csaWQHSxjGmKAXFRHOfzrXZcStV7Jxz3Ge/vFPFmzeH+iw8hyfE4aIFBeRmSKy2Xktlk6970XkiIh8m6a8sogsddpPFJFIpzzKmd/iLK/ka6zGmLyt0xXlmDK4OYWjhNvHLOOt2Zu5cMGGS/cXf+xhPAbMVtXqwGxn3pNhQC8P5S8Dw532h4F+Tnk/4LCqVgOGO/WMMeaiqpWOYejV+elcrxyvz9xE37HLOWzDpfuFPxJGZ2Cc834c0MVTJVWdDRx3LxMRAa4BJnlo777eSUBrp74xxlxUVIQwvHt9nu9Sl8VbD3LdWwtYtftIoMMKeuLr061E5IiqFnWbP6yq6R2WigeGqGonZ74ksMTZi0BEKgLfqWpdEVkLdFDVZGfZVqCxqh5Is84BwACA2NjYhomJiVnqR0pKCjExMVlqG6ysz6Eh1Pu8/eh5Rvx8mqOnldtqR9KqQgR58W9PX77nhISElaoal1G9CG9WJiKzgDIeFj2Z2cDSrtpDmXqx7H8FqqOAUQBxcXEaHx+fpUCSkpLIattgZX0ODaHe53igS5sz3D9xFWPX7edEdGme61KX6HzhgQzR73Lie/YqYahqm/SWicheESmrqn+ISFlgXya2fwAoKiIRqnoOqAD87ixLBioCySISARQBDmVi3cYYA0CxgpF81Ocq3py1ibfmbOHXPcd4r2dDKhYvEOjQgoo/zmFMBXo773sDU7xtqK7jYXOBrh7au6+3KzBH7enwxpgsCg8THmpXg9G3x7Hz4EmuH7GQeZvs0tvM8EfCeAloKyKbgbbOPCISJyKjUyuJyALgC1wnr5NFpL2z6P+Ah0RkC1AC+NAp/xAo4ZQ/RPpXXxljjNfa1I7lm8HNKVM4mj4fLWPEHLv01lteHZK6GFU9CLT2UL4C6O823yKd9tuARh7KTwHdfI3PGGPSquQ8Y+PxyWt49YdNrPntKK/dXJ+YKJ9/EvM0u9PbGBOSCkRG8Eb3+jzVqTazft1Hl3d+ZOv+lECHlatZwjDGhCwRoV/zynzcrxGHTpyhy4gf7dnhF2EJwxgT8ppWLck39zbn0pIF6D9+BW/M2mTnNTywhGGMMUD5ovmZNLApNzUozxuzNjPg45UcP3U20GHlKpYwjDHGEZ0vnNe61ePp62szd+M+bnp3ETsOnAh0WLmGJQxjjHEjIvRtVpmP72jEgZTTdH7nRxsq3WEJwxhjPGharSRTBzenbJFoeo9ZxugF2wj1e4ctYRhjTDoqFi/Al3c3pW3tWJ6f9itDvviFU2fPBzqsgLGEYYwxF1EwKoL3ejbkgTbV+fKnZHqMWsK+Y6cCHVZAWMIwxpgMhIUJD7S5jJG3NWTT3uPcMOJH1v52NNBh5ThLGMYY46UOdcswaWBTwsOEriMXMX3NH4EOKUdZwjDGmEyoXa4wX9/TjDrlijBowk+8OWtzyJwMt4RhjDGZVKpQFJ/e2ZibGpRn+KxNDP7sZ/48k/dPhtvQjMYYkwVREa6b/C6LLcTL329g96GTjOoVR5ki0YEOLdvYHoYxxmSRiDCwVVU+6BXH1n0pdH5nYZ4+GW4JwxhjfNSmdiyT7m5KuAjdRi5mZh4d8dYShjHG+EGtsq6T4ZfFxjDg4xV8MD/v3RluCcMYY/ykdOFoEgc0oWPdMrww/Vee+GotZ89fCHRYfmMJwxhj/Ch/ZDgjbmnAoPiqfLZsF30/Ws7RP/PGMOk+JQwRKS4iM0Vks/NaLJ1634vIERH5Nk35BBHZKCJrRWSMiORzyuNF5KiIrHKmob7EaYwxOSksTHi0Q02Gdb2CpdsP8q/3FrH70MlAh+UzX/cwHgNmq2p1YLYz78kwoJeH8glATeByID/Q323ZAlWt70zP+hinMcbkuG5xFRl/R2P2HTvFje8u4pfkI4EOySe+JozOwDjn/Tigi6dKqjobOO6hfLo6gGVABR/jMcaYXKVJ1RJMHtSU6HxhdH9/SVBfQSW+nMUXkSOqWtRt/rCqpndYKh4YoqqdPCzLBywF7lfVBU7dL4Fk4Hen3bp01jsAGAAQGxvbMDExMUt9SUlJISYmJkttg5X1OTRYn3OHo6eVN386xfajF7i1ViRtL83n1/X70ueEhISVqhqXUb0M7/QWkVlAGQ+LnsxKYOl4F5ivqguc+Z+AS1U1RUSuBb4GqntqqKqjgFEAcXFxGh8fn6UAkpKSyGrbYGV9Dg3W59yjXcJ57k/8mQnr9xJVvDxPXleL8DDxy7pzos8ZJgxVbZPeMhHZKyJlVfUPESkL7MtsACLyNFAKuMttm8fc3k8XkXdFpKSqHsjs+o0xJrfIHxnOe7c15IVpvzLmx+38duQkb/a4kuh84YEOzSu+nsOYCvR23vcGpmSmsYj0B9oDt6jqBbfyMiIizvtGTpwHfYzVGGMCLjxMGHp9bZ6+vjY/rN/LrR8s4fCJM4EOyyu+JoyXgLYishlo68wjInEiMjq1kogsAL4AWotIsoi0dxaNBGKBxWkun+0KrBWR1cBbQA/Na7dMGmNCWt9mlXn31gas/f0Y/xoZHJfd+jRaraoeBFp7KF+B2yWyqtoinfYet6+qI4ARvsRmjDG5XcfLy1KyUBT9x63gxncXMbbvVdQtXyTQYaXL7vQ2xpgAuqpScb68uwlREWF0f38x8zbtD3RI6bKEYYwxAVatdCEmD2rKJSUKcsfY5XyxYnegQ/LIEoYxxuQCsYWj+fyuq2lSpQSPTPqFd+ZuyXWj3VrCMMaYXKJQdD7G9LmKzvXLMWzGRp79dj0XLuSepGGPaDXGmFwkMiKM4TfXp0TBKMb8uJ2DKWd4tVs9IiMC//e9JQxjjMllwsKEpzrVolShKF7+fgOHT57hvdsaEhMV2J/swKcsY4wx/yAi3B1flVe6XsGirQe59YMlHEw5HdCYLGEYY0wudnNcRd6/rSEb9xyn68jFAb3BzxKGMcbkcm1qxzKhf2MOppym28jFbN77j6dF5AhLGMYYEwTiKhVn4l1NOK9Kt/cXs3p3zj+MyRKGMcYEiVplCzNpYBMKRUdw6wdLWLQlZwfwtoRhjDFB5NISBZk0sCkVihWgz0fLmbFuT45t2xKGMcYEmdjC0Uy862rqlC/M3Z+sZNLK5BzZriUMY4wJQkULRPJJv8Y0q1aSIV+sZubOs9m+TUsYxhgTpApGRTC6dxw31CtHbAH/POr1YixhGGNMEIuKCOetW67kilLZfxe4JQxjjDFesYRhjDHGK5YwjDHGeMWnhCEixUVkpohsdl6LpVPvexE5IiLfpikfKyLbRWSVM9V3ykVE3hKRLSLyi4g08CVOY4wxvvN1D+MxYLaqVgdmO/OeDAN6pbPsEVWt70yrnLKOQHVnGgC852OcxhhjfORrwugMjHPejwO6eKqkqrOBzIyW1RkYry5LgKIiUtanSI0xxvjE1+uwYlX1DwBV/UNESmdhHS+IyFCcPRRVPQ2UB9yfgp7slP2RtrGIDMC1F0JsbCxJSUlZCAFSUlKy3DZYWZ9Dg/U5NOREnzNMGCIyCyjjYdGTftj+48AeIBIYBfwf8Czg6Q4Ujw+2VdVRTlvi4uI0Pj4+S4EkJSWR1bbByvocGqzPoSEn+pxhwlDVNuktE5G9IlLW2bsoC+zLzMZT906A0yLyETDEmU8GKrpVrQD8ntH6Vq5ceUBEdmYmBjclgZwd+jHwrM+hwfocGnzp86XeVPL1kNRUoDfwkvM6JTON3ZKN4Dr/sdZtvYNFJBFoDBx1Sy7pUtVSmdl+mlhWqGpcVtsHI+tzaLA+h4ac6LOvCeMl4HMR6QfsAroBiEgcMFBV+zvzC4CaQIyIJAP9VHUGMEFESuE6BLUKGOisdzpwLbAFOAn09TFOY4wxPvIpYajqQaC1h/IVQH+3+RbptL8mnXIF7vElNmOMMf5ld3r/z6hABxAA1ufQYH0ODdneZ3H9MW+MMcZcnO1hGGOM8YolDGOMMV4JuYQhIh1EZKMzsOE/xr4SkSgRmegsXyoilXI+Sv/yos8Pich6Z6DH2SLi1TXZuVlGfXar11VE1LmyL6h502cRudn5rteJyKc5HaO/efFv+xIRmSsiPzv/vq8NRJz+IiJjRGSfiKxNZ3n2DtyqqiEzAeHAVqAKrrvLVwO109QZBIx03vcAJgY67hzocwJQwHl/dyj02alXCJgPLAHiAh13DnzP1YGfgWLOfOlAx50DfR4F3O28rw3sCHTcPva5JdAAWJvO8muB73DdqnA1sNSf2w+1PYxGwBZV3aaqZ4BEXAMdunMfUHES0Nq5sTBYZdhnVZ2rqied2SW47qwPZt58zwDPAa8Ap3IyuGziTZ/vBN5R1cMAqpqpkRlyIW/6rEBh530RvBgxIjdT1fnAoYtUydaBW0MtYaQ3qKHHOqp6DjgKlMiR6LKHN3121w/XXyjBLMM+i8iVQEVV/dszWoKYN9/zZcBlIvKjiCwRkQ45Fl328KbPzwC3OTcMTwfuzZnQAiaz/98zJfufGp67eDOoodcDHwYJr/sjIrcBcUCrbI0o+120zyISBgwH+uRUQDnAm+85AtdhqXhce5ELRKSuqh7J5tiyizd9vgUYq6qviUgT4GOnzxeyP7yAyNbfr1Dbw/BmUMO/6ohIBK7d2IvtAuZ2Xg3kKCJtcI1AfIO6hpgPZhn1uRBQF0gSkR24jvVODfIT397+256iqmdVdTuwEVcCCVbe9Lkf8DmAqi4GonEN0pdXZWngVm+FWsJYDlQXkcoiEonrpPbUNHVSB1QE6ArMUedsUpDKsM/O4Zn3cSWLYD+uDRn0WVWPqmpJVa2kqpVwnbe5QV1D2gQrb/5tf43rAgdEpCSuQ1TbcjRK//Kmz7twhi8SkVq4Esb+HI0yZ00FbneulroaLwdu9VZIHZJS1XMiMhiYgesKizGquk5EngVWqOpU4ENcu61bcO1Z9AhcxL7zss/DgBjgC+f8/i5VvSFgQfvIyz7nKV72eQbQTkTWA+dxPR75YOCi9o2XfX4Y+EBEHsR1aKZPMP8BKCKf4TqkWNI5L/M0kA9AVUeSzQO32tAgxhhjvBJqh6SMMcZkkSUMY4wxXrGEYYwxxiuWMIwxxnjFEoYxxhivWMIwQUdEkkSkfZqyB0Tk3RyM4RkR+U1EVjnTS35YZ1ERGeQ2X05EJvm63gy2OVZEunooz/Ztm+BjCcMEo8/45/0xPZzybCEi4R6Kh6tqfWfyNLS2pzYXUxTXaMkAqOrvqvqPH/OcEMhtm9zLEoYJRpOATiISBeA8s6QcsFBEYpxnevwkImtEpHNqHRHZICLjnOcETBKRAs6y1s7zEtY4zxtIXe8OERkqIguBbt4ElraNiNwpIstFZLWIfOm2zVgR+copXy0iTYGXgKrOHsswJ+a1Tv1oEfnIifFnEUm9Y7uPiEwWke9FZLOIvHKRuF4WkWXOVM1tcUsRWSQi21L3Nty3bUwqSxgm6Dh3Jy8DUkdbTX1uieIaqvxGVW2AaxiM10T+Gp6+BjBKVa8AjgGDRCQaGAt0V9XLcY1+cLfb5k6panNVTfQQyoNuh6Tap9Nmsqpepar1gF9xjW0E8BYwzylvAKwDHgO2Onssj6TZ1j1O3y/HNaDeOCd2gPpAd+ByoLuIVMSzY6raCBgBvOFWXhZoDnTClbSM8cgShglW7oel3A9HCfBfEfkFmIVraOdYZ9luVf3Ref8Jrh/JGsB2Vd3klI/D9ZCaVBMvEoP7IakZ6bSpKyILRGQN0BOo45RfA7wHoKrnVfVoBv1tDnzs1N8A7MQ1FhTAbGd8rFPAeiC9JyZ+5vbaxK38a1W9oKrr+d9nZcw/WMIwweprXA+3agDkV9WfnPKeQCmgoarWB/biGnAO/jnMs+J5OGh3J7IQm3ubscBgZ8/gP26xZNbF4nQfXfg86Y8Rp+m8d28fzA8LM9nMEoYJSqqaAiQBY/j7ye4iwD5VPesc53f/a/sScT0TAVyHdRYCG4BKbsf0ewHz/BhqIeAPEcmHK5mlmo1z6EtEwkWkMHDcqe/J/NT2InIZcAmu4ckzo7vb6+JMtjXGEoYJap8B9XA9mjPVBCBORFbg+oHd4LbsV6C3c7iqOPCecxinL66RetcAF4CRfozxKWApMDNNLPcDCc42VwJ1nHMzP4rIWhEZlmY97wLhTv2JuEZdzexzS6JEZKmz7Qez0BcT4my0WhMSnCupvlXVugEOJSDE9aCoOFU9EOhYTPCyPQxjjDFesT0MY4wxXrE9DGOMMV6xhGGMMcYrljCMMcZ4xRKGMcYYr1jCMMYY45X/B6tRhrjq+0yPAAAAAElFTkSuQmCC ",
null,
"data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAYwAAAEWCAYAAAB1xKBvAAAABHNCSVQICAgIfAhkiAAAAAlwSFlzAAALEgAACxIB0t1+/AAAADl0RVh0U29mdHdhcmUAbWF0cGxvdGxpYiB2ZXJzaW9uIDIuMi4yLCBodHRwOi8vbWF0cGxvdGxpYi5vcmcvhp/UCwAAIABJREFUeJzt3Xd4VGX2wPHvSQIECBBCCb0IKAYUJJEmJaGrKKyLIipFQRTFjqC7q9h2RVFRV1RAUbAQVFSwwSIQeheQIh3pvYdezu+PufE3xgmZZCaZTOZ8nuc+ufe973vveScwJ7e9V1QVY4wxJjNhgQ7AGGNMcLCEYYwxxiuWMIwxxnjFEoYxxhivWMIwxhjjFUsYxhhjvGIJwwQNEflYRF66xPrrRGSDiKSKSGc/7C9RRHb40L65iKzzNY68SkSqOJ91eKBjMbnDEobxOxH5XUROOV8me5wv+qhc2PULwDuqGqWq3+b0zkTkORE55/TziIjME5EmaetVdbaqXuHnfVYTEXX26T519ed+Mtj37yLSJm1ZVbc5n/WFnN63yRssYZiccpOqRgH1gWuAp3Nhn1WB1dlpKCIR2dzneKefpYEZwJfZ3E5WRTtf1mnT+FzarwlhljBMjlLVPcAUXIkDABG5UUSWicgxEdkuIs+5txGRZs5f60ec9b3cVpcUkR9E5LiILBSRGk6bTcBlwHfOX9yFRKSCiEwSkUMislFE7nXbx3Mi8pWIfCoix4BeIlLYORo6LCJrgGuz0M/zwGdARREp4+zjT6e0RKSyiHwtIvtF5KCIvOO27h4R+c3Z9xQRqertvtN9dqWcPh8TkUUi8qKIzHHWpR2dRLjVTxGRPs58DRGZ7sR2QEQ+E5FoZ90nQBW3z3dg+u158Xl/ISJjnd/dahFJyE4fTeBYwjA5SkQqAdcDG92KTwA9gGjgRqBf2jUHEakC/AT8FyiDK9Esd2vbDXgeKOls898AqloD2IZzZKOqZ4BxwA6gAtAF+I+ItHbbVifgKyeOz4DBQA1nag/0zEI/Czp9Oggc9rA+HPge2ApUAyoCyc66zsA/gFucPs92Ys+O4cBpoDxwjzN53Q3gZVyf15VAZeA5AFXtzp8/31c9tM/s874ZV5+jgUnAO3/ZgsnbVNUmm/w6Ab8DqcBxQIFpuE6hZFT/TWCYM/808E0G9T4GPnBbvgFYm26/bZz5ysAFoJjb+peBj53554BZ6ba/GejgttwX2HGJuJ8DzgJHnH0dBBLd1iemtQeaAPuBCA/b+Qno7bYcBpwEqnqoW835TI+km64EwoFzQG23+v8B5qRrG+G2PgXok0H/OgPLPH2+6bfn5ef9s9u6OOBUoP+t2pS1yY4wTE7prKrFcH1p1sZ1jh8AEWkkIjOcUzNHgfvd1lcGNl1iu3vc5k8CGV1MrwAcUtXjbmVbcf1ln2a7hzbuZVvdYr7T7QLzT251vlDVaCAWWAXEZxBPZWCruk5dpVcVeMs5BXcEOITrr/2KHuqmKa2q0W7Tb7iOTiIy6kNmRKSsiCSLyE7nNN2nuP3eMuHN553+dxfpw7UjEwCWMEyOUtWZuI4MXnMr/hzXKYnKqloCeB/XFyS4vuxq+GHXu4AYESnmVlYF2OkeXro2u3F9sbvXd1VU/Uz//wLz9el3pqoHgPuA50SkvId4tgNVMviC3A7cly4BFFbVeZfs4V/tB85n1AdcpwIBiriVlXObfxnXZ3K1qhYH7uL/fy/w18/LnTeftwlyljBMbngTaCsiaRe+i+H6a/S0iDQE7nCr+xnQRkRuE5EI5yJu/fQbzIyqbgfmAS+LSKSIXA30drafkS+Ap0WkpHPt5aEs7nMtrgv8Az2sXoQrIQ0RkaJOTNc569539lsHQERKiMitWdm3s/8LwNe4klYREYnD7TqMqu7H9QV+l4iEi8g9/Dk5F8N1KvGIiFQEnky3i724bizwtO/sfN4myFjCMDnO+aIaCzzjFD0AvCAix4FncX1Rp9XdhuvaxBO4Ts0sB+plc9fdcJ1n3wV8AwxW1amXqP88rtMoW4D/AZ9kY59Dgb4iUta90Pkyvwmoievi8Q6gq7PuG+AVINk5FbQK140Cl3JE/vwcxuNOeX9cp+n24Dqy+yhdu3txJYKDQB1cX/JpngcaAEeBH3AlH3cvA/9yTp0N8BBTVj9vE2RE1V6gZEx+5dyS3EdVmwU6FhP87AjDGGOMVyxhGGOM8YqdkjLGGOMVO8IwxhjjlXz10Ezp0qW1WrVq2Wp74sQJihYt6t+A8jjrc2iwPocGX/q8dOnSA6paJrN6+SphVKtWjSVLlmSrbUpKComJif4NKI+zPocG63No8KXPIuLViAB2SsoYY4xXLGEYY4zxiiUMY4wxXrGEYYwxxiuWMIwxxnjFEoYxxhivWMIwxhjjFUsYwL5jp0lee5Y9R08HOhRjjMmzLGEAC7Yc4n9bz9Hi1Rk8NeFXNu9PDXRIxhiT5+SrJ72z6+Z6FTizcy2/ni3LF0u2M37Jdm6oW55+iTWoW7FEoMMzxpg8wS9HGCLSQUTWichGEXnKw/pCIjLeWb9QRKo55W1FZKmIrHR+tnJrk+Jsc7kzlU2/XX8qUySMFzvXZc6gVvRrWYNZ6/fT8b9z6P7hQuZvOoiN6muMCXU+JwwRCQeG43qlZBzQzXmXsLvewGFVrQkMw/U6SoADwE2qehWudw+nfyXmnapa35n2+RqrN8oUK8TADrWZ+3QrBnWozW+7j9Nt1AJueW8eU9fs5eJFSxzGmNDkjyOMhsBGVd2sqmeBZKBTujqdgDHO/FdAaxERVV2mqruc8tVApIgU8kNMPiseWYB+iTWYMyiJFzvXZf/xM9w7dgkd3prF17/s4NyFi4EO0RhjcpXPL1ASkS5AB1Xt4yx3Bxqpan+3OqucOjuc5U1OnQPptnO/qrZxllOAUsAFYALwknoIVkT6An0BYmNj45OTk7PVj9TUVKKiojJcf+GisnDPBX7cfJYdqUqpSOH66gVoUSmCguGSrX0GWmZ9zo+sz6HB+pw1SUlJS1U1IbN6/rjo7enbMv0X+yXriEgdXKep2rmtv1NVd4pIMVwJozsw9i8bUR0JjARISEjQ7A7v683QwK2Bpy4q09fu492UjXz62xEmb4fezS7jrsZVKBZZIFv7DhQbAjo0WJ9DQ2702R+npHYAld2WKwG7MqojIhFACeCQs1wJ+Abooaqb0hqo6k7n53Hgc1ynvgIuLExoExfLhH5NSe7bmLgKJXhl8lqaDpnOa1PWcTD1TKBDNMaYHOGPI4zFQC0RqQ7sBG4H7khXZxKui9rzgS7AdFVVEYkGfgCeVtW5aZWdpBKtqgdEpADQEfjZD7H6jYjQ+LJSNL6sFCt3HOW9mRsZnrKRD+Zs5vZrq9C3xWVUiC4c6DCNMcZvfE4YqnpeRPoDU4BwYLSqrhaRF4AlqjoJ+BD4REQ24jqyuN1p3h+oCTwjIs84Ze2AE8AUJ1mE40oWo3yNNadcVakE794Zz8Z9qYyYuYlPF2zls4Vb+ds1Fbm/ZQ0uKxNa51KNMfmTXx7cU9UfgR/TlT3rNn8auNVDu5eAlzLYbLw/YstNNctGMfTWejza9nJGzdrMuEXb+HLpDm64qjwPJNagTgV7CNAYE7zsSe8cUDG6MM/dXIf+rWoyes4WPpm/lR9+3U3SFWV4MKkmCdViAh2iMcZkmY0llYNKR7keApzzVCsGtLucFTuO0uX9+XQdMZ9Z6/fb0+PGmKBiCSMXlChcgP6tajF3UCue7RjH1oMn6TF6EZ2Gz2Xyqj329LgxJihYwshFhQuGc0+z6swcmMiQW67i6Klz3P/pUtq/OYtvl+3kvD09bozJwyxhBEChiHBub1iFaY+35K3b6xMmwqPjl9Pq9ZmMW7SNM+cvBDpEY4z5C0sYARQRHkan+hX56ZHmjOweT8kiBXj665UkDk3ho7lbOHXWEocxJu+whJEHhIUJ7eqU49sHr2PsPQ2pHFOE579bQ7NXpvNeyiaOnz4X6BCNMcZuq81LRIQWl5ehxeVlWPz7If47fSOvTF7L+zM3cfd11ejVtBrRRQoGOkxjTIiyI4w86tpqMYy9pyGT+l9Ho+oxvPnzBq4bMp0hP63lgI1XZYwJADvCyOOurhTNyB4JrN1zjOEzNjFi1iY+nreF26+twv0ta1CuRGSgQzTGhAg7wggStcsV57/druHnx1ty41UV+GTBVlq8OoN/frOSHYdPBjo8Y0wIsIQRZGqUieL12+qRMiCRv8dX4osl20kcmsLAr1bw+4ETgQ7PGJOPWcIIUpVjivDyLVcxa2ASdzWuysTlu2j1egqPJi9j477jgQ7PGJMPWcIIcuVLuAY6nD0oiT7NL2PK6r20HTaL/p//wro9ljiMMf5jCSOfKFsskn/ccCVzBiXRr2UNUtbtp/2bs7jvkyWs2nk00OEZY/IBu0sqnynljJDbt8VljJ77Ox/N3cKU1XtpXbssD7euRb3K0YEO0RgTpPx2hCEiHURknYhsFJGnPKwvJCLjnfULRaSa27qnnfJ1ItLe222ajEUXKcjjbS9nrjO0+tJth+k0fC69PlrEL9sOBzo8Y0wQ8kvCEJFwYDhwPRAHdBORuHTVegOHVbUmMAx4xWkbh+uVrXWADsC7IhLu5TZNJopHuoZWnzOoFQM7XMGK7Ue45d15dP9wIRsO21hVxhjv+esIoyGwUVU3q+pZIBnolK5OJ2CMM/8V0FpExClPVtUzqroF2Ohsz5ttGi9FFYrggcSazBnUiqevr82aXcf498LT3DFqAQs3Hwx0eMaYIOCvaxgVge1uyzuARhnVUdXzInIUKOWUL0jXtqIzn9k2EZG+QF+A2NhYUlJSstWB1NTUbLcNNlcA/2kawZSNZ/h5+yG6jlxA7ZgwOtUoyJWlwgMdXo4Kpd9zGutzaMiNPvsrYYiHsvSvkcuoTkblno5+/vJqOlUdCYwESEhI0MTExEsGmpGUlBSy2zZYFQpP4d93N+fzRdt4f+YmXll8mkbVY3i0zeU0qVEq0OHliFD8PVufQ0Nu9Nlfp6R2AJXdlisBuzKqIyIRQAng0CXaerNN46PCBcPp3aw6swcmMfimOLYcOEG3UQu4bcR85m06YO8dN8b8wV8JYzFQS0Sqi0hBXBexJ6WrMwno6cx3Aaar69toEnC7cxdVdaAWsMjLbRo/iSwQzt3XVWfWwCSev7kOWw+e4I5RC+k6cgHzNh0IdHjGmDzAL6eknGsS/YEpQDgwWlVXi8gLwBJVnQR8CHwiIhtxHVnc7rRdLSJfAGuA88CDqnoBwNM2/RGvyVhkgXB6Nq1G12srM37xdt5N2cgdoxbm+1NVxpjM+e3BPVX9EfgxXdmzbvOngVszaPtv4N/ebNPkDvfEkbxoG++mbKLbqAWWOIwJYTY0iLmkyALh9HJOVT3ndo2j28gFLNpyKNDhGWNykSUM4xX3xPFsxzg27EvlthHzufODBSz53RKHMaHAEobJksgC4dzj3FX1rxuvZO3u43R5fz7dP1xoQ44Yk89ZwjDZUrhgOH2aX8bsQUk8fX1tVu86xi3vzuPujxbx644jgQ7PGJMDLGEYnxQpGMF9LWswe2AST7a/gl+2HeHmd+Zy79glrNl1LNDhGWP8yBKG8YuihSJ4MKkmcwYl8Xjby1mw+SA3vD2bBz5byvq99iInY/IDSxjGr4pFFuDh1rWYM7AVD7eqyaz1B2j/5iweSV7GFnvnuDFBzRKGyRElihTg8XZXMHtgEve1qMH/Vu+lzRszGfjVCrYfOhno8Iwx2WAJw+SokkUL8tT1tZk1MImeTarx7fJdtHo9hWe+XcWeo6cDHZ4xJgssYZhcUaZYIZ69KY6ZTyZyW0Jlxi3aRsuhM3jp+zUcTD0T6PCMMV6whGFyVfkShfn3365ixoBEbqpXgdFzt9Di1Rm8/r91HD11LtDhGWMuwRKGCYjKMUV47dZ6/O+xliTWLst/p2+k+SvTGT5jIyfPng90eMYYDyxhmICqWTaK4Xc04IeHm3FttRiGTllHi1dn8NHcLZw5b+8cNyYvsYRh8oQ6FUrwYa9rmdCvKbXKFuP579bQ6rWZfLF4O+cvXAx0eMYYLGGYPCa+aknG9W3Mp70bUTqqIAMn/Eq7N2fxw6+7uXjR3v5nTCBZwjB5UrNapfn2wet4/654wkV48PNfuHn4HFLW7bPXxhoTID4lDBGJEZGpIrLB+Vkyg3o9nTobRKSnU1ZERH4QkbUislpEhrjV7yUi+0VkuTP18SVOE5xEhA51yzH50Ra8cVs9jpw8R6+PFnP7yAUs3Woj4xqT23w9wngKmKaqtYBpzvKfiEgMMBhoBDQEBrslltdUtTZwDXCdiFzv1nS8qtZ3pg98jNMEsfAw4ZYGlZj+RCIvdKrDpv2p/P29edw7domNU2VMLvI1YXQCxjjzY4DOHuq0B6aq6iFVPQxMBTqo6klVnQGgqmeBX4BKPsZj8rGCEWH0aFKNmU8mMaDd5SzYdJD2b87iiS9WsOOwDTdiTE4TX84Hi8gRVY12Wz6sqiXT1RkARKrqS87yM8ApVX3NrU40roTRRlU3i0gv4GVgP7AeeExVt2cQQ1+gL0BsbGx8cnJytvqSmppKVFRUttoGq2Dvc+pZ5fvN5/h52zlQaFUlgptqFKRYQcm4TZD3OTusz6HBlz4nJSUtVdWEzOpFZFZBRH4GynlY9U8vY/H0v/ePLCUiEcA44G1V3ewUfweMU9UzInI/rqOXVp42rqojgZEACQkJmpiY6GVYf5aSkkJ22war/NDnjsCuI6d46+cNfLl0O/P2wH0tLqN38+oUKfjXf975oc9ZZX0ODbnR50xPSalqG1Wt62GaCOwVkfIAzs99HjaxA6jstlwJ2OW2PBLYoKpvuu3zoKqmDTA0CojPWrdMKKkQXZhXulzNlEdb0LRGKV6fup4Wr6bwyYKtnLNnOIzxG1+vYUwCejrzPYGJHupMAdqJSEnnYnc7pwwReQkoATzq3iAtCTluBn7zMU4TAmrFFmNkjwQm9GvCZaWL8sy3q2j7xkx++HW33YprjB/4mjCGAG1FZAPQ1llGRBJE5AMAVT0EvAgsdqYXVPWQiFTCdVorDvgl3e2zDzu32q4AHgZ6+RinCSHxVWMYf19jRvdKoFBEOA9+/gud353Hgs0HAx2aMUEt02sYl6KqB4HWHsqXAH3clkcDo9PV2YHn6xuo6tPA077EZkKbiNCqdiwtLy/LhF92MGzqem4fuYB6ZcIpX/s4V5QrFugQjQk69qS3ydfCw4TbEiozY0AigzrUZv3hC1z/1iye/HKFvcDJmCzy6QjDmGARWSCcfok1qHx2G8vPxjJ2/la++3UXvZtV5/6WNSgWWSDQIRqT59kRhgkpUQWFf3WMY9oTLWkXV47hMzaRODSFsfN/tzuqjMmEJQwTkirHFOHtbtcwqf911CwbxbMTV9N+2Cwmr9pjd1QZkwFLGCakXV0pmuS+jfmwZwJhYcL9ny7lthHzWb79SKBDMybPsYRhQp6I0PrKWCY/0pz//O0qthw4Qefhc3lo3DK2H7IxqoxJYwnDGEdEeBh3NKpCypNJPNSqJlPX7KH1GzN5+affOHb6XKDDMybgLGEYk05UoQieaHcFMwYk0vHq8oyctdkujBuDJQxjMlS+RGHeuK0+3/VvxhWxxXh24mo6vDmLGWvtrX8mNFnCMCYTdSuW4PN7GzGqRwIXFe7+eDE9Ri9i3R57eZMJLZYwjPGCiNA2LpYpj7bgmY5xrNh+hOvfmsU/vlnJgdQzmW/AmHzAEoYxWVAwIozezaoz88kkejSpxheLt5M4NIURMzdx5vyFQIdnTI6yhGFMNpQsWpDnbq7DlMda0LB6DC//tJZ2w2YxZbU9+GfyL0sYxvigRpkoRve6ljH3NKRgeBj3fbKUOz9YyG+7jwU6NGP8zhKGMX7Q8vIy/PRIc17oVIc1u49x49uz+cc3Kzlo1zdMPuJzwhCRGBGZKiIbnJ8lM6jX06mzQUR6upWniMg65wVKy0WkrFNeSETGi8hGEVkoItV8jdWYnBQRHkaPJtWYOSCJnk1d1zeSXkth9Jwt9vyGyRf8cYTxFDBNVWsB05zlPxGRGGAw0AhoCAxOl1juVNX6zpT2XvDewGFVrQkMA17xQ6zG5LgSRQow+KY6TH60OfUqR/PC92u4/q3ZzFq/P9ChGeMTfySMTsAYZ34M0NlDnfbAVFU9pKqHgalAhyxs9yugtYh4fEOfMXlRzbLFGHtPQ0b1SODchYv0GL2IPmOWsPXgiUCHZky2+CNhxKrqbgDnZ1kPdSoC292WdzhlaT5yTkc945YU/mijqueBo0ApP8RrTK5Je37jf4+1YGCHK5i36QBt35jFq5PXcvLs+UCHZ0yWiDe3AIrIz0A5D6v+CYxR1Wi3uodV9U/XMUTkSaCQqr7kLD8DnFTV10WkoqruFJFiwATgU1UdKyKrgfbOu78RkU1AQ+c94u7b7gv0BYiNjY1PTk72uvPuUlNTiYqKylbbYGV9zn2HT1/ky/XnmLfrPDGRQtcrCtKwXDg5efAc6D4HgvU5a5KSkpaqakKmFVXVpwlYB5R35ssD6zzU6QaMcFseAXTzUK8X8I4zPwVo4sxHAAdwElxGU3x8vGbXjBkzst02WFmfA2fxloN6/ZuztOqg77XriHn62+6jObavvNLn3GR9zhpgiXrxfe+PU1KTgLS7nnoCEz3UmQK0E5GSzsXudsAUEYkQkdIAIlIA6Ais8rDdLsB0p2PGBL2EajF891AzXupcl7V7jnPj23N4btJqjp6yYdRN3uWPhDEEaCsiG4C2zjIikiAiHwCo6iHgRWCxM73glBXClTh+BZYDO4FRznY/BEqJyEbgcTzcfWVMMAsPE+5qXJUZTyTSrWFlxs7/ndavp/DV0h1cvGh/G5m8J8LXDajrmkJrD+VLgD5uy6OB0enqnADiM9juaeBWX+MzJq8rWbQgL3W+ituvrcLgSasZ8OUKkhdt44VOdYmrUDzQ4RnzB3vS25g8om7FEnx5XxOGdrmaLQdO0PG/s+00lclTLGEYk4eEhQm3JlRm+hOJdG9c9U+nqewSngk0SxjG5EElihTg+U51mdS/GVViijDgyxV0HbGA9XvtpU0mcCxhGJOH1a1Ygq/ub8orf7+K9fuOc8Nbs3n5x984ccYe+jO5zxKGMXlcWJjQ9doqTH8ikb83qMSIWZtp+8ZMJq+yd2+Y3GUJw5ggEVO0IK90uZoJ/ZpQvHAB7v90Kfd8vJjth04GOjQTIixhGBNk4qvG8P1DzfjXjVeyaMsh2g6bybspG20IdZPjLGEYE4QiwsPo0/wypj7ekha1yvDq5HXc+PZslvx+KNChmXzMEoYxQaxCdGFG9khgVI8EUk+fp8v783n66185cvJsoEMz+ZAlDGPygbZxsUx9vCX3Nq/OF0t20Pr1mUxcvtMuihu/soRhTD5RtFAE/7wxju/6N6NSTBEeSV5Oz48Ws/+kXdsw/mEJw5h8Jq5Ccb7u15Tnb67D0t8P8c85pxg5axPn7aK48ZElDGPyofAwoWfTakx9vCV1Sofznx/XcvM7c/l1x5FAh2aCmCUMY/KxCtGFefiaQrx3ZwMOpJ6h8/C5vPj9Gns9rMkWSxjG5HMiwvVXlefnJ1pye8MqfDhnC+3fnMWcDQcCHZoJMpYwjAkRxSML8J+/XUVy38ZEhIVx14cLefLLFRw9acOnG+/4lDBEJEZEporIBudnyQzq9XTqbBCRnk5ZMRFZ7jYdEJE3nXW9RGS/27o+nrZrjMm6xpeV4qdHmtMvsQZfL9tJ6zdm8tPK3YEOywQBX48wngKmqWotYBoeXqMqIjHAYKAR0BAYLCIlVfW4qtZPm4CtwNduTce7rf/AxziNMW4iC4QzqENtJj54HeVKFKLfZ79w/ydL2Xf8dKBDM3mYrwmjEzDGmR8DdPZQpz0wVVUPqephYCrQwb2CiNQCygKzfYzHGJMFdSuW4NsHrmNQh9pMX7ePtm/M4utf7GVNxjPx5R+GiBxR1Wi35cOqWjJdnQFApKq+5Cw/A5xS1dfc6jwLFFfVAc5yL+BlYD+wHnhMVbdnEENfoC9AbGxsfHJycrb6kpqaSlRUVLbaBivrc2jwts+7Ui8yetUZNh65SL0y4fSqU5CSkcF5mdN+z1mTlJS0VFUTMq2oqpecgJ+BVR6mTsCRdHUPe2j/JPAvt+VngCfS1VkDxLstlwIKOfP3A9Mzi1NViY+P1+yaMWNGttsGK+tzaMhKn89fuKgfzN6sV/zrR6377GRNXrRVL168mHPB5RD7PWcNsES9+I7N9M8HVW2jqnU9TBOBvSJSHsD5uc/DJnYAld2WKwG70hZEpB4QoapL3fZ5UFXPOIujgPjM4jTG+C48TOjdrDpTHm1BXIXiDJqwkh6jF7HzyKlAh2byAF+PNycBPZ35nsBED3WmAO1EpKRzF1U7pyxNN2Cce4O0JOS4GfjNxziNMVlQtVRRxt3bmBc71WHp1sO0HzaL8Yu32bWNEOdrwhgCtBWRDUBbZxkRSRCRDwBU9RDwIrDYmV5wytLcRrqEATwsIqtFZAXwMNDLxziNMVkUFiZ0b1KNKY+2oG5F19FGr48Ws/uoHW2EqghfGqvqQaC1h/IlQB+35dHA6Ay2cZmHsqeBp32JzRjjH5VjivB5n8Z8smArQ35aS7thsxh8Ux3+3qAiIhLo8EwuCs5bIIwxuSrMGczwp0eaU7tcMQZ8uYJ7xy6x5zZCjCUMY4zXqpUuyvi+TfjXjVcye8MB2g+bxY/2lHjIsIRhjMmSsDChT/PL+OHh5lSOKcIDn/3Co8nLbEyqEGAJwxiTLTXLRjGhX1Mea3M53/26m/ZvzmL2hv2BDsvkIEsYxphsKxAexiNtavHNA00pWiic7h8u4tmJqzh19kKgQzM5wBKGMcZnV1eK5oeHm9O7WXXGzt/Kjf+dbW/3y4csYRhj/CKyQDjPdIzj8z6NOHX2Are8O4/hMzZy4aI97JdfWMIwxvhV05qlmfxIC9rXLcfQKevoOmI+2w+dDHRYxg8sYRhj/K5EkQK80+0ahnWtx7o9x7n+rdlMWGrDpgc7Sxhdg/NgAAAW30lEQVTGmBwhIvztmkr89Ghz4ioU54kvV9B/3DKOnrLbb4OVJQxjTI6qVLII4+5tzJPtr2DKqj3c8NZsFv9+KPOGJs+xhGGMyXHhYcKDSTX5ql9TIsKFriPmM2zqes5fuBjo0EwWWMIwxuSa+pVdt992vqYib03bQNeRC+yCeBCxhGGMyVVRhSJ447b6vHV7fdbvOc4Nb83muxW7Mm9oAs4ShjEmIDrVr8iPjzSnVmwUD41bxtNf/2pPiOdxljCMMQFTOaYI4+9rwgOJNUhevJ1Ow+ewYe/xQIdlMuBzwhCRGBGZKiIbnJ8lM6g3WUSOiMj36cqri8hCp/14ESnolBdyljc666v5GqsxJu8pEB7GwA61GXN3Qw6dOMtN78yx18HmUf44wngKmKaqtYBpzrInQ4HuHspfAYY57Q8DvZ3y3sBhVa0JDHPqGWPyqRaXl+HHR5oTX7Ukgyas5JHk5Rw/bc9s5CX+SBidgDHO/Bigs6dKqjoN+NOxprje79gK+MpDe/ftfgW0FnsfpDH5WtlikYy9pxED2l3O97/u4qb/zmH1rqOBDss4xNfDPhE5oqrRbsuHVTWj01KJwABV7egslwYWOEcRiEhl4CdVrSsiq4AOqrrDWbcJaKSqB9Jtsy/QFyA2NjY+OTk5W/1ITU0lKioqW22DlfU5NARrn9cfvsB7y89w/Jxy15UFaVkpwut3iAdrn33hS5+TkpKWqmpCZvUivNmYiPwMlPOw6p9ZDSz9pj2UqRfr/r9AdSQwEiAhIUETExOzFUhKSgrZbRusrM+hIVj7nAj8ve0ZHh2/nI9XH+BowTK81LkuRQtl/rUVrH32RW702auEoaptMlonIntFpLyq7haR8sC+LOz/ABAtIhGqeh6oBKTdkL0DqAzsEJEIoARg4wkYE0JKRRVizN0NGT5jI8N+Xs/KnUd5984GXB5bLNChhSR/XMOYBPR05nsCE71tqK7zYTOALh7au2+3CzBd7bYJY0JOWJjwUOtafNq7EUdOnqPTO3OZsHRHoMMKSf5IGEOAtiKyAWjrLCMiCSLyQVolEZkNfInr4vUOEWnvrBoEPC4iG4FSwIdO+YdAKaf8cTK++8oYEwKa1izNjw834+pKJXjiyxX845uVnDlvD/rlJq9OSV2Kqh4EWnsoXwL0cVtunkH7zUBDD+WngVt9jc8Yk3+ULR7JZ30a8frU9byXsonVO4/y7l3xVIwuHOjQQoI96W2MCSoR4WEM6lCbEd3j2bz/BB3fns2cDQcyb2h8ZgnDGBOU2tcpx8T+11GmWCF6jF7I8BkbuWjvD89RljCMMUHrsjJRfPvgdXS8ugJDp6yj7ydLOWZPh+cYSxjGmKBWpGAEb91en8E3xZGybh+d35nLrlR7MVNOsIRhjAl6IsLd11Xn83sbc+z0OV6Yf4qpa/YGOqx8xxKGMSbfaFg9hkn9m1G+aBj3jl3CsKnr7bqGH1nCMMbkKxWiC/N0o0j+3qASb03bQN9Pltqot35iCcMYk+8UDBdeu/VqBt8Ux4x1++g8fC6b96cGOqygZwnDGJMvpV3X+LR3Iw6fPEfn4XOZvWF/oMMKapYwjDH5WpMapZj44HVUiC5Mr48W8/HcLfY2v2yyhGGMyfcqxxThq35NSbqiLM99t4Z/fLOKs+ft1tussoRhjAkJUYUiGNk9ngcSazBu0Ta6f7iQQyfOBjqsoGIJwxgTMsLChIEdavNm1/os236ETsPnsH7v8cwbGsAShjEmBHW+piLj+zbm9LmL3PLuPGaut4vh3rCEYYwJSddUKcmk/tdROaYI93y8mE8XbA10SHmeJQxjTMgqX6IwX97fhBa1SvOvb1fx7x/WcMGeDM+QTwlDRGJEZKqIbHB+lsyg3mQROSIi36cr/0xE1onIKhEZLSIFnPJEETkqIsud6Vlf4jTGmIxEFYpgVI8EejapyqjZW+j36VJOnj0f6LDyJF+PMJ4CpqlqLWAaGb9GdSjQ3UP5Z0Bt4CqgMG5v6ANmq2p9Z3rBxziNMSZDEeFhPN+pLoNvimPqb3vpOmIB+46dDnRYeY6vCaMTMMaZHwN09lRJVacBf7kVQVV/VAewCKjkYzzGGJNtd19XnVHdE9i0P5XOw+faHVTpiC9PPIrIEVWNdls+rKoZnZZKBAaoakcP6woAC4FHVHW2U3cCsAPY5bRbncF2+wJ9AWJjY+OTk5Oz1ZfU1FSioqKy1TZYWZ9Dg/U567Yeu8AbS89w7oLycINIaseE+zG6nOFLn5OSkpaqakKmFVX1khPwM7DKw9QJOJKu7uFLbCcR+D6DdaOAN92WiwNRzvwNwIbM4lRV4uPjNbtmzJiR7bbByvocGqzP2bP90Alt9doMrfWPH/W7FTt9DyqH+dJnYIl68R2b6SkpVW2jqnU9TBOBvSJSHsD5uc/bjJZGRAYDZYDH3fZ5TFVTnfkfgQIiUjqr2zbGmOyqVLIIE/o15epKJXho3DI+nLMl0CEFnK/XMCYBPZ35nsDErDQWkT5Ae6Cbql50Ky8nIuLMN3TiPOhjrMYYkyXRRQryaZ9GtI8rx4vfr+HF79eE9AuZfE0YQ4C2IrIBaOssIyIJIvJBWiURmQ18CbQWkR0i0t5Z9T4QC8xPd/tsF2CViKwA3gZudw6bjDEmV0UWCGf4nQ3o1bQaH87ZwkPJyzhz/kKgwwqICF8aq+pBoLWH8iW43SKrqs0zaO9x/6r6DvCOL7EZY4y/hIcJg2+Ko0J0JP/5cS1HTp5lRPcEogr59BUadOxJb2OM8YKI0LdFDd64rR4LNh/ijlELQm60W0sYxhiTBbc0qMSIu+JZt+c4Xd6fx84jpwIdUq6xhGGMMVnUJi6WT3o3Yv+xM3R5bx4b94XGA36WMIwxJhsaVo8h+b7GnLug3Pr+fFZsPxLokHKcJQxjjMmmOhVKMKFfE6IiI+g2agFzNx4IdEg5yhKGMcb4oGqpoky4vymVSxbh7o8XM33t3kCHlGMsYRhjjI/KFo8kuW9jrogtxn2fLOWnlbsDHVKOsIRhjDF+ULJoQT67txFXV4qm/7hlfLtsZ6BD8jtLGMYY4yfFIwsw9p6GNKwWw2NfLGfcom2BDsmvLGEYY4wfFS0UwUd3X0vLy8vw9NcrGZ2PBi20hGGMMX4WWSCcEd3jaV8nlhe+X8N7KZsCHZJfWMIwxpgcUCginOF3NODmehV4ZfJa3k3ZGOiQfBZaI2cZY0wuiggP443b6iECr05ehyD0S6wR6LCyzRKGMcbkoIjwMF6/tR6q8MrktQBBmzQsYRhjTA5LO9IAV9IQgftbBl/SsIRhjDG5IC1pKDDkJ9eRRrAlDZ8ueotIjIhMFZENzs+SGdSbLCJHROT7dOUfi8gW5217y0WkvlMuIvK2iGwUkV9FpIEvcRpjTF4QER7GsNvqcVO9Cgz5aS0jZgbX3VO+3iX1FDBNVWsB05xlT4YC3TNY96Sq1nem5U7Z9UAtZ+oLvOdjnMYYkye4J42Xf1rLmHm/Bzokr/maMDoBY5z5MUBnT5VUdRqQlQHjOwFj1WUBEC0i5X2K1Bhj8oi001Pt4mIZPGk1XyzZHuiQvCKqmv3GIkdUNdpt+bCqZnRaKhEYoKod3co+BpoAZ3COUFT1jHPqaoiqznHqTQMGOe8KT7/dvriOQoiNjY1PTk7OVl9SU1OJiorKVttgZX0ODdbnvOvcReWtpWdYffAC99crRKPy2b+s7Eufk5KSlqpqQmb1Mo1ORH4GynlY9c/sBJbO08AeoCAwEhgEvACIh7oeM5uqjnTakpCQoImJidkKJCUlhey2DVbW59Bgfc7bmjW7QM/Rixi18jDx9a6iTVxstraTG33O9JSUqrZR1boeponA3rRTRc7PfVnZuarudk47nQE+Aho6q3YAld2qVgJ2ZWXbxhgTDAoXDOfDXgnEVSjOA5//wpwNefclTL5ew5gE9HTmewITs9LYLdkIrusfq9y228O5W6oxcFRV8+cA88aYkFfMGeX2stJFuXfsEpb8fijQIXnka8IYArQVkQ1AW2cZEUkQkQ/SKonIbOBLoLWI7BCR9s6qz0RkJbASKA285JT/CGwGNgKjgAd8jNMYY/K06CIF+aR3I8qXiOTujxazetfRQIf0Fz49uKeqB4HWHsqXAH3clptn0L5VBuUKPOhLbMYYE2zKFCvEp30a8ff35tHro8V83a8plWOKBDqsP9hotcYYk4dUiC7M2Hsacvb8RXqMXsTB1DOBDukPljCMMSaPqRVbjNG9Eth99BT3fLyYE2fOBzokwBKGMcbkSfFVY3inWwNW7TrG/Z8u5ez5i4EOyRKGMcbkVW3iYnn5b1cxe8MBBn61gosXs/+gtT/YaLXGGJOH3XZtZfannmHolHWUKVaIf94YF7BYLGEYY0we90BiDfYfP8Oo2VsoX6Iw9zSrHpA4LGEYY0weJyI82zGO3UdP8eIPa6gSUyTbQ4j4wq5hGGNMEAgLE97seg1XVSzBw8nLWLUz9x/ss4RhjDFBonDBcD7okUB04QL0HrOYPUdP5+r+LWEYY0wQKVs8kg97XcuJMxfoPSZ3n9GwhGGMMUHmyvLF+e8d1/Db7mM8kryMC7l0u60lDGOMCUJJV5Tl+Zvr8PNv+/j3D7/lyj7tLiljjAlS3ZtUY/OBE4yeu4VzcQVJzOH9WcIwxpgg9q8b4ziYepaY8IM5vi87JWWMMUEsPEx4u9s1XFM25//+t4RhjDHGKz4lDBGJEZGpIrLB+Vkyg3qTReSIiHyfrny2iCx3pl0i8q1TnigiR93WPetLnMYYY3zn6xHGU8A0Va0FTHOWPRkKdE9fqKrNVbW+qtYH5gNfu62enbZOVV/wMU5jjDE+8jVhdALGOPNjgM6eKqnqNOB4RhsRkWJAK+BbH+MxxhiTQ8T1+uxsNhY5oqrRbsuHVTWj01KJwABV7ehhXQ/gZlXt4lZ3ArAD2OW0W53BdvsCfQFiY2Pjk5OTs9WX1NRUoqKistU2WFmfQ4P1OTT40uekpKSlqpqQWb1ML6uLyM9AOQ+r/pmdwDLQDfjAbfkXoKqqporIDbiOPGp5aqiqI4GRAAkJCZqYmJitAFJSUshu22BlfQ4N1ufQkBt9zjRhqGqbjNaJyF4RKa+qu0WkPLAvqwGISCmgIfA3t30ec5v/UUTeFZHSqnogq9s3xhjjH75ew5gE9HTmewITs7GNW4HvVfWPYRdFpJyIiDPf0Ikz559KMcYYkyFfr2GUAr4AqgDbgFtV9ZCIJAD3q2ofp95soDYQheuLv7eqTnHWpQBDVHWy23b7A/2A88Ap4HFVnedFPPuBrdnsTmkg1I5grM+hwfocGnzpc1VVLZNZJZ8SRn4iIku8ueiTn1ifQ4P1OTTkRp/tSW9jjDFesYRhjDHGK5Yw/t/IQAcQANbn0GB9Dg053me7hmGMMcYrdoRhjDHGK5YwjDHGeCXkEoaIdBCRdSKyUUT+MrquiBQSkfHO+oUiUi33o/QvL/r8uIisEZFfRWSaiFQNRJz+lFmf3ep1ERF1nh0Kat70WURuc37Xq0Xk89yO0d+8+LddRURmiMgy59/3DYGI019EZLSI7BORVRmsFxF52/k8fhWRBn4NQFVDZgLCgU3AZUBBYAUQl67OA8D7zvztwPhAx50LfU4Cijjz/UKhz069YsAsYAGQEOi4c+H3XAtYBpR0lssGOu5c6PNIoJ8zHwf8Hui4fexzC6ABsCqD9TcAPwECNAYW+nP/oXaE0RDYqKqbVfUskIxriHZ37kO2fwW0ThumJEhl2mdVnaGqJ53FBUClXI7R37z5PQO8CLwKnPawLth40+d7geGqehhAVbM89lse402fFSjuzJfANfp10FLVWcChS1TpBIxVlwVAtDPOn1+EWsKoCGx3W97hlHmso6rngaNAqVyJLmd402d3vXH9hRLMMu2ziFwDVFbVP70FMoh583u+HLhcROaKyAIR6ZBr0eUMb/r8HHCXiOwAfgQeyp3QAiar/9+zJOffGp63eDpSSH9fsTd1gonX/RGRu4AEoGWORpTzLtlnEQkDhgG9ciugXODN7zkC12mpRFxHkbNFpK6qHsnh2HKKN33uBnysqq+LSBPgE6fPF3M+vIDI0e+vUDvC2AFUdluuxF8PUf+oIyIRuA5jL3UImNd502dEpA2ud5zcrKpncim2nJJZn4sBdYEUEfkd17neSUF+4dvbf9sTVfWcqm4B1pHBe2aChDd97o1rgFRUdT4QiWuQvvzKq//v2RVqCWMxUEtEqotIQVwXtSelq+M+ZHsXYLo6V5OCVKZ9dk7PjMCVLIL9vDZk0mdVPaqqpVW1mqpWw3Xd5mZVXRKYcP3Cm3/b3+K6wQERKY3rFNXmXI3Sv7zp8zagNYCIXIkrYezP1Shz1ySgh3O3VGPgqKru9tfGQ+qUlKqed4ZOn4LrDovRqrpaRF4AlqjqJOBDXIetG3EdWdweuIh952Wfh+Iaev5L5/r+NlW9OWBB+8jLPucrXvZ5CtBORNYAF4AnVTVo3zPjZZ+fAEaJyGO4Ts30CuY/AEVkHK5TiqWd6zKDgQIAqvo+rus0NwAbgZPA3X7dfxB/dsYYY3JRqJ2SMsYYk02WMIwxxnjFEoYxxhivWMIwxhjjFUsYxhhjvGIJwwQdEUkRkfbpyh4VkXdzMYbnRGSniCx3piF+2Ga0iDzgtlxBRL7ydbuZ7PNjEenioTzH922CjyUME4zG8dfnY253ynOEiIR7KB6mqvWdydPQ2p7aXEo0rtGSAVDVXar6ly/z3BDIfZu8yxKGCUZfAR1FpBCA886SCsAcEYly3unxi4isFJFOaXVEZK2IjHHeE/CViBRx1rV23pew0nnfQNp2fxeRZ0VkDnCrN4GlbyMi94rIYhFZISIT3PYZKyLfOOUrRKQpMASo4RyxDHViXuXUjxSRj5wYl4lI2hPbvUTkaxGZLCIbROTVS8T1iogscqaabqtbiMg8EdmcdrThvm9j0ljCMEHHeTp5EZA22mrae0sU11Dlf1PVBriGwXhd5I/h6a8ARqrq1cAx4AERiQQ+Brqq6lW4Rj/o57a706raTFWTPYTymNspqfYZtPlaVa9V1XrAb7jGNgJ4G5jplDcAVgNPAZucI5Yn0+3rQafvV+EaUG+MEztAfaArcBXQVUQq49kxVW0IvAO86VZeHmgGdMSVtIzxyBKGCVbup6XcT0cJ8B8R+RX4GdfQzrHOuu2qOteZ/xTXl+QVwBZVXe+Uj8H1kpo04y8Rg/spqSkZtKkrIrNFZCVwJ1DHKW8FvAegqhdU9Wgm/W0GfOLUXwtsxTUWFMA0Z3ys08AaIKM3Jo5z+9nErfxbVb2oqmv4/8/KmL+whGGC1be4Xm7VACisqr845XcCZYB4Va0P7MU14Bz8dZhnxfNw0O5OZCM29zYfA/2dI4Pn3WLJqkvF6T668AUyHiNOM5h3bx/MLwszOcwShglKqpoKpACj+fPF7hLAPlU955znd/9ru4q43okArtM6c4C1QDW3c/rdgZl+DLUYsFtECuBKZmmm4Zz6EpFwESkOHHfqezIrrb2IXA5UwTU8eVZ0dfs5P4ttjbGEYYLaOKAerldzpvkMSBCRJbi+YNe6rfsN6OmcrooB3nNO49yNa6TelcBF4H0/xvgMsBCYmi6WR4AkZ59LgTrOtZm5IrJKRIam2867QLhTfzyuUVez+t6SQiKy0Nn3Y9noiwlxNlqtCQnOnVTfq2rdAIcSEOJ6UVSCqh4IdCwmeNkRhjHGGK/YEYYxxhiv2BGGMcYYr1jCMMYY4xVLGMYYY7xiCcMYY4xXLGEYY4zxyv8BPoSAPAY0E/sAAAAASUVORK5CYII= ",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.69017696,"math_prob":0.99918383,"size":5907,"snap":"2019-35-2019-39","text_gpt3_token_len":1965,"char_repetition_ratio":0.10435372,"word_repetition_ratio":0.12665199,"special_character_ratio":0.36566785,"punctuation_ratio":0.1375,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.99988425,"pos_list":[0,1,2,3,4,5,6],"im_url_duplicate_count":[null,3,null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2019-08-26T05:50:15Z\",\"WARC-Record-ID\":\"<urn:uuid:adad77e0-c210-4a73-a98c-c01a16f67c25>\",\"Content-Length\":\"89262\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:a179fe31-f15b-4021-af13-26bd309706ad>\",\"WARC-Concurrent-To\":\"<urn:uuid:5760aab9-244a-44e3-9fac-9521b56194db>\",\"WARC-IP-Address\":\"104.28.8.110\",\"WARC-Target-URI\":\"https://nbviewer.jupyter.org/github/jckantor/CBE20255/blob/master/notebooks/07.09-Isothermal-Flash-and-the-Rachford-Rice-Equation.ipynb\",\"WARC-Payload-Digest\":\"sha1:2AG34GXKOKMA6UDJTG237UEBK2AHOYCE\",\"WARC-Block-Digest\":\"sha1:IDFBCUQSATFANS2HLNN4VVARUDZA5WBI\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2019/CC-MAIN-2019-35/CC-MAIN-2019-35_segments_1566027330968.54_warc_CC-MAIN-20190826042816-20190826064816-00195.warc.gz\"}"} |
https://cran.csiro.au/web/packages/miselect/readme/README.html | [
"# Variable Selection for Multiply Imputed Data\n\nPenalized regression methods, such as lasso and elastic net, are used in many biomedical applications when simultaneous regression coefficient estimation and variable selection is desired. However, missing data complicates the implementation of these methods, particularly when missingness is handled using multiple imputation. Applying a variable selection algorithm on each imputed dataset will likely lead to different sets of selected predictors, making it difficult to ascertain a final active set without resorting to ad hoc combination rules. ‘miselect’ presents Stacked Adaptive Elastic Net (saenet) and Grouped Adaptive LASSO (galasso) for continuous and binary outcomes. They, by construction, force selection of the same variables across multiply imputed data. ‘miselect’ also provides cross validated variants of these methods.\n\n## Installation\n\n`miselect` can installed from Github via\n\n``````# install.packages(\"devtools\")\ndevtools::install_github(\"umich-cphds/miselect\", build_opts = c())``````\n\nThe Github version may contain bug fixes not yet present on CRAN, so if you are experiencing issues, you may want to try the Github version of the package.\n\n## Example\n\nHere is how to use cross validated `saenet`. A nice feature of `saenet` is that you can cross validate over `alpha` without having to use `foldid`.\n\n``````library(miselect)\nlibrary(mice)\n#>\n#> Attaching package: 'mice'\n#> The following objects are masked from 'package:base':\n#>\n#> cbind, rbind\n\nset.seed(48109)\n# Using the mice defaults for sake of example only.\nmids <- mice(miselect.df, m = 5, printFlag = FALSE)\ndfs <- lapply(1:5, function(i) complete(mids, action = i))\n\n# Generate list of imputed design matrices and imputed responses\nx <- list()\ny <- list()\nfor (i in 1:5) {\nx[[i]] <- as.matrix(dfs[[i]][, paste0(\"X\", 1:20)])\ny[[i]] <- dfs[[i]]\\$Y\n}\n\n# Calculate observational weights\nweights <- 1 - rowMeans(is.na(miselect.df))\npf <- rep(1, 20)\nalpha <- c(.5 , 1)\n\n# Since 'Y' is a binary variable, we use 'family = \"binomial\"'\nfit <- cv.saenet(x, y, pf, adWeight, weights, family = \"binomial\",\nalpha = alpha)\n\n# By default 'coef' returns the betas for (lambda.min , alpha.min)\ncoef(fit)\n#> (Intercept) X1 X2 X3 X4 X5\n#> 0.07500679 1.48805119 0.57645656 0.00000000 1.79085524 0.05315903\n#> X6 X7 X8 X9 X10 X11\n#> 0.00000000 1.78466568 0.00000000 -0.01937788 0.00000000 1.29382032\n#> X12 X13 X14 X15 X16 X17\n#> 0.00000000 0.00000000 0.00000000 -0.14915055 0.00000000 0.28699265\n#> X18 X19 X20\n#> 0.00000000 -0.23440273 0.00000000``````\n\nYou can supply different values of `lambda` and `alpha`. Here we use the `lambda` and `alpha` selected by the one standard error rule\n\n``````coef(fit, lambda = fit\\$lambda.1se, alpha = fit\\$alpha.1se)\n#> (Intercept) X1 X2 X3 X4 X5\n#> 0.1180812 0.0000000 0.0000000 0.0000000 0.0000000 0.0000000\n#> X6 X7 X8 X9 X10 X11\n#> 0.0000000 0.0000000 0.0000000 0.0000000 0.0000000 0.0000000\n#> X12 X13 X14 X15 X16 X17\n#> 0.0000000 0.0000000 0.0000000 0.0000000 0.0000000 0.0000000\n#> X18 X19 X20\n#> 0.0000000 0.0000000 0.0000000``````\n\n## Bugs\n\nIf you encounter a bug, please open an issue on the Issues tab on Github or send us an email.\n\n## Contact\n\nFor questions or feedback, please email Jiacong Du at jiacong@umich.edu or Alexander Rix alexrix@umich.edu.\n\nVariable selection with multiply-imputed datasets: choosing between stacked and grouped methods. Jiacong Du, Jonathan Boss, Peisong Han, Lauren J Beesley, Stephen A Goutman, Stuart Batterman, Eva L Feldman, and Bhramar Mukherjee. 2020. arXiv:2003.07398"
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.67926484,"math_prob":0.92132664,"size":3429,"snap":"2021-43-2021-49","text_gpt3_token_len":1100,"char_repetition_ratio":0.15007299,"word_repetition_ratio":0.07017544,"special_character_ratio":0.3756197,"punctuation_ratio":0.179676,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.95908153,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-12-09T14:11:51Z\",\"WARC-Record-ID\":\"<urn:uuid:daef8bd8-586a-4dfd-bee6-d613c0d7c43d>\",\"Content-Length\":\"7059\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:cf029447-3a1d-4425-9c6c-ef37ac3f5444>\",\"WARC-Concurrent-To\":\"<urn:uuid:7721a162-9a76-4241-a476-e1ca115538e7>\",\"WARC-IP-Address\":\"150.229.0.204\",\"WARC-Target-URI\":\"https://cran.csiro.au/web/packages/miselect/readme/README.html\",\"WARC-Payload-Digest\":\"sha1:PXUC2YVZISSZWO47T3CW543W7AUWTBE6\",\"WARC-Block-Digest\":\"sha1:PS77EMXVE2QWWWA7O3W5AIGLCWUKV3AL\",\"WARC-Identified-Payload-Type\":\"application/xhtml+xml\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-49/CC-MAIN-2021-49_segments_1637964364169.99_warc_CC-MAIN-20211209122503-20211209152503-00347.warc.gz\"}"} |
https://masteranalytics.org/2019/10/02/leetcode-sql-1112-1113-1126-1127/ | [
"## 1112. Highest Grade for Each Student\n\nQuestion:\n\nSolution:\n\n``````select\nstudent_id,\ncourse_id,\nfrom (\nselect\nstudent_id,\ncourse_id,\nrow_number() over(partition by student_id order by grade desc, course_id) as r\nfrom Enrollments\n) a\nwhere r = 1``````\n\n## 1113. Reported Posts\n\nQuestion:\n\nSolution:\n\n``````select\nextra as report_reason,\ncount(distinct post_id) as report_count\nfrom Actions\nwhere action = 'report'\nand action_date = date_sub('2019-07-05', interval 1 day)\ngroup by 1``````\n\nQuestion:\n\nSolution:\n\n``````select distinct\nfrom(\nselect\ncount(distinct e.event_type) as number_of_event_type\nfrom Events e\nleft join (\nselect\nevent_type,\navg(occurences) as avg_occurences\nfrom Events\ngroup by 1\n) a\non e.event_type = a.event_type\nwhere e.occurences > a.avg_occurences\ngroup by 1\nhaving count(distinct e.event_type) > 1\n) b\norder by 1``````\n\n## 1127. User Purchase Platform\n\nQuestion:\n\nSolution:\n\n``````select\na.spend_date,\na.platform,\nifnull(total_amount,0) as total_amount,\nifnull(total_users,0) as total_users\nfrom(\n/* create a view with spend date across desktop, mobile and combined platforms */\nselect distinct\ns.spend_date,\np.platform\nfrom Spending s\ncross join (\nselect 'desktop' as platform\nunion\nselect 'mobile' as platform\nunion\nselect 'both' as platform\n) p\n) a\nleft join (\nselect\nspend_date,\nplatform,\nsum(total_amount) as total_amount,\ncount(distinct user_id) as total_users\nfrom(\nselect\nspend_date,\nuser_id,\ncase\nwhen sum(mobile) > 0 and sum(desktop) > 0 then 'both'\nwhen sum(desktop) > 0 and sum(mobile) = 0 then 'desktop'\nwhen sum(mobile) > 0 and sum(desktop) = 0 then 'mobile'\nend as platform,\ncase\nwhen sum(mobile) > 0 and sum(desktop) > 0 then sum(mobile) + sum(desktop)\nwhen sum(desktop) > 0 and sum(mobile) = 0 then sum(desktop)\nwhen sum(mobile) > 0 and sum(desktop) = 0 then sum(mobile)\nend as total_amount\nfrom(\nselect\nspend_date,\nuser_id,\namount as mobile,\n0 as desktop\nfrom Spending\nwhere platform = 'mobile'\nunion\nselect\nspend_date,\nuser_id,\n0 as desktop,\namount as desktop\nfrom Spending\nwhere platform = 'desktop'\n) s\ngroup by 1,2\n)a\ngroup by 1,2\n) b\non (a.spend_date = b.spend_date and a.platform = b.platform)\norder by 1,2``````"
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.7744456,"math_prob":0.90875226,"size":2160,"snap":"2023-14-2023-23","text_gpt3_token_len":641,"char_repetition_ratio":0.1567718,"word_repetition_ratio":0.12063492,"special_character_ratio":0.27592593,"punctuation_ratio":0.15306123,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9962857,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-06-04T07:12:18Z\",\"WARC-Record-ID\":\"<urn:uuid:f7c3aff6-4d57-4dbd-8544-8f5369333989>\",\"Content-Length\":\"155570\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:b53663ed-b21f-4e88-8b7d-f950bd45a52b>\",\"WARC-Concurrent-To\":\"<urn:uuid:00c9a498-95f0-41c6-b680-f840f386fb5e>\",\"WARC-IP-Address\":\"192.0.78.207\",\"WARC-Target-URI\":\"https://masteranalytics.org/2019/10/02/leetcode-sql-1112-1113-1126-1127/\",\"WARC-Payload-Digest\":\"sha1:55J4S2TPR2VJXKRWQ7E56HJPSUTUN2UZ\",\"WARC-Block-Digest\":\"sha1:5RU4XHE7NCYNL2KOU2AGDJ4Y4PCAIYRB\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-23/CC-MAIN-2023-23_segments_1685224649518.12_warc_CC-MAIN-20230604061300-20230604091300-00598.warc.gz\"}"} |
https://www.hindawi.com/journals/ijde/2011/831436/ | [
"Research Article | Open Access\n\nVolume 2011 |Article ID 831436 | https://doi.org/10.1155/2011/831436\n\nCôme Goudjo, Babacar Lèye, Mamadou Sy, \"Weak Solution to a Parabolic Nonlinear System Arising in Biological Dynamic in the Soil\", International Journal of Differential Equations, vol. 2011, Article ID 831436, 24 pages, 2011. https://doi.org/10.1155/2011/831436\n\n# Weak Solution to a Parabolic Nonlinear System Arising in Biological Dynamic in the Soil\n\nAccepted27 Jun 2011\nPublished16 Aug 2011\n\n#### Abstract\n\nWe study a nonlinear parabolic system governing the biological dynamic in the soil. We prove global existence (in time) and uniqueness of weak and positive solution for this reaction-diffusion semilinear system in a bounded domain, completed with homogeneous Neumann boundary conditions and positive initial conditions.\n\n#### 1. Introduction\n\nModelling biological dynamic in the soil is of great interest during these last years. Several attempts are made in , , and rarely in . For more details, readers are referred to . We deal here with the mathematical study of the model described in .\n\nLet be a fixed time, an open smooth bounded domain, , and .\n\nThe set of equations describing the organic matter cycle of decomposition in the soil is given by the following system: for .\n\nWe have noticed with is the density of microorganisms (MB), is the density of DOM, is the density of SOM, is the density of FOM, density of enzymes, and is the density of CO2, with mortality rate, is the breathing rate, is the enzymes production rate, is the transformation rate of deteriorated enzymes, is the maximal transformation rate of SOM, is the maximal transformation rate of FOM, maximal growth rate, and represent half-saturation constants, and , to 6, are strictly positive constants.\n\nSystem is introduced in . To our knowledge, it is the first time that diffusion is used to model biological dynamics and linking it to real soil structure described by a 3D computed tomography image.\n\nSimilar systems to operate in other situations. It comes in population dynamics as Lotka-Voltera equation which corresponds to the case , denoting the densities of species present and growth rate. This system is also involved in biochemical reactions. In this case, the are the concentrations of various molecules, is the rate of loss, and represents the gains.\n\nFor models in biology, interested reader can consult with profit where the author presents some models based on partial differential equations and originating from various questions in population biology, such as physiologically structured equations, adaptative dynamics, and bacterial movement. He describes original mathematical methods like the generalized relative entropy method, the description of Dirac concentration effects using a new type of Hamilton-Jacobi equations, and a general point of view on chemotaxis including various scales of description leading to kinetic, parabolic, or hyperbolic equations.\n\nTheoretical study of semilinear equations is widely investigated. Some interesting mathematical difficulties arise with these equations because of blowup in finite time, nonexistence and uniqueness of solution, singularity of the solutions, and noncontinuity of the solution regarding data.\n\nIn , the authors prove the blowup in finite time for the system in ,\n\nA sufficient condition for the blowup of the solution of parabolic semilinear second-order equation is obtained in with nonlinear boundary conditions, and so the set in which the explosion takes place. He also gives a sufficient condition for the solution of this equation which tends to zero, and its asymptotic behavior.\n\nExistence and uniqueness of weak solutions for the following system are considered in : with with obstacles, giving a probabilistic interpretation of solution. This problem is solved using a probabilistic method under monotony assumptions.\n\nBy using bifurcation theory, in , authors determine the overall behavior of the dynamic system\n\nA Cauchy problem for parabolic semilinear equations with initial data in is studied in . Particularly the author solves local existence using distributions data.\n\nMichel Pierre’s paper, see , presents few results and open problems on reaction-diffusion systems similar to the following one: where the are functions of , and , , , .\n\nThe systems usually satisfy the two main properties: (i)the positivity of the solutions is preserved for all time, (ii)the total mass of the components is uniformly controlled in time.\n\nHe recalls classical local existence result under the above hypothesis.\n\nIt is assumed throughout the paper that (i)all nonlinearities are quasipositives, (ii)they satisfy a “mass-control structure” It follows that the total mass is bounded on any interval. Few examples of reactions-diffusion systems for which these properties hold are studied.\n\nSystems where the nonlinearities are bounded in are also considered, for instance, for in whose growth rate is less than when tends to .\n\nOther situations are investigated, namely, when the growth of the nonlinearities is not small. But many questions are still unsolved, so several open problems are indicated.\n\nA global existence result for the following system: where , and are , holds for the additional following hypothesis:\n\nThis approach has been extended to systems for which ,, are all bounded by a linear of the (see ).\n\nHowever, -blow up may occur in finite time for polynomial systems as proved in [16, 17].\n\nA very general result for systems which preserves positivity and for which the nonlinearities are bounded in may be found in . It is assumed that, for all , there is a sequence which converges in to a supersolution of (1.7).\n\nOne consequence is that global existence of weak solutions for systems whose nonlinearities are at most quadratic with can be obtained.\n\nResults are also obtained in the weak sense for systems satisfying , where , , and .\n\nThe aim of our paper is to study the global existence in time of solution for the system . In our work, we use an approach based both on variational method and semigroups method to demonstrate existence and uniqueness of weak solution.\n\nThe difficulty is that being in the denominator of some and , it is necessary to guarantee that is nonnegative to avoid explosion of these expressions, whereas the classical methods assume that these expressions are bounded.\n\nFor instance, to show that weak solution is positive with an initial positive datum, Stampachia’s method uses majoration of by a function of .\n\nIn our work, we show existence and unicity of a global positive weak solution of System for an initial positive datum.\n\nThe work is organized as follows. In the first part, we recall some preliminary results concerning variational method and semigroups techniques. In the second part, we prove, using these methods, existence, uniqueness, and positivity of weak solution under assumptions of positive initial conditions.\n\n#### 2. Preliminary Results\n\n##### 2.1. Variational Method (See )\n\nWe consider two Hilbert spaces and such that is embedded continuously and densely in .\n\nThen, we have duality . Using Riesz theorem, we identify and . So we get .\n\nDefinition 2.1. We define the Hilbert space equipped with the norm\n\nWe assume the two following lemmas, see .\n\nLemma 2.2. There exists a continuous prolongation operator from to such that\n\nLemma 2.3. is dense in .\n\nCorollary 2.4. is dense in .\n\nProof. If , one takes a sequence of which converges in toward , and then converges toward and for all .\n\nProposition 2.5. Every element is almost everywhere equal to a function in .\nFurthermore, the injection of into is continuous when is equipped with the supnorm.\n\nProof. See .\n\nApplication\nFor all , a bilinear form is given on such that for and fixed, is measurable and\nFor each fixed , one defines a continuous linear application by\nThen, we have\nAlso we associate, for all fixed , an unbounded operator in whose domain is the set of such that is continuous on for the induced norm by . It is exactly the set of such that and then\nTo simplify the writting the unbounded operator is noted .\nLet , we have, for , where the bracket is the duality between and because . By density, if , one has, for all ,\nThe variational parabolic problem associated to the triple is the following.\nGiven and , find such that\nThis problem is equivalent to\n\nDefinition 2.6. The form is coercive or coercive if exists such that\n\nTheorem 2.7. If the form is coercive, then the problem admits a unique solution.\n\nProof. See Dautray-Lions .\n\nDefinition 2.8. The form is coercive if there exist two constants and such that\n\nIf we set , then is solution of if and only if is solution of\n\nWriting\n\nis a coercive form, and then admits a unique solution, and therefore too. We apply Theorem 2.7 in the following case: and defining we assume that and there exists such that, for all , we have\n\nThen, we deduce that\n\nThe form is then coercive, and it suffices to take .\n\nIn addition, let us take with for all , .\n\nThe form is still coercive. We have the following theorem.\n\nTheorem 2.9. Under the previous hypothesis, problem associated to the triple admits a unique solution for all and .\nMoreover, if and one has for all .\n\nProof It remains to show that the solution is nonnegative.\nGiven , we set and . If , then we have and .\nBy replacing by in , we obtain\nOne gets and by linearity, we obtain\nbut\nSince it comes that\nBy integration over , we deduce\nBut , then , so .\nHence, we conclude that for all .\nAs previously mentioned, if we set , is solution of with\nIt suffices to take to reduce to the previous case, and implies .\nThen, we get.\n\nCorollary 2.10. Consider the triple satisfying assumptions of Theorem 2.9.\nIf and then the variational problem admits a unique solution in for all and .\nMoreover, if and then one has for all .\n\nEquivalence of the Variational Solution with the Initial Problem\nWe have\nFor the sake of simplicity, we set which is the Kronecker symbol.\nThen, over , and we have\nWe assume that , then if . We set\nConsequently, we have and\nThen , , and are well defined.\nIt remains to show that .\nLet , and we multiply (2.34) 1 by , and by integration over , one gets\nUsing Green formula with , we have\nAs we can conclude the following statement:\nWe deduce that\nFunction from into being surjective, we deduce that\n\n##### 2.2. Semigroup Method\n\nConsider the variational triple where is independent of . We associate operators and in with\n\nAssume that is coercive, then is the infinitesimal generator of semigroup of class over , and operates over and . If we note the extension of by 0 for , then the Laplace transform of is the resolvent of .\n\nProposition 2.11. For and , problem which consists in finding such that admits a unique solution given by\n\nProof. Note and the extensions by 0 of and outside , then we have with the Dirac measure on .\nThus,\nHence, an equation of the form where is the space of distributions over into whose support is in . By Laplace transform, one is reduced to where and therefore, we have .\nBut since we have\nHence, we get the result.\n\n#### 3. System Resolution\n\nIn this part, we go back to system with assumptions and will analyze this problem by using the framework described in the previous section.\n\nWe define and and the following hypothesis for initial conditions:\n\nWe will make a resolution component by applying Theorem 2.7 with, for each , the form\n\nOne approaches the solution by a sequence of solutions of linear equations.\n\n##### 3.1. Recursive Sequence of Solutions\n\nFor , we note that is the solution of\n\nThis equation admits strong solution and .\n\nBy induction, we note that is solution of equation\n\nIt is a linear equation within the framework of Corollary 2.10 with and . Let us suppose that there exists a unique nonnegative solution . Assuming by induction that for , we have which implies that is nonnegative also that implies that there are two positive constants , such that For the rest, we notice that and are constant.\n\nWe have shown that for . It remains to prove that the same property is satisfied by .\n\nTo prove that is bounded, we need to show that .\n\nCase of\nLet , we multiply (3.3) 1 by and integrate it over , and it comes that The second term is nonnegative, then we have By integrating over , we obtain When tends to , it comes that, which implies that .\n\nCase of with\nBy induction, we suppose that are in .\n\nRemark 3.1. We make the following change: . We obtain\nThe function being undervalued, we can choose such that We multiply (3.12) by and integrate it over . We obtain The second and third term being nonnegative, we can conclude as in the previous case that Since tends to , it follows that As a result, we have proved that , and since , we have .\n\nConclusion 1. With the previous demonstration, we obtain by induction that if with , then for all and .\nWe also have and . Then by means of Corollary 2.10, there exists a unique solution with .\n\n##### 3.2. Boundedness of the Solution\n\nLet us show that the sequence is bounded. satisfies (2.34), so\n\nWe remark that\n\nFor , By density and choosing , we have\n\nHence,\n\nWe have seen that we can obtain problem replacing by , and since , if is bounded, is also bounded.\n\nWe take then , and one is reduced to\n\nThe form is coercive, so we take such that\n\nThe are bounded, so Therefore,\n\nWe take small enough such that . Hence,\n\nFor and , . Therefore, by integration,\n\nWe deduce that and remain bounded in and .\n\n, thus, remains bounded in ; therefore, has the same property as , . It is the same for because .\n\nWe have ; therefore, we have the same conclusion for and finally for because depends on , , , and .\n\n##### 3.3. Convergence of the Sequence\n\nWe deduce at this stage that the sequence (one can extract subsequence ) converges weakly in to and weakly star in to .\n\nBut it is not enough to pass to the limit in the equation, we need the pouctual convergence for almost all to deduce that for all and to pass to the limit in and . To pass to the limit, we need strong compactness. Using Proposition 2.11, for all , we have where is the semigroup generated by the unbounded operator . Let us denote and we deduce .\n\nMoreover, the sequence is bounded in which implies that the sequence is bounded in for all .\n\nThen, we can conclude showing that operator from into defined by is compact.\n\nOne takes the triple with where is regular and bounded. The unbounded variational operator associated to is a positive symmetric operator with compact resolvent. It admits a sequence of positive eigenvalues with and a Hilbert basis of consisting of eigenvectors of . If is the semigroup generated by , then for all ,\n\nwhich proves that the operator is compact for all because We have the same formula for , and it suffices to replace by .\n\nIf we set then is an operator with finite rank which converges to .\n\nTheorem 3.2. Let be an application from into . One assumes that there exists a sequence of operators of with the following properties: (1)for all and all , is finite rank independent of , (2) is continuous from into for all , (3)for , converges to in for all ,\nthen the operator is compact from into for all .\n\nProof. Regarding property (3) of Theorem 3.2, is well defined on , and we have This proves that converges to in using property (3) of Theorem 3.2.\nTo show that is compact, it suffices to show that for all , is compact.\nLet be a bounded set of , is bounded in , using Ascoli result, it will be relatively compact if is equicontinuous and if for all in , is relatively compact in .\nBut being bounded and embedded in a subspace of finite dimension of is relatively compact in . Then, let us show the equicontinuity on .\nLet and such that For , one has We have which tend to 0 when using property (2) of Theorem 3.2 and the continuity under the integral.\nWe apply Theorem 3.2 to the semigroup generated by the Laplacien, and we obtain(1) is of rank for all , (2)"
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.93871313,"math_prob":0.9791722,"size":15740,"snap":"2022-27-2022-33","text_gpt3_token_len":3496,"char_repetition_ratio":0.1403152,"word_repetition_ratio":0.019593613,"special_character_ratio":0.2205845,"punctuation_ratio":0.14410058,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.99635005,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2022-08-19T14:35:32Z\",\"WARC-Record-ID\":\"<urn:uuid:a5da5b27-fbcc-4d36-a2d8-3851c3b639ca>\",\"Content-Length\":\"1049317\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:206e1d3c-7f9c-4019-b014-b7757411e405>\",\"WARC-Concurrent-To\":\"<urn:uuid:aaa58292-9750-408c-aea6-06eedb71e2fc>\",\"WARC-IP-Address\":\"13.249.39.104\",\"WARC-Target-URI\":\"https://www.hindawi.com/journals/ijde/2011/831436/\",\"WARC-Payload-Digest\":\"sha1:N2PJEQ7MMQKLQ7KDFS3XTL6JM46UVG4Q\",\"WARC-Block-Digest\":\"sha1:JBSHEFMGXIRM6TELIEPGSJJVJPGFB6MY\",\"WARC-Truncated\":\"length\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2022/CC-MAIN-2022-33/CC-MAIN-2022-33_segments_1659882573699.52_warc_CC-MAIN-20220819131019-20220819161019-00702.warc.gz\"}"} |
https://riptutorial.com/haskell/topic/8616/arithmetic | [
"# Haskell Language Arithmetic\n\n## Introduction\n\nIn Haskell, all expressions (which includes numerical constants and functions operating on those) have a decidable type. At compile time, the type-checker infers the type of an expression from the types of the elementary functions that compose it. Since data is immutable by default, there are no \"type casting\" operations, but there are functions that copy data and generalize or specialize the types within reason.\n\n## The numeric typeclass hierarchy\n\n`Num` sits at the root of the numeric typeclass hierarchy. Its characteristic operations and some common instances are shown below (the ones loaded by default with Prelude plus those of `Data.Complex`):\n\n``````λ> :i Num\nclass Num a where\n(+) :: a -> a -> a\n(-) :: a -> a -> a\n(*) :: a -> a -> a\nnegate :: a -> a\nabs :: a -> a\nsignum :: a -> a\nfromInteger :: Integer -> a\n{-# MINIMAL (+), (*), abs, signum, fromInteger, (negate | (-)) #-}\n-- Defined in ‘GHC.Num’\ninstance RealFloat a => Num (Complex a) -- Defined in ‘Data.Complex’\ninstance Num Word -- Defined in ‘GHC.Num’\ninstance Num Integer -- Defined in ‘GHC.Num’\ninstance Num Int -- Defined in ‘GHC.Num’\ninstance Num Float -- Defined in ‘GHC.Float’\ninstance Num Double -- Defined in ‘GHC.Float’\n``````\n\nWe have already seen the `Fractional` class, which requires `Num` and introduces the notions of \"division\" `(/)` and reciprocal of a number:\n\n``````λ> :i Fractional\nclass Num a => Fractional a where\n(/) :: a -> a -> a\nrecip :: a -> a\nfromRational :: Rational -> a\n{-# MINIMAL fromRational, (recip | (/)) #-}\n-- Defined in ‘GHC.Real’\ninstance RealFloat a => Fractional (Complex a) -- Defined in ‘Data.Complex’\ninstance Fractional Float -- Defined in ‘GHC.Float’\ninstance Fractional Double -- Defined in ‘GHC.Float’\n``````\n\nThe `Real` class models .. the real numbers. It requires `Num` and `Ord`, therefore it models an ordered numerical field. As a counterexample, Complex numbers are not an ordered field (i.e. they do not possess a natural ordering relationship):\n\n``````λ> :i Real\nclass (Num a, Ord a) => Real a where\ntoRational :: a -> Rational\n{-# MINIMAL toRational #-}\n-- Defined in ‘GHC.Real’\ninstance Real Word -- Defined in ‘GHC.Real’\ninstance Real Integer -- Defined in ‘GHC.Real’\ninstance Real Int -- Defined in ‘GHC.Real’\ninstance Real Float -- Defined in ‘GHC.Float’\ninstance Real Double -- Defined in ‘GHC.Float’\n``````\n\n`RealFrac` represents numbers that may be rounded\n\n``````λ> :i RealFrac\nclass (Real a, Fractional a) => RealFrac a where\nproperFraction :: Integral b => a -> (b, a)\ntruncate :: Integral b => a -> b\nround :: Integral b => a -> b\nceiling :: Integral b => a -> b\nfloor :: Integral b => a -> b\n{-# MINIMAL properFraction #-}\n-- Defined in ‘GHC.Real’\ninstance RealFrac Float -- Defined in ‘GHC.Float’\ninstance RealFrac Double -- Defined in ‘GHC.Float’\n``````\n\n`Floating` (which implies `Fractional`) represents constants and operations that may not have a finite decimal expansion.\n\n``````λ> :i Floating\nclass Fractional a => Floating a where\npi :: a\nexp :: a -> a\nlog :: a -> a\nsqrt :: a -> a\n(**) :: a -> a -> a\nlogBase :: a -> a -> a\nsin :: a -> a\ncos :: a -> a\ntan :: a -> a\nasin :: a -> a\nacos :: a -> a\natan :: a -> a\nsinh :: a -> a\ncosh :: a -> a\ntanh :: a -> a\nasinh :: a -> a\nacosh :: a -> a\natanh :: a -> a\nGHC.Float.log1p :: a -> a\nGHC.Float.expm1 :: a -> a\nGHC.Float.log1pexp :: a -> a\nGHC.Float.log1mexp :: a -> a\n{-# MINIMAL pi, exp, log, sin, cos, asin, acos, atan, sinh, cosh,\nasinh, acosh, atanh #-}\n-- Defined in ‘GHC.Float’\ninstance RealFloat a => Floating (Complex a) -- Defined in ‘Data.Complex’\ninstance Floating Float -- Defined in ‘GHC.Float’\ninstance Floating Double -- Defined in ‘GHC.Float’\n``````\n\nCaution: while expressions such as `sqrt . negate :: Floating a => a -> a` are perfectly valid, they might return `NaN` (\"not-a-number\"), which may not be an intended behaviour. In such cases, we might want to work over the Complex field (shown later)."
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.7240927,"math_prob":0.93257517,"size":3783,"snap":"2022-40-2023-06","text_gpt3_token_len":1055,"char_repetition_ratio":0.2466261,"word_repetition_ratio":0.10230547,"special_character_ratio":0.3121861,"punctuation_ratio":0.21825397,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9973589,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2022-10-06T21:16:09Z\",\"WARC-Record-ID\":\"<urn:uuid:97d21727-33e1-482a-a17c-66af093892a8>\",\"Content-Length\":\"62571\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:40db1ced-8a68-4bf5-b1f3-e774f6237cea>\",\"WARC-Concurrent-To\":\"<urn:uuid:227cdeff-f4f4-43d0-bd02-cc2cb159d989>\",\"WARC-IP-Address\":\"40.83.160.29\",\"WARC-Target-URI\":\"https://riptutorial.com/haskell/topic/8616/arithmetic\",\"WARC-Payload-Digest\":\"sha1:B7K2ZB2G5QQTIAIJSEHE3K774I4W5WI7\",\"WARC-Block-Digest\":\"sha1:YQIDXEMCULZHPDOZXNMHJCFLXD7PMAKT\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2022/CC-MAIN-2022-40/CC-MAIN-2022-40_segments_1664030337855.83_warc_CC-MAIN-20221006191305-20221006221305-00166.warc.gz\"}"} |
https://pypi.org/project/wptherml/1.0.13b0/ | [
"A Python package for the design of materials for harnessing heat.\n\n## Project description",
null,
"Pioneering the design of materials for harnessing heat.\n\n## Overview\n\nWPTherml stands for William Paterson University's tool for Thermal Energy and Radiation management with Multi Layer nanostructures. The vision of this software package is to provide an easy-to-use platform for the design of materials with tailored optical and thermal properties for the vast number of energy applications where control of absorption and emission of radiation, or conversion of heat to radiation or vice versa, is paramount. The optical properties are treated within classical electrodynamics, and the current version uses the Transfer Matrix Method to rigorously solve Maxwell's equations for layered isotropic media. WPTherml was conceived and developed by the Foley Lab at William Paterson University. More details of the Transfer Matrix equations, along will the full mathematical formulation currently implemented in WPTherml, can be found in the documentation.\n\n## Quick Start\n\n• WPTherml is written in Python 3 and requires the numpy, scipy, and matplotlib packages. Current installation of the Anaconda Python 3 package should provide all you need on Windows, Mac, or Linux platforms\n\n• To install from github:\n\n• `git clone https://github.com/FoleyLab/wptherml.git`\n• `cd wptherml`\n• `python setup.py install`\n• To run unit tests from cloned repository:\n\n• `cd test`\n• `python -m pytest test.py`\n• The test script for running unit tests can be downloaded here\n\n• To install with pip:\n\n• `pip install wptherml`\n• Open a new .py file in your favorite text editor or IDE, e.g.\n\n`vim example.py`\n\nThe capabilities of this package are contained within a class called multilayer. A basic example of a script that imports the multilayer class, computes the reflectivity of 20 nm gold film coated with 50 nm of TiO2 and 100 nm SiO2, and plots it using pyplot follows:\n\n```from wptherml.wpml import multilayer\nfrom matplotlib import pyplot as plt\n\n### dictionary that stores basic properties\n### of the multilayer structure you want to simulate\nstructure = {\n### actual materials the structure is made from... note terminal layers are air and\n### top-side layer (layer upon which light is incident) is SiO2.\n### Refractive index values are stored in the attribute self.n\n'Material_List': ['Air', 'SiO2', 'TiO2', 'Au', 'Air'],\n### thickness of each layer... terminal layers must be set to zero\n### values are stored in attribute self.d\n'Thickness_List': [0, 100e-9, 50e-9, 20e-9, 0],\n### range of wavelengths optical properties will be calculated for\n### values are stored in the array self.lam\n'Lambda_List': [400e-9, 800e-9, 1000]\n}\n\n### create the instance called coated_au_film\ncoated_au_film = multilayer(structure)\n\n### create a plot of the reflectivity of the coated au film - use red lines\n### the wavelengths are stored in SI units so we will multiply by 1e9 to\n### plot them in nanometers\nplt.plot(1e9*coated_au_film.lambda_array, coated_au_film.reflectivity_array, 'red')\nplt.show()\n```\n\n{: .language-python}\n\n• Save this script and run it either in the terminal as\n\n`python example.py`\n\nwhere example.py is the name of the file you created, or if you were doing this in an IDE, execute it within your IDE!\n\nThe schematic that illustrates the above example is shown in the figure below. Note the ordering of the layers in the picture and how they are specified through Material_List and Thickness_List relative to the incident, reflected, transmitted, and thermally-emitted light.",
null,
"There are illustrative examples of using the features of the multilayer class contained in Jupyter notebooks within this repository, including:\n\nMore will be added in the near future!\n\n## Playlist\n\nThe developers of WPTherml compiled a thematic Spotify Playlist called \"Everything Thermal\"; we hope it will inspire you to imagine new possibilities for harnessing heat and thermal radiation!\n\n## Features List\n\n1. Computes Reflectivity, Transmissivity, and Absorptivity/Emissivity spectrum of arbitrary multi-layered planar structures using the Transfer Matrix Method\n2. Computes Thermal Emission spectrum at a given temperature of multi-layer structure as emissivity * Blackbody spectrum\n3. Computes solar power absorbed from absorptivity * AM1.5 spectrum\n4. From the quantities above, the following performance-related quantities can be computed for various thermal-related applications:\n• Spectral Efficiency of (S)TPV Emitters for a given PV\n• Useful Power Density (S)TPV Emitters for a given PV\n• Short Circuit Current Density (S)TPV Emitter for a given PV\n• TPV Efficiency (S)TPV Emitters for a given PV\n• Absorber Efficiency for STPV Absorbers for a given concentration factor\n• Luminous Efficiency/Luminous Efficacy of Incandescent bulb filaments\n• Cooling Power for day-time radiative cooling for a given ambient temperature and temperature of the multi-layer\n5. From optical quantities, the following analysis can be performed\n• Identify Surface Plasmon Polariton modes\n• Identify Perfectly Absorbing modes\n• Rendering of color of a multi-layer at cool temperatures and at elevated temperatures\n\nThe calculations of the quantities above are facilitated by a class called multilayer. The multilayer class parses a dictionary for key structural data like the material and thicknesses that comprise the multi-layer structure being modeled, the types of applications one wants to consider the multi-layer structure for. The following is the complete list of dictionary keys the multilayer class will recognize, along with the data the user can supply in association with each key:\n\n```'Lambda_List' # a list of three floats that includes in order (i) shortest wavelength in meters, (ii) longest wavelength in meters, and (iii) total number of wavelengths where you would like the optical quantities to be evaluated. (Default is [400e-9,6000e-9,1000])\n\n'Thickness_List' # a list of floats that specify the thickness in meters of each layer. Note that the terminal layers (first and last) must have thickness of 0. (Default is [0, 900e-9, 0].)\n\n'Material_List' # a list of strings that specify the materials in each layer (Default is ['Air', 'W', 'Air'].\nThe following strings are currently recognized for the following supported materials:\n* 'Air' - keyword for Air\n* 'SiO2' - keyword for Glass\n* 'HfO2' - keyword for Hafnium Oxide\n* 'Al2O3' - keyword for Aluminum Oxide\n* 'TiO2' - keyword for Titanium Oxide\n* 'AlN' - keyword for Aluminum Nitride\n* 'TiN' - keyword for Titanium Nitride\n* 'Ag' - keyword for Silver\n* 'Au' - keyword for Gold\n* 'Pd' - keyword for Palladium\n* 'Pt' - keyword for Platinum\n* 'W' - keyword for Tungsten\n\n'Temperature' # a float specifying the temperature of the multi-layer structure in Kelvin. (Default is 300 K)\n\n'PV_Temperature' # a float specifying the temperature of a PV cell in a (S)TPV device in Kelvin. (Default is 300 K).\n\n'Ambient_Temperature' # a float specifying the ambient temperature in Kelvin for radiative cooling applications. (Default is 300 K).\n\n'STPV_EMIT' # an int where '1' means compute properties associated with (S)TPV emitters. (Default is 0, do not compute these quantities).\n\n'STPV_ABS' # an int where '1' means compute properties associated with STPV/Concentrated Solar absorbers. (Default is 0).\n\n'COOLING' # an int where '1' means compute properties associated with radiative cooling. (Default is 0).\n\n'LIGHTBULB' # an int where '1' means compute properties associated with incandescent sources. (Default is 0).\n\n'COLOR' # an int where '1' means compute and display the ambient and thermal color of a structure. (Default is 0).\n\n'EXPLICIT_ANGLE' # an int where '1' means compute the optical properties and thermal emission at a range of angles and, when applicable, compute performance properties with explicit angular dependence. (Default is 0, meaning most quantities will be computed assuming the emissivity does not depend upon angle.)\n\n'DEG' # an int that specifies the number of different angles that will be considered\nin the calculation of optical and thermal emission properties as a function of angle. (Default is 7, which has been observed to give reasonably good accuracy when all angular integrals are performed using Gauss-Legendre quadrature).\n```\n\n{: .language-python}\n\n## Method and attribute list for multilayer class\n\nGiven the input parameters specified above, the multilayer class uses different methods to compute properties relevant for thermal applications, and those properties are stored as attributes of the multilayer object. The following is a list of methods of the multilayer class and their related attributes:\n\n```\tdef inline_structure(structure):\n### a method to parse input parameters from a dictionary (here called structure, all currently-supported dictionary\n### keys are defined above. This method is called by the __init__ and defines the following attributes:\n\nself.lambda_array \t# the list of wavelengths in meters that will be used to evaluate optical and thermal spectra\nself.d\t\t \t# the list of thicknesses that define the geometry of the multilayer\nself.matlist \t# the list of strings that specify the materials\nself.n\t\t \t# the 2D arrays of refractive index values for each material for each wavelength (inner index specifies material, outter index wavelength)\nself.T_ml \t# the temperature of the multi-layer in Kelvin\nself.T_cell \t# the temperature of the PV cell in Kelvin\nself.T_amb \t# the ambient temperature in Kelvin\nself.stpv_emitter_calc # the flag that determines if (S)TPV emitter properties will be computed\nself.stpv_absorber_calc # the flag that determines if (S)TPV absorber properties will be computed\nself.cooling_calc \t# the flag that determines if radiative cooling properties will be computed\nself.lightbulb_calc # the flag that determines if incandescent properties will be computed\nself.color_calc \t# the flag that determines if colors will be rendered\nself.explicit_angle \t# the flag that determines if explicit angle-dependence of optical properties will be considered\nself.deg\t\t# the number of different angles that will be computed for angle-dependent optical properties\n```\n\n{: .language-python} In addition to the attributes that are explicitly set by parsing user input, several more attributes that are arrays will be allocated based on attributes defined by inline_structure:\n\n```\t### The following are always created\nself.reflectivity_array \t# initialized as an array of zeros the same length as self.lambda_array\nself.transmissivity_array\t# initialized as an array of zeros the same length as self.lambda_array\nself.emissivity_array\t\t# initialized as an array of zeros the same length as self.lambda_array\nself.thermal_emission_array\t# initialized as an array of zeros the same length as self.lambda_array\n\n### The following are created if self.explicit_angle == 1\nself.x\t\t\t\t# points from Gauss-Legendre grid of degree self.deg from 0 to 1\nself.t\t\t\t\t# self.deg angles on Gauss-Legendre grid transformed to be between 0 and pi/2\nself.w\t\t\t\t# self.deg weights from Gauss-Legendre grid transformed to be between 0 and pi/2\n\nself.reflectivity_array_p # initialized as a 2D array of zeros, inner dimension same as self.deg and outter same as self.lambda_array\nself.reflectivity_array_s # initialized as a 2D array of zeros, inner dimension same as self.deg and outter same as self.lambda_array\nself.transmissivity_array_p # initialized as a 2D array of zeros, inner dimension same as self.deg and outter same as self.lambda_array\nself.transmissivity_array_s # initialized as a 2D array of zeros, inner dimension same as self.deg and outter same as self.lambda_array\nself.emissivity_array_p # initialized as a 2D array of zeros, inner dimension same as self.deg and outter same as self.lambda_array\nself.emissivity_array_s # initialized as a 2D array of zeros, inner dimension same as self.deg and outter same as self.lambda_array\nself.thermal_emission_array_p # initialized as a 2D array of zeros, inner dimension same as self.deg and outter same as self.lambda_array\nself.thermal_emission_array_s # initialized as a 2D array of zeros, inner dimension same as self.deg and outter same as self.lambda_array\n```\n\n{: .language-python}\n\n```''' Method to compute optical properties of reflectivity, transmissivity, and\nemissivity of structure as a function of wavelength assuming normal incidence '''\ndef fresnel()\n\n### Upon execution, the following arrays are filled with their respective values\n### for every wavelength in self.lambda_array\nself.reflectivity_array\nself.transmissivity_array\nself.emissivity_array\n```\n\n{: .language-python}\n\n```''' Method to compute optical properties of reflectivity, transmissivity, and\nemissivity of structure as a function of wavelength and angle, both p- and s-polarizations\nare considered '''\ndef fresnel_ea()\n\n### Upon execution, the following arrays are filled with their respective values\n### for every wavelength in self.lambda_array and every angle in self.t\nself.reflectivity_array_p\nself.reflectivity_array_s\nself.transmissivity_array_p\nself.transmissivity_array_s\nself.emissivity_array_p\nself.emissivity_array_s\n```\n\n{: .language-python}\n\n```''' Method to compute thermal emission spectrum of a structure at a given temperature;\nnote temperature specified by self.T_ml '''\ndef thermal_emission()\n\n### Upon execution, the following arrays are computed for every wavelength in self.lambda_array\n### for temperature given by self.T_ml\nself.BBs # Blackbody spectrum\nself.thermal_emission_array ## thermal emission of structure defined as Blackbody * emissivity\n```\n\n{: .language-python}\n\n```''' Method to compute thermal emission spectrum of a structure at a given temperature for a range of angles '''\ndef thermal_emission_ea()\n\n### Upon execution, the following arrays are computed for every wavelength in self.lambda_array\n### and every angle in self.t for temperature given by self.T_ml\nself.thermal_emission_array_p ## thermal emission of structure defined as Blackbody * p-polarized emissivity\nself.thermal_emission_array_s ## thermal emission of structure defined as Blackbody * s-polarized emissivity\n```\n\n{: .language-python}\n\n```''' Method to compute optical properties of reflectivity, transmissivity,\nand emissivity as a function of angle for a given polarization self.pol and wavelength lambda_0 '''\ndef angular_fresnel(self, lambda_0)\n\n### Upon execution, the following arrays are computed for 180 angles between 0 and pi/2\nself.r_vs_theta # reflectivity\nself.t_vs_theta # transmissivity\nself.eps_vs_theta # emissivity\n```\n\n{: .language-python}\n\n```''' The following three methods compute figures of merit relevant for STPV emitters for a given\ntemperature self.T_ml, PV type self.PV and bandgap self.lbg, and PV temperature self.T_cell.\nThese methods assume the emissivity does not change with angle, and perform an analytic\nintegration over solid angles that make the computations much quicker, though also less realistic.'''\nself.stpv_se() # compute the spectral efficiency and stores it in the attribute self.spectral_efficiency_val\nself.stpv_pd() # computes the useful power density and stores it in the attribute self.power_density_val\nself.stpv_etatpv() # computes the TPV emitter efficiency and stores it in the attribute self.tpv_efficiency_val\n```\n\n{: .language-python}\n\n```''' The following methods compute figures of merit relevant for STPV emitters for a given\ntemperature self.T_ml, PV type self.PV and bandgap self.lbg, and PV temperature self.T_cell.\nThese methods explicitly account for the angular dependence of the emissivity, making these calculations\nmore realistic but also more time consuming. '''\nself.stpv_se_ea() # compute the spectral efficiency and stores it in the attribute self.spectral_efficiency_val\nself.stpv_pd_ea() # computes the useful power density and stores it in the attribute self.power_density_val\nself.stpv_etatpv_ea() # computes the TPV emitter efficiency and stores it in the attribute self.tpv_efficiency_val\n```\n\n{: .language-python}\n\n```''' The following methods compute the absorber efficiency of a STPV or concentrated solar absorber at a\ngiven temperature self.T_ml '''\ndef stpv_etaabs_ea() # computes absorber efficiency and stores it in the attribute self.absorber_efficiency_val\n```\n\n{: .language-python}\n\n```''' method to render color of a structure from its thermal emission at a given temperature self.T_ml '''\ndef thermal_color()\n''' method to render color of a structure from its reflection spectrum '''\ndef ambient_color()\n''' method to render color in a +/- 5nm band around the wavelength lambda '''\ndef pure_color(lambda)\n```\n\n{: .language-python}\n\n```''' Method to compute the luminous efficiency of a structure at temperature self.T_ml.\nStores value to self.luminous_efficiency_val '''\ndef luminous_efficiency()\n\n''' Method to compute the radiative cooling power of a structure at temperature self.T_ml in ambient\ntemperature self.T_amb while being illuminated by the AM1.5 spectrum. Upon execution, the relevant\nvalues are stored to the attributes self.radiative_power_val (this is the flux that cools the structure),\nself.atmospheric_power_val (part of flux that warms the structure) and self.solar_power_val (part of the flux\nthat warms the structure).'''\ndef cooling_power()\n\n''' Method to add a layer to the structure; material of the layer to be added will be specified by 'material' argument\nand thickness of the layer will be specified by the 'thickness' argument. The layer will be inserted after\nthe 'layer_number' layer. The method will also update spectral and performance quantities after the layer is\nadded; the instance name will be preserved after execution, so this is like a mutation operation.'''\ndef insert_layer(layer_number, material, thickness)\n\n''' Method to extract the array of refractive index values associated with a specific layer; the method returns\nthis array. '''\ndef layer_ri(layer_number)\n\n''' Method to define the refractive index of an existing layer (specified by layer_number) as an alloy\nof material_1 and material_2 with a specified volume_fraction of material_1 in material_2 according\nto either the Maxwell-Garnett or the Bruggeman effective medium theory. Using 'Bruggeman' as the\nargument for model will use Bruggeman's effective medium theory, while any other string will default\nto Maxwell-Garnett theory. Optical properties and performance figures are NOT updated upon execution of this method.'''\ndef layer_alloy(layer_number, volume_fraction, material_1, material_2, model)\n\n''' Method to define the refractive index of an existing layer (specified by layer number) as a single\ncomplex number (specified by refractive_index_value) for all wavelengths. Optical properties and performance figures are NOT updated upon execution of this method.'''\ndef layer_static_ri(layer_number, refractive_index_value)\n\n''' Method to compute complex wavevector magnitude associated with the surface plasmon polariton mode on a given multi-layer\nstructure at a wavelength specified by the int wavelength_index, where self.lambda_array[wavelength_index] returns\nthe wavelength you are interested in in meters. Upon completion, the spp wavevector is stored in\nself.spp_resonance_val '''\ndef find_spp(wavelength_index)\n\n''' Method to compute complex wavevector magnitude associated with the perfectly absorbing mode on a given multi-layer\nstructure at a wavelength specified by the int wavelength_index, where self.lambda_array[wavelength_index] returns\nthe wavelength you are interested in in meters. Upon completion, the pa wavevector is stored in\nself.pa_resonance_val '''\ndef find_pa()\n```\n\n{: .language-python}\n\n## Extending the multilayer class\n\nThe multilayer class should provide a convenient mechanism for extension of the package to include additional applications (which might require different manipulations of the Fresnel quantities stored as the attributes self.reflectivity_array, self.emissivity_array, self.transmissivity_array, or the thermal emission stored as the attribute self.thermal_emission_array), or to include different classes of structures (non-planar structures, for example, where the same attributes self.reflectivity_array, etc., would be computed by a different method than the transfer matrix method). The typical workflow to extend the capabilities of the package could include\n\n• Identifying any new properties that will be computed by the extension and adding appropriate attributes to the multilayer class\n• Adding one or more functions to the libraries (stpvlib, etc.) that manipulates the Fresnel and/or thermal emission quantites as required to compute the new desired property\n• Adding one or more multilayer methods to call the new library functions and store the resulting data in new or existing multilayer attributes as appropriate.\n\n## Project details",
null,
"1.0.14b0 pre-release\n\nThis version",
null,
"1.0.13b0 pre-release",
null,
"1.0.12b0 pre-release",
null,
"1.0.11b0 pre-release",
null,
"1.0.0"
] | [
null,
"https://warehouse-camo.ingress.cmh1.psfhosted.org/67e4087b34dbd682d1b242e63b133621cda8a473/4c6f676f2f5750746865726d6c2e706e67",
null,
"https://warehouse-camo.ingress.cmh1.psfhosted.org/232ad24daadb72b896663a9a67c95b29d5f68635/646f63732f436f6e76656e74696f6e2e706e67",
null,
"https://pypi.org/static/images/white-cube.8c3a6fe9.svg",
null,
"https://pypi.org/static/images/blue-cube.e6165d35.svg",
null,
"https://pypi.org/static/images/white-cube.8c3a6fe9.svg",
null,
"https://pypi.org/static/images/white-cube.8c3a6fe9.svg",
null,
"https://pypi.org/static/images/white-cube.8c3a6fe9.svg",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.7785322,"math_prob":0.5790152,"size":21270,"snap":"2020-10-2020-16","text_gpt3_token_len":4638,"char_repetition_ratio":0.1437506,"word_repetition_ratio":0.20434353,"special_character_ratio":0.21490362,"punctuation_ratio":0.1089926,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.96133155,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14],"im_url_duplicate_count":[null,3,null,3,null,null,null,null,null,null,null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2020-02-19T04:02:58Z\",\"WARC-Record-ID\":\"<urn:uuid:67e25351-88b7-4441-b5e2-9b390c0cd7fb>\",\"Content-Length\":\"80537\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:c94bb134-31d0-43f7-9976-9403cd6dc498>\",\"WARC-Concurrent-To\":\"<urn:uuid:ecb4b585-0ba3-4bdd-a612-485ab1b77c77>\",\"WARC-IP-Address\":\"151.101.128.223\",\"WARC-Target-URI\":\"https://pypi.org/project/wptherml/1.0.13b0/\",\"WARC-Payload-Digest\":\"sha1:DKMCDF7Z5FMTM6AXREBWAVUPDWBRNGYK\",\"WARC-Block-Digest\":\"sha1:BPSPCMRX36W2XR5Q32VVRHYGIXDNUG5V\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2020/CC-MAIN-2020-10/CC-MAIN-2020-10_segments_1581875144027.33_warc_CC-MAIN-20200219030731-20200219060731-00187.warc.gz\"}"} |
https://www.techscience.com/CMES/v123n3/39299 | [
"## Table of Content",
null,
"Open Access\n\nARTICLE\n\n# A Galerkin-Type Fractional Approach for Solutions of Bagley-Torvik Equations\n\nŞuayip Yüzbaşı1, *, Murat Karaçayır1\n\n1 Department of Mathematics, Akdeniz University, Antalya, 07070, Turkey.\n\n* Corresponding Author: Şuayip Yüzbaşı. Email:",
null,
".\n\n(This article belongs to this Special Issue: Numerical Methods for Differential and Integral Equations)\n\nComputer Modeling in Engineering & Sciences 2020, 123(3), 941-956. https://doi.org/10.32604/cmes.2020.08938\n\n## Abstract\n\nIn this study, we present a numerical scheme similar to the Galerkin method in order to obtain numerical solutions of the Bagley Torvik equation of fractional order 3/2. In this approach, the approximate solution is assumed to have the form of a polynomial in the variable t = xα , where α is a positive real parameter of our choice. The problem is firstly expressed in vectoral form via substituting the matrix counterparts of the terms present in the equation. After taking inner product of this vector with nonnegative integer powers of t up to a selected positive parameter N, a set of linear algebraic equations is obtained. After incorporation of the boundary conditions, the approximate solution of the problem is then computed from the solution of this linear system. The present method is illustrated with two examples.\n\n## Keywords\n\nYüzbaşı, Ş., Karaçayır, M. (2020). A Galerkin-Type Fractional Approach for Solutions of Bagley-Torvik Equations. CMES-Computer Modeling in Engineering & Sciences, 123(3), 941–956.\n\n## Citations",
null,
"5",
null,
"[click to view]",
null,
"This work is licensed under a Creative Commons Attribution 4.0 International License , which permits unrestricted use, distribution, and reproduction in any medium, provided the original work is properly cited.\n\nView\n\n• ### 1862",
null,
""
] | [
null,
"https://www.techscience.com/static/images/suob.png",
null,
"https://www.techscience.com/psh.php",
null,
"https://www.techscience.com/static/images/logo/crossref.png",
null,
"https://www.techscience.com/static/images/logo/google_scholar.png",
null,
"https://www.techscience.com/static/images/cc.jpg",
null,
"https://www.techscience.com/static/images/fixe_esc1.png",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.82663673,"math_prob":0.7959508,"size":1604,"snap":"2023-40-2023-50","text_gpt3_token_len":404,"char_repetition_ratio":0.09875,"word_repetition_ratio":0.034188036,"special_character_ratio":0.23815462,"punctuation_ratio":0.14878893,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9691416,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12],"im_url_duplicate_count":[null,null,null,null,null,null,null,null,null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2023-12-07T03:01:36Z\",\"WARC-Record-ID\":\"<urn:uuid:4ac96e43-d77f-4319-ad49-22f46cd1cb47>\",\"Content-Length\":\"54797\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:4a0a0674-d1ac-4038-9ca8-d90db91f60dd>\",\"WARC-Concurrent-To\":\"<urn:uuid:8f48106a-1093-4213-9330-b4dbf9541407>\",\"WARC-IP-Address\":\"101.32.70.228\",\"WARC-Target-URI\":\"https://www.techscience.com/CMES/v123n3/39299\",\"WARC-Payload-Digest\":\"sha1:SECKISALFD5UIPEVFEUKNUCUR6KWTN6V\",\"WARC-Block-Digest\":\"sha1:JM3NIEYJL45XBCTCEAA6JDMMURHRM7WZ\",\"WARC-Identified-Payload-Type\":\"application/xhtml+xml\",\"warc_filename\":\"/cc_download/warc_2023/CC-MAIN-2023-50/CC-MAIN-2023-50_segments_1700679100632.0_warc_CC-MAIN-20231207022257-20231207052257-00292.warc.gz\"}"} |
https://www.thefreelibrary.com/Now%2C+a+computer+that+can+work+like+a+scientist+to+derive+natural+laws-a0199261733 | [
"Now, a computer that can work like a scientist to derive natural laws.\n\nByline: ANI\n\nWashington, April 3 (ANI): Researchers at Cornell University, US, using a computer, have developed an algorithm which can derive natural laws from observed data, just like scientists.\n\nWhat the researchers have done is to teach a computer to find regularities in the natural world that become established laws - yet without any prior scientific knowledge on the part of the computer.\n\nThey have tested their method, or algorithm, on simple mechanical systems and believe it could be applied to more complex systems ranging from biology to cosmology and be useful in analyzing the mountains of data generated by modern experiments that use electronic data collection.\n\nTheir process begins by taking the derivatives of every variable observed with respect to every other - a mathematical way of measuring how one quantity changes as another changes.\n\nThen, the computer creates equations at random using various constants and variables from the data.\n\nIt tests these against the known derivatives, keeps the equations that come closest to predicting correctly, modifies them at random and tests again, repeating until it literally evolves a set of equations that accurately describe the behavior of the real system.\n\nTechnically, the computer does not output equations, but finds \"invariants\" - mathematical expressions that remain true all the time.\n\n\"Even though it looks like it's changing erratically, there is always something deeper there that is always constant,\" said Hod Lipson, Cornell associate professor of mechanical and aerospace engineering.\n\n\"That's the hint to the underlying physics. You want something that doesn't change, but the relationship between the variables in it changes in a way that's similar to what we see in the real system,\" Lipson explained.\n\nOnce the invariants are found, potentially all equations describing the system are available.\n\n\"All equations regarding a system must fit into and satisfy the invariants,\" Schmidt said. \"But of course we still need a human interpreter to take this step,\" he added.\n\nThe researchers tested the method with apparatus used in freshman physics courses: a spring-loaded linear oscillator, a single pendulum and a double pendulum.\n\nGiven data on position and velocity over time, the computer found energy laws, and for the pendulum, the law of conservation of momentum.\n\nGiven acceleration, it produced Newton's second law of motion.\n\nThe researchers point out that the computer evolves these laws without any prior knowledge of physics, kinematics or geometry.\n\nAccording to researchers, computers will not make scientists obsolete, but will take over the grunt work, helping scientists focus quickly on the interesting phenomena and interpret their meaning. (ANI)"
] | [
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.9098604,"math_prob":0.83012587,"size":3382,"snap":"2019-43-2019-47","text_gpt3_token_len":655,"char_repetition_ratio":0.097394906,"word_repetition_ratio":0.0,"special_character_ratio":0.19130692,"punctuation_ratio":0.12627986,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9602461,"pos_list":[0],"im_url_duplicate_count":[null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2019-10-21T05:21:25Z\",\"WARC-Record-ID\":\"<urn:uuid:5810eb77-accc-4b22-8e74-60c1201a960f>\",\"Content-Length\":\"39361\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:4d738b7a-f59a-4ada-8a5f-6a9b3f62c018>\",\"WARC-Concurrent-To\":\"<urn:uuid:74b8c333-e7e4-4364-ae3d-a174e08781d3>\",\"WARC-IP-Address\":\"45.35.33.117\",\"WARC-Target-URI\":\"https://www.thefreelibrary.com/Now%2C+a+computer+that+can+work+like+a+scientist+to+derive+natural+laws-a0199261733\",\"WARC-Payload-Digest\":\"sha1:E5TGKIQ7M5QB3KZE6KFBQJTMCGOW4P3D\",\"WARC-Block-Digest\":\"sha1:Y7ZLLXCSRVHYN65BWS4HNIUQKYEQACBF\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2019/CC-MAIN-2019-43/CC-MAIN-2019-43_segments_1570987756350.80_warc_CC-MAIN-20191021043233-20191021070733-00474.warc.gz\"}"} |
https://algebra-answer.com/tutorials-2/greatest-common-factor/beginning-algebra-syllabus-2.html | [
"",
null,
"",
null,
"# Beginning Algebra Syllabus\n\nPROGRAMS & CERTIFICATES FOR WHICH THIS COURSE IS REQUIRED:\nNONE\nPROGRAMS & CERTIFICATES FOR WHICH THIS COURSE IS AN ELECTIVE:\nNONE\nCOURSE ACCEPTED AS TRANSFER CREDIT BY:\n______________________________________________________________________________\n\nRECOMMENDED CLASS SIZE: 20\n\nRATIONALE: DEPARTMENT STANDARD FOR ENTRY\nLEVEL REMEDIAL COURSES\n\nFREQUENCY OF OFFERING: 3 X YEAR\nTERMS NORMALLY OFFERED: FALL SPRING SUMMER\n\nLAB FEE: NONE\n\n______________________________________________________________________________\n_____________________________________________________________________________\n\nRATIONALE FOR COURSE :\nThis course introduces and develops basic knowledge of algebraic structures that serve as a foundation for other mathematics courses. In addition, problem solving skills are developed that are useful in other disciplines.\n\n_____________________________________________________________________________\n\nCOURSE DESCRIPTION:\nThis course is designed for students who have never taken algebra. Topics include simplification of algebraic expressions, order of operations , solutions and graphs of linear equations, systems of two linear equations in two unknowns , simple linear inequalities, compound linear inequalities, absolute value equations and inequalities, polynomial arithmetic, integer exponents, and scientific notation. Techniques include numerical, analytical and graphical methods. Credits in this course will not satisfy any degree or certificate requirements. This course is offered Satisfactory / Unsatisfactory only.\n_____________________________________________________________________________\n\nGENERAL COURSE GOALS:\n1. Introduce students to mathematics as a symbolic language and structure that is useful in solving real-world problems.\n2. Develop a basic understanding of how to use algebraic skills to model and solve real-world problems.\n3. Develop students' ability to translate between English and Math.\n4. Develop students' confidence to solve problems analytically.\n5. Develop algebraic, graphical, and numerical techniques for solving problems.\n____________________________________________________________________________\n\nCOURSE OBJECTIVES:\nUpon completion of the course, the student should be able to:\n\n1. Evaluate algebraic expressions.\n2. Solve a linear equation in one variable by using appropriate methods : applying addition, subtraction, multiplication, and division axioms in sequence, removing grouping symbols, clearing fractions.\n3. Solve literal equations and formulas and demonstrate their use in solving real-world problems.\n4. Graph a linear equation in two variables.\n5. Find the slope of a line and describe the slope as an average rate of change.\n\n6. Write the equation of a line given two points or a point and a slope.\n7. Determine if two lines are parallel or perpendicular geometrically and analytically.\n8. Use linear equations and their graphs to model and solve real-world problems.\n9. Use graphing to solve a system of two linear equations in two unknowns.\n10. Use substitution and elimination to solve a system of two linear equations in two unknowns.\n\n11. Solve application problems involving a system of two linear equations in two unknowns.\n12. Express intervals on the real number line using interval notation.\n13. Solve simple linear inequalities, graph their solution set on the number line, and express the solution set using interval notation.\n14. Use simple linear inequalities to model and solve real-world problems.\n15. Solve simple linear inequalities in two variables and graph the solution set.\n\n16. Solve compound linear inequalities, graph their solution set on the number line, and express the solution set using interval notation.\n17. Use compound linear inequalities to model and solve real-world problems.\n18. Solve equations and inequalities involving absolute values.\n19. Use absolute value equations and inequalities to model and solve real-world problems.\n20. Add, subtract, multiply, and divide polynomials .\n\n21. Simplify expressions involving integer exponents.\n22. Perform scientific notation and standard form conversions and use scientific notation in performing computations.\n23. Communicate about algebra/mathematics in writing.\n____________________________________________________________________________\n\nCOURSE OUTLINE:\n\nI. Introduction to algebra\nA. Review of real number arithmetic\na. Addition, subtraction, multiplication and division\nb. Positive exponents\nc. Order of operations\nB. The meaning of variable and constant\nC. Translating between English and Math\nD. Evaluating algebraic expressions\nE. Simplifying algebraic expressions\na. Commutative, associative, and distributive properties .\n\nII. Linear equations\nA. Linear equations and the addition rule\nB. Linear equations and the multiplication rule\nC. Solving linear equations by combining rules\nD. Solving literal equations and formulas\nE. Applications and problem solving (including geometry and percent applications)\n\nIII. Graphing\nA. The rectangular coordinate system\na. Plotting ordered pairs\nB. Graphing linear equations\na. Finding x- and y- intercepts and graph\nb. Slope\n1. Geometric interpretation\n2. Slope as a rate of change\nc. Slope - intercept form of a line\nd. General form of a line\nC. Writing linear equations\na. Given two points\nb. Given a point and a slope\nD. Parallel and perpendicular lines\nE. Modeling with linear equations\n\nIV. Systems of two linear equations in two unknowns\nA. Graphical solution\nB. Substitution and elimination\nC. Applications involving systems of two linear equations in two unknowns\n\nV. Simple Linear Inequalities\nA. Interval notation\nB. Simple linear inequalities and the addition rule\nC. Simple linear inequalities and the multiplication rule\nD. Solving simple linear inequalities by combining rules\nE. Applications and problem solving\nF. Solving simple linear inequalities in two variables and graphing the solution set\n\nVI. Compound linear inequalities\nA. Solving compound inequalities\na. Involving \"and\" (intersection)\nb. Involving \"or\" (union)\nB. Applications involving compound linear inequalities\n\nVII. Absolute value equations and inequalities\nA. Absolute value equations\nB. Absolute value inequalities\nC. Applications involving the absolute value\n\nVIII. Polynomials\nA. Polynomial Arithmetic\na. Addition and subtraction of \"like\" terms\nb. Multiplication and properties of exponents\nc. Long division\n\nIX. Integer exponents\nA. Definition and properties of integer exponents\nB. Scientific notation\n\n Prev Next\n\nStart solving your Algebra Problems in next 5 minutes!",
null,
"",
null,
"",
null,
"",
null,
"",
null,
"",
null,
"2Checkout.com is an authorized reseller\nof goods provided by Sofmath\n\nAttention: We are currently running a special promotional offer for Algebra-Answer.com visitors -- if you order Algebra Helper by midnight of September 20th you will pay only \\$39.99 instead of our regular price of \\$74.99 -- this is \\$35 in savings ! In order to take advantage of this offer, you need to order by clicking on one of the buttons on the left, not through our regular order page.\n\nIf you order now you will also receive 30 minute live session from tutor.com for a 1\\$!\n\nYou Will Learn Algebra Better - Guaranteed!\n\nJust take a look how incredibly simple Algebra Helper is:\n\nStep 1 : Enter your homework problem in an easy WYSIWYG (What you see is what you get) algebra editor:",
null,
"Step 2 : Let Algebra Helper solve it:",
null,
"Step 3 : Ask for an explanation for the steps you don't understand:",
null,
"Algebra Helper can solve problems in all the following areas:\n\n• simplification of algebraic expressions (operations with polynomials (simplifying, degree, synthetic division...), exponential expressions, fractions and roots (radicals), absolute values)\n• factoring and expanding expressions\n• finding LCM and GCF\n• (simplifying, rationalizing complex denominators...)\n• solving linear, quadratic and many other equations and inequalities (including basic logarithmic and exponential equations)\n• solving a system of two and three linear equations (including Cramer's rule)\n• graphing curves (lines, parabolas, hyperbolas, circles, ellipses, equation and inequality solutions)\n• graphing general functions\n• operations with functions (composition, inverse, range, domain...)\n• simplifying logarithms\n• basic geometry and trigonometry (similarity, calculating trig functions, right triangle...)\n• arithmetic and other pre-algebra topics (ratios, proportions, measurements...)\n\nORDER NOW!",
null,
"",
null,
"",
null,
"",
null,
"",
null,
"",
null,
"",
null,
"",
null,
"",
null,
""
] | [
null,
"https://algebra-answer.com/images/logo.gif",
null,
"https://algebra-answer.com/images/top2.jpg",
null,
"https://algebra-answer.com/images/buy-form-rounded/center/1/11.gif",
null,
"https://algebra-answer.com/images/buy-form-rounded/center/1/12.gif",
null,
"https://algebra-answer.com/images/buy-form-rounded/center/1/13.gif",
null,
"https://algebra-answer.com/images/buy-form-rounded/center/1/31.gif",
null,
"https://algebra-answer.com/images/buy-form-rounded/center/1/32.gif",
null,
"https://algebra-answer.com/images/buy-form-rounded/center/1/33.gif",
null,
"https://algebra-answer.com/images/s1.gif",
null,
"https://algebra-answer.com/images/s2.gif",
null,
"https://algebra-answer.com/images/s3.gif",
null,
"https://algebra-answer.com/images/buy-form-rounded/center/1/11.gif",
null,
"https://algebra-answer.com/images/buy-form-rounded/center/1/12.gif",
null,
"https://algebra-answer.com/images/buy-form-rounded/center/1/13.gif",
null,
"https://algebra-answer.com/images/buy-form-rounded/center/1/31.gif",
null,
"https://algebra-answer.com/images/buy-form-rounded/center/1/32.gif",
null,
"https://algebra-answer.com/images/buy-form-rounded/center/1/33.gif",
null,
"https://algebra-answer.com/images/demobutton.gif",
null,
"https://algebra-answer.com/images/bbbbutton.gif",
null,
"https://algebra-answer.com/images/bot.gif",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.8082079,"math_prob":0.9914906,"size":6492,"snap":"2021-31-2021-39","text_gpt3_token_len":1282,"char_repetition_ratio":0.23366214,"word_repetition_ratio":0.104,"special_character_ratio":0.25585335,"punctuation_ratio":0.16156788,"nsfw_num_words":1,"has_unicode_error":false,"math_prob_llama3":0.99866736,"pos_list":[0,1,2,3,4,5,6,7,8,9,10,11,12,13,14,15,16,17,18,19,20,21,22,23,24,25,26,27,28,29,30,31,32,33,34,35,36,37,38,39,40],"im_url_duplicate_count":[null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2021-09-20T00:01:09Z\",\"WARC-Record-ID\":\"<urn:uuid:4c52ffde-4376-4a24-be5d-1d2c5c365c08>\",\"Content-Length\":\"28969\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:1b91f395-a7c6-4102-af05-366062f7a62d>\",\"WARC-Concurrent-To\":\"<urn:uuid:24b4be8f-5dc2-4fbe-bc19-9f127af617b8>\",\"WARC-IP-Address\":\"54.197.228.212\",\"WARC-Target-URI\":\"https://algebra-answer.com/tutorials-2/greatest-common-factor/beginning-algebra-syllabus-2.html\",\"WARC-Payload-Digest\":\"sha1:FJ6QFKMDUOHCM2HU6QBZJ3CZ2V6YQAAQ\",\"WARC-Block-Digest\":\"sha1:OKGX57LDCKVALYY24J5PCQJBPEKR2W3Q\",\"WARC-Identified-Payload-Type\":\"text/html\",\"warc_filename\":\"/cc_download/warc_2021/CC-MAIN-2021-39/CC-MAIN-2021-39_segments_1631780056902.22_warc_CC-MAIN-20210919220343-20210920010343-00486.warc.gz\"}"} |
https://cyberleninka.org/article/n/3720 | [
"# Mathematical Model of Schistosomiasis under Flood in Anhui ProvinceAcademic research paper on \"Mathematics\"",
null,
"CC BY",
null,
"0",
null,
"0\nShare paper\nAbstract and Applied Analysis\nOECD Field of science\nKeywords\n{\"\"}\n\n## Academic research paper on topic \"Mathematical Model of Schistosomiasis under Flood in Anhui Province\"\n\nHindawi Publishing Corporation Abstract and Applied Analysis Volume 2014, Article ID 972189, 7 pages http://dx.doi.org/10.1155/2014/972189\n\nResearch Article\n\nMathematical Model of Schistosomiasis under Flood in Anhui Province\n\nLongxing Qi,1 Jing-an Cui,2 Tingting Huang,1 Fengli Ye,3 and Longzhi Jiang4\n\n1 School of Mathematical Sciences, Anhui University, Hefei 230601, China\n\n2 College of Science, Beijing University of Civil Engineering and Architecture, Beijing 100044, China\n\n3 Tongcheng Health Bureau, Tongcheng 231400, China\n\n4 Tongcheng Schistosomiasis Control Station, Tongcheng 231400, China\n\nCorrespondence should be addressed to Longxing Qi; qilx@ahu.edu.cn Received 11 January 2014; Accepted 1 February 2014; Published 6 March 2014 Academic Editor: Weiming Wang\n\nCopyright © 2014 Longxing Qi et al. This is an open access article distributed under the Creative Commons Attribution License, which permits unrestricted use, distribution, and reproduction in any medium, provided the original work is properly cited.\n\nBased on the real observation data in Tongcheng city, this paper established a mathematical model of schistosomiasis transmission under flood in Anhui province. The delay of schistosomiasis outbreak under flood was considered. Analysis of this model shows that the disease free equilibrium is locally asymptotically stable if the basic reproduction number is less than one. The stability of the unique endemic equilibrium may be changed under some conditions even if the basic reproduction number is larger than one. The impact of flood on the stability of the endemic equilibrium is studied and the results imply that flood can destabilize the system and periodic solutions can arise by Hopf bifurcation. Finally, numerical simulations are performed to support these mathematical results and the results are in accord with the observation data from Tongcheng Schistosomiasis Control Station.\n\n1. Introduction\n\nAs we know, schistosomiasis is a serious water-borne disease. It is not easy to control because of many reasons such as flood. Many reports have shown that flood leads to a serious outbreak of schistosomiasis [1-3]. During the flood period there are a lot of people that come into contact with contaminated water, which may lead to the fact that a lot of people are infected by schistosome [1-3]. In China, Anhui province often encounters floods; in particular in 1998 the flood was one of the most serious flood . Based on the observation data from Tongcheng Schistosomiasis Control Station in Anhui province (Figure 1), we can see that the number of patients and the area of snails increase by a big margin after 1998 in Tongcheng city in Anhui province. Although people know the phenomenon that schistosomiasis will be serious after flood, people do not know the reason and there are only some live reports. Hence, it is necessary to investigate theoretically the effect of flood on the schisto-somiasis transmission.\n\nAfter flood the infected human by cercaria will have an incubation period to become an infectious human. In fact, it is about five weeks from the time of cercaria penetration through skins of human to the time when eggs are discharged . Adult schistosomes in human are capable of producing eggs for a number of years . This leads to breakout of schistosomiasis in many places after flood. For example, the catastrophic flood in 1998 brought a serious impact on the prevalence of schistosomiasis in Anhui province from 1998 to 2000 . Furthermore, the data from Tongcheng Schistosomiasis Control Station (Figure 1) and the report of Ge et al. both show that schistosomiasis is more serious in three years after flood than in the flood year. This phenomenon is called the delayed effect of flood . In this paper we want to investigate how flood affects the dynamical behavior of schistosomiasis.\n\nMany schistosomiasis models have involved many aspects such as drug-resistant, age-structure, incubation period of snail, and chemotherapy [6-10]. Their results imply that many factors affect the transmission of schistosomiasis. However,\n\nThe number of cases in 1998-2007\n\n2 25° o\n\nJ2 150 ia sn\n\n< 50 0\n\nThe area of snails in 1998-2007\n\n1998 1999 2000 2001 2002 2003 2004 2005 2006 2007 Year\n\n1998 1999 2000 2001 2002 2003 2004 2005 2006 2007 Year\n\n(a) (b)\n\nFigure 1: The observation data in Tongcheng city from Tongcheng Schistosomiasis Control Station in 1998-2007.\n\nthere are few mathematical models considering the effect of flood in previous papers.\n\nTo study the delayed effect of flood, we use a time delay to reflect the incubation period in the infected human. We modified the model in . Distribute human into susceptible xs(t) and infectious xi(t) and snails into susceptible ys(t), preshedding ye(t), and infectious y^t). The model in reads\n\ndx1 dt dXj dt\n\n= Ax - VxXs - ßxxsyf\n\n= ßxXsJi - (Vx + <*x) %\n\n= Ay - pyys - ßyxtys,\n\n^= ßxv-dt PyX,ys\n\ndyi dt\n\n= ®ye - + ay)\n\nwhere Ax is the recruitment rate of human, is the death rate of human, ax is the disease-induced death rate of human, px is the transmission rate from infectious snails to susceptible human, Ay is the recruitment rate of snail host, is the death rate of snail host, ay is the disease-induced death rate of snail host, is the transmission rate from infectious human to susceptible snails, and d is the translate rate from infected and preshedding snails to shedding snails. In the model, we have studied the stability of equilibria and preferable control strategies.\n\nThe goal of this paper is to study the impact of flood on the basic reproduction number and the dynamics of the schistosomiasis transmission. This paper is organized as follows. In Section 2 we establish a schistosomiasis model with a time delay and define the basic reproduction number R0. The stability of the disease free equilibrium is obtained in Section 3. We devote Section 4 to the Hopf bifurcation analysis. Section 5 examines mathematical results by numerical simulations.\n\n2. The Delayed Model\n\nBy incorporating a time delay in human, we have the following model:\n\n= Ax - ^Xxs (t) - ßxxs (t - t) yt (t - t) e-!i*\\\n\ndx1 dt\n\ndx •\n\n= ßxxs (t - T) y, (t - t) e-^T - (ßx + ax) x, (t),\n\n= Ay - pyys (t) - ßyxt (t) ys (t),\n\n^ =ßyXl (t)ys (t)-{py +d)ye (t),\n\ndyi dt\n\n= 9ye (t)-{py + ay)y, (t),\n\nwhere t is the incubation period in the infected human, that is, the time from cercaria penetration through skins to the time when eggs are discharged.\n\nDefine the basic reproduction number according to biological meanings:\n\nA XA y9ßx e-^ßy\n\nfax + ax) {Vy + ay) {Vy + d)\n\nThese quantities have a clear biological interpretation. Consider the case when an infectious snail is introduced into a purely susceptible people population with size Ax/^x. The size of susceptible people who become infectious people per unit time is fix(Ax/px). l/(px + xx) is the mean infective period of the infectious people and represents the\n\nsurvived rate of people during his infection. On the other hand, infectious people can infect fiy(Ay/^y) susceptible snails which should get through the latent time where the rate of transmission is d and then infective period is \\/(^y + ay)(^y + d). Thus, R0 gives the total number of secondary infectious snails produced by a typical infected snail during its entire period of infectiousness in a completely susceptible population. The following section shows that the\n\nbasic reproduction number R0 provides a threshold condition for parasite extinction.\n\nTheorem 1. There exist at most two equilibria:\n\n(i) ifR0 < 1, system (2) has a disease free equilibrium E0 = (A Jpx,0,A y/py,0,0);\n\n(ii) if R0 > 1, system (2) has two equilibria, the disease free\n\nequilibrium E0 and the unique endemic equilibrium\n\n£/ * * * * * \\ j = (x* ,xi,y*,y*,yi ), where\n\nA X {A xßy + Vy (h\n\nVx {Axßy + VyR0 (Vx +ax)Y\n\nA x^y (R0 - 1)\n\n„ rx\n\nA xßy + №yR0 X\n\nAy {Axßy + pyRo + ax))\n\nVyR0 xßy + Vy\n\nX + ax)) '\n\n(Vx + ax) {Vy + ay) (R0 - 0\n\n9ßxe-^ {axßy +vy (px + ax)) '\n\nVx H-y (Vx + ax) (R0 - 0 ßxe-^ {Axßy + py (^x + ax))\n\nNext we will discuss the stabilities of E0 and E in system\n\n3. Stability Analysis of E0\n\nIn this section, we will analyze the stability of the disease free equilibrium E0 of the delayed model (2) in the two cases: R0 < 1 and Rq > 1.\n\nTheorem 2. The disease free equilibrium Eq of the system (2) is locally asymptotically stable if Rq < 1 and unstable if Rq > 1.\n\nProof. Denote b = + ax,c = + ay,d = + d. By linearizing the system (2) around Eq we can obtain the characteristic roots that are -px, and roots of the following equation:\n\nX3 + (b + c + d)X2 + (be + bd + cd) X\n\n+ bcd -\n\nAXAy0ßxe—xTßy -XT\n\n— Al r\\\n\ne = 0.\n\nDenote the left-hand side of (5) as F(X, t). Itis easyto see that F (0, t) = bed — * y y-—Xr\n\n= bcd(l - Rq),\n\nF[ (X, t) = 3X2 +2(b + c + d)X+ (be+ bd +cd)\n\nA x A ydßxe—^ßy —Xr\n\n+ t-e .\n\n(i) If R0 > 1, F(0, t) < 0, F'x (X, t) > 0 for X > 0 and t> 0. Thus, (5) has a positive real solution for t > 0 and the disease free equilibrium E0 is unstable.\n\n(ii) If R0 < 1, F(0,t) > 0. Since F[ (X,r) > 0 for X > 0 and t > 0, (5) does not have nonnegative real roots for t > 0. Hence, if (5) has roots with nonnegative real parts they must be complex roots. Moreover these complex roots should be obtained from a pair of complex conjugate roots crossing the imaginary axis. Thus, (5) must have a pair of purely imaginary roots X = ±wi for some t > 0. Without loss of generality we assume that w > 0. Then w must be a positive solution of the following equation:\n\n- w3i - (b + c + d)w2 + (be + bd + cd) wi + bed\n\nA XA ydßxe—^ßy VxVy\n\nwhich is equivalent to\n\n(cos (wt) - i sin (wt)) = 0,\n\n- w + (be + bd + cd) w\n\nAXAydßxe—^ßy ,\n\n- (b + c + d)w + bed\n\nsin (wt) = 0,\n\nA XA y 9ßxe—^ßy\n\ncos (wt) = 0.\n\nLet AXAydfixe = e. Hence,\n\n6 (il 2 ,2\\ 4 (i2 2 -,2 -¡2 2 ,2\\ 2\n\nw +(» + c + d )w + (b c + b d + c d )w\n\n+ (b2c2d2 - e2) = 0.\n\nAssuming z = w2,we can obtain\n\nz3 +az2 +pz + y = 0, (10)\n\nwhere a = b2 + c2 + d2 > 0, p = b2c2 + b2d2 + c2d2 > 0,y = b2c2d2 -e2 >0 as Rq <1.\n\nFrom [12, Lemma 3.31], if a>0, p > 0, y > 0, then (10) has no positive real roots. This implies that (7) does not have positive solution w since Rq < 1. Therefore, (5) does not have purely imaginary roots. Consequently, the real parts of all eigenvalues of Eq are negative for all positive r. This indicates that the disease free equilibrium Eq is locally asymptotically stable if Rn < 1. □\n\n4. Hopf Bifurcation Analysis\n\nIn this section, we turn to the study of the stability of the endemic equilibrium E when R0 > 1. Notice that R0 >1 is equivalent to\n\n. 1 , ^ ^ y^ßxßy T < T = - ln --—:-T-.\n\n^ VxVy (Vx + ax) {Vy + ay) {Vy + d)\n\nThe characteristic equation of E is\n\nX5 + a1X4 + a2X3 + a3X2 + a4X + a5\n\n= e-Xr [b1X4 + b2X3 + b3X2 + b4X + b5),\n\na1 = + + b + c + d>0, a2 = bc + bd + bpx + bpy +cd + cpx + cpy + d^x + d^y + > 0, a3 = bed + bcpx + bcpy + cdpx\n\n+ cd^y + d^x^y, a4 = bcdpx + bcdpy + cdpxpy, % = bcd^x\n\nh = -ßxy\"ie~^\"r < 0,\n\nh = -ßxy*ie ^xt (b + d + c + py) < 0, b3 = -ßxy*e-^\"r (b^y + bd + d^y +bc + cd + c^y) + bed, b4 = -ßxy*e-^r (bd^y + bc^y + cd^y + bed) + bcd(^x + Py),\n\nh = -ßxyie—xTbcd^y + bcdpxpy.\n\nIn the following, it can be shown that (12) does not have nonnegative real roots for r > 0. Let\n\na3 = a3 - bede , a4 = a4 - bed + py) e~Xr, a5 = a5 - bcd^xpye-Xr, b3 = -ßxy*e-li\"r (b^y +bd + d^y + be + cd + c^y) < 0, b4 = -ßxy*e-^r (bd^y + bc^y + cd^y + bed) < 0,\n\nk = -ß^e-^bcd^ < 0.\n\nNote that a3 > 0,a4 > 0,a5 > 0 for all X > 0 and r > 0.We rewrite (12) in the following form:\n\nX5 + axXA + a2X3 + S3 X2 + U4X + a5\n\n= e-Xr [b1 X4 + b2X3 + b3X2 + b4X + b5).\n\nIt is easy to see that the left-hand side in (15) is positive while the right-hand side is negative for all X > 0. Then (12) does not have nonnegative real solutions. Now we consider whether or not (12) has purely imaginary solutions.\n\nSuppose X = toi, to > 0 for some r > 0,is a root of (12). Then we have\n\n5-4 3-2\n\nto i + a1to - a2to 1 - a3to +a4toi + a5\n\n= [cos (tor) - i sin (tor)] (16)\n\nx (b1to4 - b2to3i - b3to2 + b4toi + b5).\n\nTherefore\n\nto5 - a2to3 + a4to = cos (tor) (-b2to3 + b4to)\n\n- sin (tor) (b1to4 - b3to2 + b5), a1to4 - a3to2 + a5 = cos (tor) (b1to4 - b3to2 + b5) + sin (tor) (-b2to3 + b4to).\n\nFrom (17), we obtain\n\n14 2 \\2 1 5 3 \\2 (a1to - a3to + a5) + ( to - a2to +a4to)\n\n= (b1to4 - b3to2 + b5) + (-b2to3 + b4to) ;\n\nthat is,\n\nto10 + (af - 2a2 - bf) to8 + (<%2 + 2a4 - 21^1123\n\n-b^ + 2b1b3) to6 + (aI - 2a2a4 + 2a1a5 + 2b2b4 - b3 - 2b1b5)to4 + (a2 - 2a3a5 -b^ + 2b3b5) to2 + (a5 - b^) = 0.\n\nLet z = to2 again; we obtain\n\nz + c1z4 + c2z3 + c3z2 + c4z + c5 = 0, (20)\n\nq = a^ - 2a2 — b^, c2 = + 2^4 - 2a±a.3 - b2 + 2bxb3, c3 = a3 - 2a2a4 + 2a1a5 + 2b2b4 - b3 - 2b1b5, (21)\n\nc4 = a^ - 2a3a5 -b^ + 2b3b5,\n\n22 C5 = U5 -b5.\n\nBecause (20) is very complex, the roots cannot easily be found. However, we know there are positive roots in some conditions. For example, if c5 < 0, then (20) has at least a positive root, say z0, and (19) has at least a positive root w0 = ^zQ. Consequently, the endemic equilibrium E may lose stability and lead to oscillations because the time delay t > 0. In this case, we will do bifurcation analysis by t as bifurcation parameter in the following.\n\nLet X(t) = Ç(t) + iœ(r) be a root of (12) such that £,(t0) = 0, w(t0) = w0 (w0 > 0) for some initial value of the bifurcation parameter t0. From (17) we can obtain\n\n= — arccos ( ((a1b1 - b2) + (b4 + a2b2 - a1b3 - a3b1) w60 wo \\\n\n+ (-a2b4 - a4b2 + a1b5 + a3b3 + a5b1)w x ({biw40 - b3wl + b5)2 + (-b2(4 + b4w0)2) + (a4b4 -a3b5 -a5b3)wl + a5b5\n\n(biw4 - b3^o^ + b5)2 + (-b2U>0Q + b4^o)2\n\n+ —, j = 0,1,2,.... uo\n\nNow we can show the transversal condition (d Re X(x)/dr)\\r=Xa = 0.\n\nDifferentiating (12) with respect to t yields\n\n(5X4 + 4a1X +3a2X +2a3X + a4 +re r\n\nx (b1X4 + b2X3 + b3X2 + b4X + b5)\n\n-e-Xr (4b,X3 + 3b2X2 + 2b3 + b4)) ^\n\n= -Xe-Xr (b1X4 + b2X3 + b3X2 + b4X + b5). Using (12), we obtain\n\ndX\\—\n\n+ 4a1X + 3a2X + 2a3X + i\n\n+ re-Xx (b1X4 + b2X3 +b3X2 + b4X + b5)\n\n-e~Xr (4b1X3 + 3b2X2 +2b3 +b4))\n\nx (-Xe~Xr (b1X4 + b2X3 + b3X2 + b4X + b5))\n\n5X4 + 4Û1X3 + 3Û2X2 + 2^X + a-4 -X (X5 + a1X4 + a2X3 + a3X2 + a4X + a5)\n\n4b1X3 + 3b2X2 + 2b3 +b4 x + X (b1X4 + b2X3 + b3X2 + b4X + b5) - X'\n\n[d Re Al\n\nsign I ~a— I\n\nI dr ]x=iwlt\n\n= sign -\n\n= sign\n\n5X4 + 4^X3 + 3Û2X2 + 2^X + a.4\n\nX=iœ0\n\n-X (X5 + a1X4 + a2X3 + a3X2 + a4X + a5)\n\nX=iœ0\n\n4b1X3 + 3b2X2 + 2b3 + b4\n\nX=iœ0\n\n= sign\n\nX(b1X4 + b2X3 + b3X2 + b4X + b5) Re [ ((-2a3w0 + 4a1w3^)\n\n+ (-3a2wI + 5w^ + a4) i) x(œ0 ((a1œ40 - + a5)\n\n+ (% -a2(4> + a4œo)) ^ (2b3w0 - 4b1^0i) + (3b2œ2 - b4) i\n\n. W0 ((b1a4 + b5 - h^) + (b4a0 - b2a0>) i)\n\n= sign { (5o>8 + (4a2 - 8a2 - 4b^) w^\n\n+ (3a2 - 6a1a3 + 6a4 + 6b1b3 - 3b^) + (2a2 - 4a2a4 + 4a1a5 + 4b2b4 - 2b3 - 4b1b5)\n\n+ (a2 - 7,0305 + 7,b3b5 - b2))\n\n22 - 03^0 + a5)\n\n-(v0 -\n\nO2W0 + 04(^0\n\nIf we denote z0 = œ^, we get\n\nid Re X] sign { —lx\n\n= sign\n\n5z4 + 4c1z0° + 3c2z2 + 2c3z0 + c4 (0^4 - a3w2 + a5)2 + (œ5 - o2w0° + a4œ0)2\n\nDenote f(z) = z5 +c1z4 + c2z3 +<3 z2 + c4z + c5. Suppose w0 is the largest positive simple root of (19); from [12, Lemma 3.32 and Theorem 3.32], we have\n\n= 5z4 + 4c1zj° + 3c2z2 + 2c3z0 + c4 > 0' (27)\n\nt t (a) The trajectory of xt (b) The trajectory of yt\n\nFigure 2: The trajectories of xt and yi occur oscillations when t0 = 3.\n\n\\d Re Al\n\nsign \\-*tU\n\n- a2«3 + а4ш0)2) } = +1.\n\nSummarizing the above analysis, we have the following results.\n\nTheorem 3. If R0 >1, c5 <0 and w0 is the largest positive simple root of (19), a Hopf bifurcation occurs around the endemic equilibrium E of the delayed model (2).\n\n5. Numerical Simulations\n\nBased on the observation data from the investigation of Tongcheng Schistosomiasis Control Station in Anhui province, we estimated transmission rates in our model. Also according to the previous papers [7-9,11,13], we choose the parameter values in Table 1. Thus, R0 > 1, r* = 327, and c5 <0 when т = 0.1.\n\nNote that the bifurcation parameter r0 = 3 at this time. We performedsomesimulations andobtained Figure 2.From Figure 2 we can see that Hopf bifurcation can occur when r0 = 3. This implies that schistosomiasis will break out in about three years after flood. It is also in accord with the investigation of Tongcheng Schistosomiasis Control Station. This phenomenon is also in accord with the report of the whole Anhui province . From our theoretical results and\n\nTable 1: Values of parameters.\n\nParameters Values (per capita per year) References\n\nA * 6 [8, 9]\n\nИх 0.014 [8, 9,11]\n\n10-5 [8, 9]\n\nßx 0.003 Estimated\n\nA y 100 [8, 9]\n\nИУ 0.3 [8, 9,11]\n\nay 0.01 \n\nßy 0.001 Estimated\n\nв 9.125 \n\nthe reports we can see that schistosomiasis will break out in about the third year after a flood. Hence, we can get the result that the delayed effect of flood may be caused by the incubation period of schistosome in the infected human.\n\n6. Discussion\n\nIn this paper, based on the observation data in Tongcheng Schistosomiasis Control Station in Anhui province we have modified our previous model by including a time delay that describes the incubation period of schistosome within infected human. We define the basic reproduction number Rq according to biological meanings and give the existence of the disease free equilibrium and the endemic equilibrium. We find that, if R0 < 1, then the disease free equilibrium is locally asymptotically stable. However, the stability of the unique endemic equilibrium may be changed under some condition even if the basic reproduction number is larger than one. The results imply that the time delay can destabilize the system and periodic solutions can arise by Hopf bifurcation.\n\nNumerical simulations imply that schistosomiasis will break out in about three years after flood. Furthermore the\n\nobservation data show that schistosomiasis will be the most serious in about the third year after flood. From Figure 1, we can see that the number of patients and snails did not greatly change in 1998 and 1999. However, in2001 the number of patients became about 5 times that of 1998, and the area of snails became about two times that of 1998. In our simulations, there is a little difference. Our results are higher than the observation data. We think the reason may be that after flood the government dispatched a large number of manpower and material resources to control the spread of the disease. In summary, our theoretical results are in accord with the investigation of Tongcheng Schistosomiasis Control Station and the report of Anhui Province Institute of Schistosomiasis for the whole Anhui province. Hence, we can obtain the result that after flood the delayed effect of flood may be caused by the incubation period of schistosome in the definitive host. Furthermore, the period of outbreak is about three years after flood in Anhui province.\n\nConflict of Interests\n\nThe authors declare that there is no conflict of interests regarding the publication of this paper.\n\nAcknowledgments\n\nThis research is supported by National Natural Science Foundation of China (11126177 and 11071011), Natural Science Foundation of Anhui Province (1208085QA15), and the Foundation for Young Talents in College of Anhui Province (2012SQRL021), as well as National Scholarship Foundation of China, Funding Project for Academic Human Resources Development in Institutions of Higher Learning under the Jurisdiction of Beijing Municipality (PHR201107123), Doctoral Fund of Ministry of Education of China (20113401110001, 20103401120002), the Key Natural Science Foundation of the Anhui Higher Education Institutions of China (KJ2009A49), and Students Research Training ProgramofAnhui University. Theauthors wouldliketothank anonymous reviewers for very helpful suggestions which improved greatly this paper.\n\nReferences\n\n J. H. Ge, S. Q. Zhang, T. P. Wang et al., \"Efects of flood on the prevalence of schistosomiasis in Anhui province in 1998,\" Journal of Tropical Diseases and Parasitology, vol. 2, pp. 131-134, 2004.\n\n S. B. Mao, Biology of Schistosome and Control of Schistosomiasis, People's Health Press, Beijing, China, 1990.\n\n X. N. Zhou, J. G. Guo, X. H. Wu et al., \"Epedemiology of schistosomiasis in the people's republic of China,\" Emerging Infectious Diseases, vol. 13, no. 10, pp. 1470-1476, 2004.\n\n C. Castillo-Chavez, Z. Feng, and D. Xu, \"A schistosomiasis model with mating structure and time delay,\" Mathematical Biosciences, vol. 211, no. 2, pp. 333-341, 2008.\n\n A. D. Barbour, \"Modeling the transmission of schistosomiasis: an introductory view,\" The American Journal of Tropical Medicine and Hygiene, vol. 55, no. 5, pp. 135-143,1996.\n\n D. Cioli, \"Chemotherapy of schistosomiasis: an update,\" Parasitology Today, vol. 14, no. 10, pp. 418-422,1998.\n\n Z. Feng, J. Curtis, and D. J. Minchella, \"The influence of drug treatment on the maintenance of schistosome genetic diversity,\" Journal of Mathematical Biology, vol. 43, no. 1, pp. 52-68, 2001.\n\n Z. Feng, A. Eppert, F. A. Milner, and D. J. Minchella, \"Estimation of parameters governing the transmission dynamics of schistosomes,\" Applied Mathematics Letters, vol. 17, no. 10, pp. 1105-1112, 2004.\n\n Z. Feng, C.-C. Li, and F. A. Milner, \"Schistosomiasis models with two migrating human groups,\" Mathematical and Computer Modelling, vol. 41, no. 11-12, pp. 1213-1230, 2005.\n\n S. Liang, D. Maszle, and R. C. Spear, \"A quantitative framework for a multi-group model of schistosomiasis japonicum transmission dynamics and control in Sichuan, China,\" Acta Tropica, vol. 82, no. 2, pp. 263-277, 2002.\n\n L. Qi, J.-A. Cui, Y. Gao, and H. Zhu, \"Modeling the schistosomiasis on the islets in Nanjing,\" International Journal of Biomathematics, vol. 5, no. 4, Article ID 1250037,17 pages, 2012.\n\n H.-M. Wei, X.-Z. Li, and M. Martcheva, \"An epidemic model of a vector-borne disease with direct transmission and time delay,\" Journal of Mathematical Analysis and Applications, vol. 342, no. 2, pp. 895-908,2008.\n\n E. J. Allen and H. D. Victory Jr., \"Modelling and simulation of a schistosomiasis infection with biological control,\" Acta Tropica, vol. 87, no. 2, pp. 251-267, 2003.\n\nCopyright of Abstract & Applied Analysis is the property of Hindawi Publishing Corporation and its content may not be copied or emailed to multiple sites or posted to a listserv without the copyright holder's express written permission. However, users may print, download, or email articles for individual use."
] | [
null,
"https://cyberleninka.org/images/tsvg/cc-label.svg",
null,
"https://cyberleninka.org/images/tsvg/view.svg",
null,
"https://cyberleninka.org/images/tsvg/download.svg",
null
] | {"ft_lang_label":"__label__en","ft_lang_prob":0.8274615,"math_prob":0.9843161,"size":22122,"snap":"2022-27-2022-33","text_gpt3_token_len":7449,"char_repetition_ratio":0.115516774,"word_repetition_ratio":0.08617379,"special_character_ratio":0.33713046,"punctuation_ratio":0.13206278,"nsfw_num_words":0,"has_unicode_error":false,"math_prob_llama3":0.9903185,"pos_list":[0,1,2,3,4,5,6],"im_url_duplicate_count":[null,null,null,null,null,null,null],"WARC_HEADER":"{\"WARC-Type\":\"response\",\"WARC-Date\":\"2022-08-11T18:17:45Z\",\"WARC-Record-ID\":\"<urn:uuid:ca50f11c-1be2-4415-b92e-a37fc8422b1f>\",\"Content-Length\":\"51569\",\"Content-Type\":\"application/http; msgtype=response\",\"WARC-Warcinfo-ID\":\"<urn:uuid:02a125b0-048f-4615-be95-e972e841e36a>\",\"WARC-Concurrent-To\":\"<urn:uuid:477d067c-fc84-499b-87d0-d55ff53c60db>\",\"WARC-IP-Address\":\"159.69.2.174\",\"WARC-Target-URI\":\"https://cyberleninka.org/article/n/3720\",\"WARC-Payload-Digest\":\"sha1:C7XNU3HRXA46INCCEWOKJWRX44EIARY3\",\"WARC-Block-Digest\":\"sha1:E336UATIDNKTMGBZJ7QVOUWWR6XFP34P\",\"WARC-Identified-Payload-Type\":\"application/xhtml+xml\",\"warc_filename\":\"/cc_download/warc_2022/CC-MAIN-2022-33/CC-MAIN-2022-33_segments_1659882571483.70_warc_CC-MAIN-20220811164257-20220811194257-00046.warc.gz\"}"} |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.