├── .gitignore ├── LICENSE ├── ReadMe.md ├── app ├── common │ ├── Conversions.js │ ├── UnitOfMeasureState.js │ ├── UserProfile.js │ ├── formulaBmi.js │ ├── formulaBmr.js │ └── formulaThr.js ├── controllers │ ├── formulaController.js │ ├── uomController.js │ └── userProfileController.js ├── directives │ └── toggleBlock.js ├── filters │ ├── bmiFilter.js │ ├── genderFilter.js │ ├── heightFilter.js │ ├── uomFilter.js │ └── weightFilter.js ├── main.js └── services │ ├── conversionService.js │ ├── formulaBmiService.js │ ├── formulaBmrService.js │ ├── formulaThrService.js │ ├── uomService.js │ └── userProfileService.js ├── content ├── style │ └── main.css └── templates │ └── toggleBlock.html ├── go.bat ├── index.html ├── lib ├── angular │ ├── angular-mocks.js │ └── angular.js └── jasmine │ ├── boot.js │ ├── console.js │ ├── jasmine-html.js │ ├── jasmine.css │ ├── jasmine.js │ └── jasmine_favicon.png ├── spec ├── bmiFilterSpec.js ├── conversionServiceSpec.js ├── conversionsSpec.js ├── formulaBmiServiceSpec.js ├── formulaBmiSpec.js ├── formulaBmrServiceSpec.js ├── formulaBmrSpec.js ├── formulaControllerSpec.js ├── formulaThrServiceSpec.js ├── formulaThrSpec.js ├── genderFilterSpec.js ├── heightFilterSpec.js ├── unitOfMeasureControllerSpec.js ├── unitOfMeasureFilterSpec.js ├── unitOfMeasureServiceSpec.js ├── unitOfMeasureStateSpec.js ├── userProfileControllerSpec.js ├── userProfileServiceSpec.js ├── userProfileSpec.js └── weightFilterSpec.js └── test.html /.gitignore: -------------------------------------------------------------------------------- 1 | .tmp 2 | .bat 3 | .idea/ -------------------------------------------------------------------------------- /LICENSE: -------------------------------------------------------------------------------- 1 | The MIT License (MIT) 2 | 3 | Copyright (c) 2016 Jeremy Likness 4 | 5 | Permission is hereby granted, free of charge, to any person obtaining a copy of 6 | this software and associated documentation files (the "Software"), to deal in 7 | the Software without restriction, including without limitation the rights to 8 | use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of 9 | the Software, and to permit persons to whom the Software is furnished to do so, 10 | subject to the following conditions: 11 | 12 | The above copyright notice and this permission notice shall be included in all 13 | copies or substantial portions of the Software. 14 | 15 | THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR 16 | IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS 17 | FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR 18 | COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER 19 | IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN 20 | CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. 21 | -------------------------------------------------------------------------------- /ReadMe.md: -------------------------------------------------------------------------------- 1 | Angular Health App 2 | ================== 3 | 4 | This is a walkthrough for building an Angular 1.x application using test-driven development. 5 | 6 | Check out the [ECMAScript6 or ECMAScript2015 version](https://github.com/JeremyLikness/AngularES6HealthApp) and the [Angular 2 port](https://github.com/JeremyLikness/Angular2HealthApp/) of this same app. 7 | 8 | Instructions: 9 | ------------- 10 | 11 | First, clone the repository: 12 | 13 | git clone https://github.com/JeremyLikness/AngularHealthApp.git 14 | 15 | Next, start with step 1: 16 | 17 | git checkout 17e9892 18 | 19 | Finally, follow the deck online at: 20 | 21 | http://www.slideshare.net/jeremylikness/lets-build-an-angular-app 22 | 23 | That will show the checkout for each step. Notes for each step follows. 24 | 25 | Steps: 26 | ------ 27 | 28 | 01 - This is the shell for the Angular health app. It is the minimum needed for a working Angular application and a 29 | ready-made test harness. 30 | 31 | 02 - The next step is to refactor the setup for the app to a separate file, and include it in the test harness so that 32 | the tests will run against the app. 33 | 34 | 03 - The app is for a health calculator, so one of the first specifications is to ensure the formula for BMI calculates 35 | correctly. Of course, because there is no function the code will fail at first. 36 | 37 | 04 - The easiest way to make the specification to pass is to define the function because it is failing with the 38 | message that the function is undefined. Once the function is defined and added to the test harness, you see the failure 39 | is now related to the result being undefined. 40 | 41 | 05 - Next, the BMI formula is applied to the function and the tests now pass. 42 | 43 | 06 - The specifications and functions for the BMR and THR formulas have been added and passed. Now there are three more 44 | items to consider. First is a unit of measure state so that the user can switch between Imperial (U.S.) and Metric. 45 | The next is a conversion library to convert between the units of measure, assuming they will be stored internally 46 | as U.S., and finally there is a user profile to hold the information needed by the formulas. This results in 18 47 | failing tests because the resulting objects need to be created and modified to satisfy the tests. 48 | 49 | 07 - The unit of measure state object uses a JavaScript constructor to create an instance. It takes advantage of scope to 50 | capture an internal set of flags for the measure. ECMAScript 5 properties are used to encapsulate access to the values 51 | so they are validated Boolean and toggle appropriately. This allows the tests to pass. 52 | 53 | 08 - The user profile and conversion libraries were both added and implemented so that all tests pass. 54 | 55 | 09 - For Angular to use the various components they must be registered with the dependency injection service. A set of 56 | specifications validates the registration, but current fail because the components have not yet been registered. 57 | 58 | 10 - Now the services have been added. Note that two Angular shortcuts are used. The factory is used to return a reference 59 | to the functions, while the service function is used to pass the function constructor. The end result is the same: 60 | a named reference to a component, it's just the way the component is provided that differs. It is perfectly valid to 61 | collapse the definitions into a single file since they are really just proxies to the pure JavaScript definitions. 62 | 63 | 11 - To wire up the UI, two things are needed for the unit of measure. First, a controller to act as "glue" between the 64 | service and the UI, and second, a filter to make a "readable" version of the current unit of measure. The 65 | specifications for these have been added, but are failing because the components themselves aren't written yet. 66 | 67 | 12 - The controller simply takes in a dependency on the unit of measure service and saves it to expose for data-binding. 68 | Using this approach ensures any components in the system are working with the same "copy" of the unit of measure 69 | state. The UI is wired to use the controller and the filter to expose a button. The button displays the current state 70 | of the unit of measure, and toggles between states when clicked using the exposed toggle method on the unit of 71 | measure component. 72 | 73 | 13 - Next, the user profile is integrated into the application. The first part of the profile is gender. A gender filter 74 | is needed to show whether the user is male or female, so a specification for the filter and another one for the 75 | controller is added. The resulting controller and filter are wired into the application and used to create a toggle 76 | for choosing gender. Note the similarities between the metric and gender toggle. This is a great opportunity to 77 | refactor into a common template using an Angular directive. 78 | 79 | 14 - The Angular directive uses a template for the repeated structure of the control. It defines several variables that are 80 | wired based on the UI. The various levels of scope isolation are demonstrated and the reusable directive is 81 | implemented and verified to behave consistently. 82 | 83 | 15 - The specification for the user controller is enhanced to include scenarios relating to the user's height. It should 84 | correctly track height and convert for the UI as needed based on the unit of measure selection. The tests fail because 85 | the height functionality has not yet been implemented. 86 | 87 | 16 - The height functionality required an additional height filter specification. The height filter is a bit different for 88 | two reasons. First, it depends on other services so it is the first example of a filter with a dependency. Second, it 89 | should not attempt to convert the input value if it is a min/max range value because this is hard-coded on the 90 | controller. Therefore, it takes a parameter to avoid the conversion step for those ranges. The controller was updated 91 | to expose the height and weight values and the UI updated with a slider. Notice that you can now change the weight as 92 | well as toggle the unit of measure and see it all reflected dynamically. There is no special messaging or watch because 93 | the properties depend on each other and Angular will automatically reevaluate the values when the model is mutated. 94 | 95 | 17 - A quick pass at styling makes for consistent UI elements and allows them to flow to fill the space. The app is now 96 | responsive to wide and small (mobile) configurations. 97 | 98 | 18 - Weight specifications have been added. The weight input will be free form, so additional validation must exist to 99 | ensure the user profile is never populated with an invalid weight. The specifications detail these requirements along 100 | with the necessary filter to show the proper unit of measure. These are failing because the weight functionality has 101 | not yet been implemented. 102 | 103 | 19 - The weight form and styles are added and the conversion is now testable using the input field. For weights within the 104 | range the conversion works seamlessly when the unit of measure is changed. The user profile was updated to capture the 105 | most recent unit of measure. This way when the unit of measure changes, it can convert the weight values for exposure 106 | to the UI. This should only happen at the precise moment of conversion; not before or after. 107 | 108 | 20 - The age specifications are added and age input implemented in the UI. Now the user profile is complete and we can focus 109 | on exposing the formulas. 110 | 111 | 21 - For the formulas, a formula controller pulls in all of the dependencies and exposes the various values. The specification 112 | simply reiterates some of the formula tests and verifies given a certain user profile, the values exposed match what 113 | is expected from the formula. In this example the first tile for Basal Metabolic Rate is implemented along with styles 114 | and you can watch it update as you manipulate the user profile values. 115 | 116 | 22 - The specs for the BMI filter, implementation of the filter, and classes to show colors are added and the final 117 | tiles added (BMI, THR). 118 | 119 | Application is complete! 120 | -------------------------------------------------------------------------------- /app/common/Conversions.js: -------------------------------------------------------------------------------- 1 | var Conversions = (function () { 2 | 3 | var conversions = { 4 | centimetersPerInch: 2.54, 5 | inchesPerFoot: 12, 6 | poundsPerKilogram: 2.205 7 | }; 8 | 9 | function Constructor() { 10 | 11 | }; 12 | 13 | Constructor.prototype.inchesToCentimeters = function (inches) { 14 | var input = Number(inches); 15 | return input * conversions.centimetersPerInch; 16 | }; 17 | 18 | Constructor.prototype.inchesToFeet = function (inches) { 19 | var input = Number(inches); 20 | return input / conversions.inchesPerFoot; 21 | }; 22 | 23 | Constructor.prototype.centimetersToInches = function (centimeters) { 24 | var input = Number(centimeters); 25 | return input / conversions.centimetersPerInch; 26 | }; 27 | 28 | Constructor.prototype.poundsToKilograms = function (pounds) { 29 | var input = Number(pounds); 30 | return input / conversions.poundsPerKilogram; 31 | }; 32 | 33 | Constructor.prototype.kilogramsToPounds = function (kg) { 34 | var input = Number(kg); 35 | return input * conversions.poundsPerKilogram; 36 | }; 37 | 38 | return Constructor; 39 | 40 | })(); -------------------------------------------------------------------------------- /app/common/UnitOfMeasureState.js: -------------------------------------------------------------------------------- 1 | var UnitOfMeasureState = (function () { 2 | 3 | var usMeasure = true, metricMeasure = false; 4 | 5 | function Constructor() { 6 | } 7 | 8 | Constructor.prototype.toggle = function () { 9 | this.usMeasure = !this.usMeasure; 10 | } 11 | 12 | Object.defineProperty(Constructor.prototype, "usMeasure", { 13 | enumerable: true, 14 | configurable: false, 15 | get: function() { 16 | return usMeasure; 17 | }, 18 | set: function (val) { 19 | usMeasure = !!val; 20 | metricMeasure = !usMeasure; 21 | } 22 | }); 23 | 24 | Object.defineProperty(Constructor.prototype, "metricMeasure", { 25 | enumerable: true, 26 | configurable: false, 27 | get: function() { 28 | return metricMeasure; 29 | }, 30 | set: function (val) { 31 | metricMeasure = !!val; 32 | usMeasure = !metricMeasure; 33 | } 34 | }); 35 | 36 | return Constructor; 37 | 38 | })(); -------------------------------------------------------------------------------- /app/common/UserProfile.js: -------------------------------------------------------------------------------- 1 | var UserProfile = (function () { 2 | 3 | var isMale = true, isFemale = false; 4 | 5 | function Constructor() { 6 | this.heightInches = 60; 7 | this.weightPounds = 130; 8 | this.ageYears = 40; 9 | } 10 | 11 | Constructor.prototype.toggleGender = function () { 12 | this.isMale = !this.isMale; 13 | }; 14 | 15 | Object.defineProperty(Constructor.prototype, "isMale", { 16 | enumerable: true, 17 | configurable: false, 18 | get: function() { 19 | return isMale; 20 | }, 21 | set: function (val) { 22 | isMale = !!val; 23 | isFemale = !isMale; 24 | } 25 | }); 26 | 27 | Object.defineProperty(Constructor.prototype, "isFemale", { 28 | enumerable: true, 29 | configurable: false, 30 | get: function() { 31 | return isFemale; 32 | }, 33 | set: function (val) { 34 | isFemale = !!val; 35 | isMale = !isFemale; 36 | } 37 | }); 38 | 39 | return Constructor; 40 | 41 | })(); -------------------------------------------------------------------------------- /app/common/formulaBmi.js: -------------------------------------------------------------------------------- 1 | function formulaBmi (profile) { 2 | 3 | // BMI = (weight in pound * 703) / (height in inches)^2 4 | var bmi = (profile.weight * 703) / (profile.height * profile.height); 5 | 6 | // round it 7 | return Math.round(bmi * 10.0)/10.0; 8 | } -------------------------------------------------------------------------------- /app/common/formulaBmr.js: -------------------------------------------------------------------------------- 1 | function formulaBmr (profile) { 2 | 3 | // Women - 655 + (4.35 x weight in pounds) + (4.7 x height in inches) - (4.7 x age in years) 4 | function woman(weight, height, age) { 5 | return Math.floor(655 + (4.35 * weight) + (4.7 * height) - (4.7 * age)); 6 | } 7 | 8 | // Men - 66 + (6.23 x weight in pounds) + (12.7 x height in inches) - (6.8 x age in years ) 9 | function man(weight, height, age) { 10 | return Math.floor(66 + (6.23 * weight) + (12.7 * height) - (6.8 * age)); 11 | } 12 | 13 | return profile.isMale ? man(profile.weight, profile.height, profile.age) : 14 | woman(profile.weight, profile.height, profile.age); 15 | } -------------------------------------------------------------------------------- /app/common/formulaThr.js: -------------------------------------------------------------------------------- 1 | function formulaThr (age) { 2 | 3 | // max heart rate = 220 - age; 4 | var max = 220.0 - Number(age); 5 | 6 | // min range = 50% 7 | var min = Math.round(5.0 * max) / 10.0; 8 | 9 | // max range = 85% 10 | var maxRate = Math.round(8.5 * max) / 10.0; 11 | 12 | return { 13 | min: min, 14 | max: maxRate 15 | }; 16 | } -------------------------------------------------------------------------------- /app/controllers/formulaController.js: -------------------------------------------------------------------------------- 1 | (function (app) { 2 | 3 | function Controller(formulaBmrService, formulaBmiService, formulaThrService, uomService, userProfileService) { 4 | this.formulaBmrService = formulaBmrService; 5 | this.formulaBmiService = formulaBmiService; 6 | this.formulaThrService = formulaThrService; 7 | this.uomService = uomService; 8 | this.userProfileService = userProfileService; 9 | } 10 | 11 | Object.defineProperty(Controller.prototype, "bmrValue", { 12 | enumerable: true, 13 | configurable: false, 14 | get: function () { 15 | var profile = { 16 | isMale: this.userProfileService.isMale, 17 | height: this.userProfileService.heightInches, 18 | weight: this.userProfileService.weightPounds, 19 | age: this.userProfileService.ageYears 20 | }; 21 | return this.formulaBmrService(profile); 22 | } 23 | }); 24 | 25 | Object.defineProperty(Controller.prototype, "bmiValue", { 26 | enumerable: true, 27 | configurable: false, 28 | get: function () { 29 | var profile = { 30 | height: this.userProfileService.heightInches, 31 | weight: this.userProfileService.weightPounds 32 | }; 33 | return this.formulaBmiService(profile); 34 | } 35 | }); 36 | 37 | Object.defineProperty(Controller.prototype, "thrValue", { 38 | enumerable: true, 39 | configurable: false, 40 | get: function () { 41 | return this.formulaThrService(this.userProfileService.ageYears); 42 | } 43 | }); 44 | 45 | app.controller('formulaCtrl', ['formulaBmrService', 'formulaBmiService', 'formulaThrService', 'uomService', 46 | 'userProfileService', Controller]); 47 | 48 | })(angular.module('healthApp')); -------------------------------------------------------------------------------- /app/controllers/uomController.js: -------------------------------------------------------------------------------- 1 | (function (app) { 2 | 3 | function Controller (uomService) { 4 | this.uomService = uomService; 5 | } 6 | 7 | app.controller('uomCtrl', ['uomService', Controller]); 8 | 9 | })(angular.module('healthApp')); -------------------------------------------------------------------------------- /app/controllers/userProfileController.js: -------------------------------------------------------------------------------- 1 | (function (app) { 2 | 3 | var weightVal, wasMetric, ageValue; 4 | 5 | function Controller (userProfileService, uomService, conversionService) { 6 | this.userProfileService = userProfileService; 7 | this.uomService = uomService; 8 | this.conversionService = conversionService; 9 | weightVal = uomService.usMeasure ? userProfileService.weightPounds : 10 | conversionService.poundsToKilograms(userProfileService.weightPounds); 11 | wasMetric = uomService.metricMeasure; 12 | ageValue = userProfileService.ageYears; 13 | } 14 | 15 | Object.defineProperty(Controller.prototype, "minHeightRange", { 16 | enumerable: true, 17 | configurable: false, 18 | get: function() { 19 | return this.uomService.usMeasure ? 24 : 60; 20 | } 21 | }); 22 | 23 | Object.defineProperty(Controller.prototype, "maxHeightRange", { 24 | enumerable: true, 25 | configurable: false, 26 | get: function() { 27 | return this.uomService.usMeasure ? 84 : 215; 28 | } 29 | }); 30 | 31 | Object.defineProperty(Controller.prototype, "heightValue", { 32 | enumerable: true, 33 | configurable: false, 34 | get: function () { 35 | return this.uomService.usMeasure ? this.userProfileService.heightInches : 36 | this.conversionService.inchesToCentimeters(this.userProfileService.heightInches); 37 | }, 38 | set: function (val) { 39 | var incoming = Number(val); 40 | this.userProfileService.heightInches = this.uomService.usMeasure ? incoming : 41 | this.conversionService.centimetersToInches(incoming); 42 | } 43 | }); 44 | 45 | Object.defineProperty(Controller.prototype, "minWeightRange", { 46 | enumerable: true, 47 | configurable: false, 48 | get: function() { 49 | return this.uomService.metricMeasure ? 9 : 20; 50 | } 51 | }); 52 | 53 | Object.defineProperty(Controller.prototype, "maxWeightRange", { 54 | enumerable: true, 55 | configurable: false, 56 | get: function() { 57 | return this.uomService.metricMeasure ? 182: 400; 58 | } 59 | }); 60 | 61 | Object.defineProperty(Controller.prototype, "weightValue", { 62 | enumerable: true, 63 | configurable: false, 64 | get: function () { 65 | // one-time adjustment if this changed 66 | if (this.uomService.metricMeasure !== wasMetric) { 67 | wasMetric = this.uomService.metricMeasure; 68 | if (wasMetric) { 69 | weightVal = Math.round(this.conversionService.poundsToKilograms(Number(weightVal)),2); 70 | } 71 | else { 72 | weightVal = Math.round(this.conversionService.kilogramsToPounds(Number(weightVal)),2); 73 | } 74 | } 75 | return weightVal; 76 | }, 77 | set: function (val) { 78 | var incoming = Number(val), adjustedWeight = incoming; 79 | weightVal = val; 80 | if (this.uomService.metricMeasure) { 81 | adjustedWeight = this.conversionService.kilogramsToPounds(Number(weightVal)); 82 | } 83 | if (adjustedWeight >= 20 && adjustedWeight <= 400) { 84 | this.userProfileService.weightPounds = adjustedWeight; 85 | } 86 | } 87 | }); 88 | 89 | Object.defineProperty(Controller.prototype, "ageValue", { 90 | enumerable: true, 91 | configurable: false, 92 | get: function () { 93 | return ageValue; 94 | }, 95 | set: function (val) { 96 | var incoming = Number(val); 97 | ageValue = val; 98 | if (incoming >= 13 && incoming <= 120) { 99 | this.userProfileService.ageYears = incoming; 100 | } 101 | } 102 | }); 103 | 104 | app.controller('userProfileCtrl', ['userProfileService', 'uomService', 'conversionService', Controller]); 105 | 106 | })(angular.module('healthApp')); -------------------------------------------------------------------------------- /app/directives/toggleBlock.js: -------------------------------------------------------------------------------- 1 | (function (app) { 2 | 3 | app.directive('toggleBlock', function () { 4 | return { 5 | restrict: 'E', 6 | replace: true, 7 | scope: { 8 | label : '@', 9 | buttonText: '=', 10 | toggleFunction: '&' 11 | }, 12 | templateUrl: 'content/templates/toggleBlock.html', 13 | link: function (scope, element) { 14 | 15 | } 16 | } 17 | }); 18 | 19 | })(angular.module('healthApp')); -------------------------------------------------------------------------------- /app/filters/bmiFilter.js: -------------------------------------------------------------------------------- 1 | (function (app) { 2 | 3 | app.filter('bmi', function () { 4 | return function (input) { 5 | var value = Number(input); 6 | 7 | if (value >= 30.0) { 8 | return 'Obese'; 9 | } 10 | 11 | if (value >= 25.0) { 12 | return 'Overweight'; 13 | } 14 | 15 | if (value < 18.5) { 16 | return 'Underweight'; 17 | } 18 | 19 | return 'Normal'; 20 | }; 21 | }); 22 | 23 | })(angular.module('healthApp')); -------------------------------------------------------------------------------- /app/filters/genderFilter.js: -------------------------------------------------------------------------------- 1 | (function (app) { 2 | 3 | app.filter('gender', function () { 4 | return function (input) { 5 | var check = !!input; 6 | return check ? 'Male' : 'Female'; 7 | }; 8 | }); 9 | 10 | })(angular.module('healthApp')); -------------------------------------------------------------------------------- /app/filters/heightFilter.js: -------------------------------------------------------------------------------- 1 | (function (app) { 2 | 3 | app.filter('height', ['uomService', 'conversionService', function (uomSvc, conversionSvc) { 4 | return function (input, convert) { 5 | var heightInches = Number(input), heightCentimeters, m, ft, result = ''; 6 | if (uomSvc.usMeasure) { 7 | ft = Math.floor(conversionSvc.inchesToFeet(heightInches)); 8 | if (ft > 0) { 9 | result = ft + " ft. "; 10 | } 11 | heightInches -= ft * 12; 12 | if (heightInches >= 1) { 13 | result += (Math.floor(heightInches) + ' in.'); 14 | } 15 | } 16 | else { 17 | if (convert !== undefined && !!convert === convert && !convert) { 18 | heightCentimeters = heightInches; 19 | } 20 | else { 21 | heightCentimeters = Math.round(conversionSvc.inchesToCentimeters(heightInches), 1); 22 | } 23 | result = heightCentimeters + ' cm.'; 24 | } 25 | return result; 26 | }; 27 | }]); 28 | 29 | })(angular.module('healthApp')); -------------------------------------------------------------------------------- /app/filters/uomFilter.js: -------------------------------------------------------------------------------- 1 | (function (app) { 2 | 3 | app.filter('uom', function () { 4 | return function (input) { 5 | var check = !!input; 6 | return check ? 'U.S.' : 'Metric'; 7 | }; 8 | }); 9 | 10 | })(angular.module('healthApp')); -------------------------------------------------------------------------------- /app/filters/weightFilter.js: -------------------------------------------------------------------------------- 1 | (function (app) { 2 | 3 | app.filter('weight', function () { 4 | return function (input) { 5 | var check = !!input; 6 | return check ? 'lbs.' : 'kgs.'; 7 | }; 8 | }); 9 | 10 | })(angular.module('healthApp')); -------------------------------------------------------------------------------- /app/main.js: -------------------------------------------------------------------------------- 1 | (function () { 2 | angular.module('healthApp', []); 3 | })(); -------------------------------------------------------------------------------- /app/services/conversionService.js: -------------------------------------------------------------------------------- 1 | (function (app) { 2 | 3 | app.service('conversionService', Conversions); 4 | 5 | })(angular.module('healthApp')); -------------------------------------------------------------------------------- /app/services/formulaBmiService.js: -------------------------------------------------------------------------------- 1 | (function (app) { 2 | 3 | app.factory('formulaBmiService', function () { 4 | return formulaBmi; 5 | }); 6 | 7 | })(angular.module('healthApp')); -------------------------------------------------------------------------------- /app/services/formulaBmrService.js: -------------------------------------------------------------------------------- 1 | (function (app) { 2 | 3 | app.factory('formulaBmrService', function () { 4 | return formulaBmr; 5 | }); 6 | 7 | })(angular.module('healthApp')); -------------------------------------------------------------------------------- /app/services/formulaThrService.js: -------------------------------------------------------------------------------- 1 | (function (app) { 2 | 3 | app.factory('formulaThrService', function () { 4 | return formulaThr; 5 | }); 6 | 7 | })(angular.module('healthApp')); -------------------------------------------------------------------------------- /app/services/uomService.js: -------------------------------------------------------------------------------- 1 | (function (app) { 2 | 3 | app.service('uomService', UnitOfMeasureState); 4 | 5 | })(angular.module('healthApp')); -------------------------------------------------------------------------------- /app/services/userProfileService.js: -------------------------------------------------------------------------------- 1 | (function (app) { 2 | 3 | app.service('userProfileService', UserProfile); 4 | 5 | })(angular.module('healthApp')); -------------------------------------------------------------------------------- /content/style/main.css: -------------------------------------------------------------------------------- 1 | body { 2 | font-family: arial, verdana, sans-serif; 3 | line-height: 1.2em; 4 | } 5 | 6 | h1 { 7 | font-size: 2.0em; 8 | font-weight: bold; 9 | color: darkblue; 10 | } 11 | 12 | button { 13 | width: 60px; 14 | border-color: black; 15 | border-radius: 0px; 16 | border-style: solid; 17 | border-width: 2px; 18 | padding: 5px; 19 | } 20 | 21 | div.break { 22 | clear: both; 23 | } 24 | 25 | div.tile { 26 | width: 290px; 27 | height: 150px; 28 | float: left; 29 | margin: 5px; 30 | padding: 5px; 31 | background: lightblue; 32 | border: solid 2px darkblue; 33 | } 34 | 35 | div.unit { 36 | min-width: 200px; 37 | max-width: 310px; 38 | float: left; 39 | margin: 5px; 40 | padding: 5px; 41 | } 42 | 43 | div.Obese { 44 | background: red; 45 | } 46 | 47 | div.Overweight { 48 | background: lightcoral; 49 | } 50 | 51 | div.Underweight { 52 | background: lightcoral; 53 | } 54 | 55 | input.error { 56 | border: 2px solid red; 57 | } 58 | 59 | .label { 60 | max-width: 60%; 61 | float: left; 62 | font-weight: bold; 63 | text-align: right; 64 | padding-right: 5px; 65 | vertical-align: middle; 66 | } 67 | 68 | .labelTarget { 69 | float: left; 70 | text-align: left; 71 | vertical-align: middle; 72 | } -------------------------------------------------------------------------------- /content/templates/toggleBlock.html: -------------------------------------------------------------------------------- 1 |
2 |
{{label}}
3 |
4 | 5 |
6 |
-------------------------------------------------------------------------------- /go.bat: -------------------------------------------------------------------------------- 1 | if "%1" == "1" git checkout 17e98924d7603b88523df3909d533a15fd821c4d 2 | if "%1" == "2" git checkout b8864f48c938a7100473519ee6fbc740b1d66e4d 3 | if "%1" == "3" git checkout f5af48e6bf7248cce235872b79bba7c9fe21ca2b 4 | if "%1" == "4" git checkout 33d94734f7a1752940e6e8dc7b52eb1ad23c3d16 5 | if "%1" == "5" git checkout e9db905d8860415a1a631bd7dc32272c04c9db63 6 | if "%1" == "6" git checkout c71895b 7 | if "%1" == "7" git checkout 40c946e 8 | if "%1" == "8" git checkout 602ae23 9 | if "%1" == "9" git checkout 4636a91 10 | if "%1" == "10" git checkout 72429dd 11 | if "%1" == "11" git checkout c065ad3 12 | if "%1" == "12" git checkout 6a801b2 13 | if "%1" == "13" git checkout 11e13f7 14 | if "%1" == "14" git checkout cc6d716 15 | if "%1" == "15" git checkout 061ba51 16 | if "%1" == "16" git checkout 55e2c30 17 | if "%1" == "17" git checkout dec799e 18 | if "%1" == "18" git checkout e466dc6 19 | if "%1" == "19" git checkout 8dbba93 20 | if "%1" == "20" git checkout bc4b736 21 | if "%1" == "21" git checkout 6da74a4 22 | if "%1" == "22" git checkout 1ae397c -------------------------------------------------------------------------------- /index.html: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | 5 | Health Calculator App 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 | 45 | 46 | 62 | 63 | 78 | 79 |

Health Calculator

80 |
81 | 84 |
85 |
86 |
87 | 90 |
91 |
92 |
93 |
94 |
95 | 96 |
97 | 98 |
99 |
100 |

BMR:

101 |

{{ctrl.bmrValue}} Calories

102 |
103 |
106 |

BMI:

107 |

{{ctrl.bmiValue}}

108 | {{ctrl.bmiValue | bmi}} 109 |
110 |
111 |

THR (50%-85%):

112 |

{{ctrl.thrValue.min}} — {{ctrl.thrValue.max}} BPM

113 |
114 |
115 | 116 | 117 | -------------------------------------------------------------------------------- /lib/jasmine/boot.js: -------------------------------------------------------------------------------- 1 | /** 2 | Starting with version 2.0, this file "boots" Jasmine, performing all of the necessary initialization before executing the loaded environment and all of a project's specs. This file should be loaded after `jasmine.js`, but before any project source files or spec files are loaded. Thus this file can also be used to customize Jasmine for a project. 3 | 4 | If a project is using Jasmine via the standalone distribution, this file can be customized directly. If a project is using Jasmine via the [Ruby gem][jasmine-gem], this file can be copied into the support directory via `jasmine copy_boot_js`. Other environments (e.g., Python) will have different mechanisms. 5 | 6 | The location of `boot.js` can be specified and/or overridden in `jasmine.yml`. 7 | 8 | [jasmine-gem]: http://github.com/pivotal/jasmine-gem 9 | */ 10 | 11 | (function() { 12 | 13 | /** 14 | * ## Require & Instantiate 15 | * 16 | * Require Jasmine's core files. Specifically, this requires and attaches all of Jasmine's code to the `jasmine` reference. 17 | */ 18 | window.jasmine = jasmineRequire.core(jasmineRequire); 19 | 20 | /** 21 | * Since this is being run in a browser and the results should populate to an HTML page, require the HTML-specific Jasmine code, injecting the same reference. 22 | */ 23 | jasmineRequire.html(jasmine); 24 | 25 | /** 26 | * Create the Jasmine environment. This is used to run all specs in a project. 27 | */ 28 | var env = jasmine.getEnv(); 29 | 30 | /** 31 | * ## The Global Interface 32 | * 33 | * Build up the functions that will be exposed as the Jasmine public interface. A project can customize, rename or alias any of these functions as desired, provided the implementation remains unchanged. 34 | */ 35 | var jasmineInterface = jasmineRequire.interface(jasmine, env); 36 | 37 | /** 38 | * Add all of the Jasmine global/public interface to the proper global, so a project can use the public interface directly. For example, calling `describe` in specs instead of `jasmine.getEnv().describe`. 39 | */ 40 | if (typeof window == "undefined" && typeof exports == "object") { 41 | extend(exports, jasmineInterface); 42 | } else { 43 | extend(window, jasmineInterface); 44 | } 45 | 46 | /** 47 | * ## Runner Parameters 48 | * 49 | * More browser specific code - wrap the query string in an object and to allow for getting/setting parameters from the runner user interface. 50 | */ 51 | 52 | var queryString = new jasmine.QueryString({ 53 | getWindowLocation: function() { return window.location; } 54 | }); 55 | 56 | var catchingExceptions = queryString.getParam("catch"); 57 | env.catchExceptions(typeof catchingExceptions === "undefined" ? true : catchingExceptions); 58 | 59 | /** 60 | * ## Reporters 61 | * The `HtmlReporter` builds all of the HTML UI for the runner page. This reporter paints the dots, stars, and x's for specs, as well as all spec names and all failures (if any). 62 | */ 63 | var htmlReporter = new jasmine.HtmlReporter({ 64 | env: env, 65 | onRaiseExceptionsClick: function() { queryString.setParam("catch", !env.catchingExceptions()); }, 66 | getContainer: function() { return document.body; }, 67 | createElement: function() { return document.createElement.apply(document, arguments); }, 68 | createTextNode: function() { return document.createTextNode.apply(document, arguments); }, 69 | timer: new jasmine.Timer() 70 | }); 71 | 72 | /** 73 | * The `jsApiReporter` also receives spec results, and is used by any environment that needs to extract the results from JavaScript. 74 | */ 75 | env.addReporter(jasmineInterface.jsApiReporter); 76 | env.addReporter(htmlReporter); 77 | 78 | /** 79 | * Filter which specs will be run by matching the start of the full name against the `spec` query param. 80 | */ 81 | var specFilter = new jasmine.HtmlSpecFilter({ 82 | filterString: function() { return queryString.getParam("spec"); } 83 | }); 84 | 85 | env.specFilter = function(spec) { 86 | return specFilter.matches(spec.getFullName()); 87 | }; 88 | 89 | /** 90 | * Setting up timing functions to be able to be overridden. Certain browsers (Safari, IE 8, phantomjs) require this hack. 91 | */ 92 | window.setTimeout = window.setTimeout; 93 | window.setInterval = window.setInterval; 94 | window.clearTimeout = window.clearTimeout; 95 | window.clearInterval = window.clearInterval; 96 | 97 | /** 98 | * ## Execution 99 | * 100 | * Replace the browser window's `onload`, ensure it's called, and then run all of the loaded specs. This includes initializing the `HtmlReporter` instance and then executing the loaded Jasmine environment. All of this will happen after all of the specs are loaded. 101 | */ 102 | var currentWindowOnload = window.onload; 103 | 104 | window.onload = function() { 105 | if (currentWindowOnload) { 106 | currentWindowOnload(); 107 | } 108 | htmlReporter.initialize(); 109 | env.execute(); 110 | }; 111 | 112 | /** 113 | * Helper function for readability above. 114 | */ 115 | function extend(destination, source) { 116 | for (var property in source) destination[property] = source[property]; 117 | return destination; 118 | } 119 | 120 | }()); 121 | -------------------------------------------------------------------------------- /lib/jasmine/console.js: -------------------------------------------------------------------------------- 1 | /* 2 | Copyright (c) 2008-2014 Pivotal Labs 3 | 4 | Permission is hereby granted, free of charge, to any person obtaining 5 | a copy of this software and associated documentation files (the 6 | "Software"), to deal in the Software without restriction, including 7 | without limitation the rights to use, copy, modify, merge, publish, 8 | distribute, sublicense, and/or sell copies of the Software, and to 9 | permit persons to whom the Software is furnished to do so, subject to 10 | the following conditions: 11 | 12 | The above copyright notice and this permission notice shall be 13 | included in all copies or substantial portions of the Software. 14 | 15 | THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, 16 | EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF 17 | MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND 18 | NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE 19 | LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION 20 | OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION 21 | WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. 22 | */ 23 | function getJasmineRequireObj() { 24 | if (typeof module !== 'undefined' && module.exports) { 25 | return exports; 26 | } else { 27 | window.jasmineRequire = window.jasmineRequire || {}; 28 | return window.jasmineRequire; 29 | } 30 | } 31 | 32 | getJasmineRequireObj().console = function(jRequire, j$) { 33 | j$.ConsoleReporter = jRequire.ConsoleReporter(); 34 | }; 35 | 36 | getJasmineRequireObj().ConsoleReporter = function() { 37 | 38 | var noopTimer = { 39 | start: function(){}, 40 | elapsed: function(){ return 0; } 41 | }; 42 | 43 | function ConsoleReporter(options) { 44 | var print = options.print, 45 | showColors = options.showColors || false, 46 | onComplete = options.onComplete || function() {}, 47 | timer = options.timer || noopTimer, 48 | specCount, 49 | failureCount, 50 | failedSpecs = [], 51 | pendingCount, 52 | ansi = { 53 | green: '\x1B[32m', 54 | red: '\x1B[31m', 55 | yellow: '\x1B[33m', 56 | none: '\x1B[0m' 57 | }; 58 | 59 | this.jasmineStarted = function() { 60 | specCount = 0; 61 | failureCount = 0; 62 | pendingCount = 0; 63 | print('Started'); 64 | printNewline(); 65 | timer.start(); 66 | }; 67 | 68 | this.jasmineDone = function() { 69 | printNewline(); 70 | for (var i = 0; i < failedSpecs.length; i++) { 71 | specFailureDetails(failedSpecs[i]); 72 | } 73 | 74 | if(specCount > 0) { 75 | printNewline(); 76 | 77 | var specCounts = specCount + ' ' + plural('spec', specCount) + ', ' + 78 | failureCount + ' ' + plural('failure', failureCount); 79 | 80 | if (pendingCount) { 81 | specCounts += ', ' + pendingCount + ' pending ' + plural('spec', pendingCount); 82 | } 83 | 84 | print(specCounts); 85 | } else { 86 | print('No specs found'); 87 | } 88 | 89 | printNewline(); 90 | var seconds = timer.elapsed() / 1000; 91 | print('Finished in ' + seconds + ' ' + plural('second', seconds)); 92 | 93 | printNewline(); 94 | 95 | onComplete(failureCount === 0); 96 | }; 97 | 98 | this.specDone = function(result) { 99 | specCount++; 100 | 101 | if (result.status == 'pending') { 102 | pendingCount++; 103 | print(colored('yellow', '*')); 104 | return; 105 | } 106 | 107 | if (result.status == 'passed') { 108 | print(colored('green', '.')); 109 | return; 110 | } 111 | 112 | if (result.status == 'failed') { 113 | failureCount++; 114 | failedSpecs.push(result); 115 | print(colored('red', 'F')); 116 | } 117 | }; 118 | 119 | return this; 120 | 121 | function printNewline() { 122 | print('\n'); 123 | } 124 | 125 | function colored(color, str) { 126 | return showColors ? (ansi[color] + str + ansi.none) : str; 127 | } 128 | 129 | function plural(str, count) { 130 | return count == 1 ? str : str + 's'; 131 | } 132 | 133 | function repeat(thing, times) { 134 | var arr = []; 135 | for (var i = 0; i < times; i++) { 136 | arr.push(thing); 137 | } 138 | return arr; 139 | } 140 | 141 | function indent(str, spaces) { 142 | var lines = (str || '').split('\n'); 143 | var newArr = []; 144 | for (var i = 0; i < lines.length; i++) { 145 | newArr.push(repeat(' ', spaces).join('') + lines[i]); 146 | } 147 | return newArr.join('\n'); 148 | } 149 | 150 | function specFailureDetails(result) { 151 | printNewline(); 152 | print(result.fullName); 153 | 154 | for (var i = 0; i < result.failedExpectations.length; i++) { 155 | var failedExpectation = result.failedExpectations[i]; 156 | printNewline(); 157 | print(indent(failedExpectation.message, 2)); 158 | print(indent(failedExpectation.stack, 2)); 159 | } 160 | 161 | printNewline(); 162 | } 163 | } 164 | 165 | return ConsoleReporter; 166 | }; 167 | -------------------------------------------------------------------------------- /lib/jasmine/jasmine-html.js: -------------------------------------------------------------------------------- 1 | /* 2 | Copyright (c) 2008-2014 Pivotal Labs 3 | 4 | Permission is hereby granted, free of charge, to any person obtaining 5 | a copy of this software and associated documentation files (the 6 | "Software"), to deal in the Software without restriction, including 7 | without limitation the rights to use, copy, modify, merge, publish, 8 | distribute, sublicense, and/or sell copies of the Software, and to 9 | permit persons to whom the Software is furnished to do so, subject to 10 | the following conditions: 11 | 12 | The above copyright notice and this permission notice shall be 13 | included in all copies or substantial portions of the Software. 14 | 15 | THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, 16 | EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF 17 | MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND 18 | NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE 19 | LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION 20 | OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION 21 | WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. 22 | */ 23 | jasmineRequire.html = function(j$) { 24 | j$.ResultsNode = jasmineRequire.ResultsNode(); 25 | j$.HtmlReporter = jasmineRequire.HtmlReporter(j$); 26 | j$.QueryString = jasmineRequire.QueryString(); 27 | j$.HtmlSpecFilter = jasmineRequire.HtmlSpecFilter(); 28 | }; 29 | 30 | jasmineRequire.HtmlReporter = function(j$) { 31 | 32 | var noopTimer = { 33 | start: function() {}, 34 | elapsed: function() { return 0; } 35 | }; 36 | 37 | function HtmlReporter(options) { 38 | var env = options.env || {}, 39 | getContainer = options.getContainer, 40 | createElement = options.createElement, 41 | createTextNode = options.createTextNode, 42 | onRaiseExceptionsClick = options.onRaiseExceptionsClick || function() {}, 43 | timer = options.timer || noopTimer, 44 | results = [], 45 | specsExecuted = 0, 46 | failureCount = 0, 47 | pendingSpecCount = 0, 48 | htmlReporterMain, 49 | symbols; 50 | 51 | this.initialize = function() { 52 | clearPrior(); 53 | htmlReporterMain = createDom('div', {className: 'jasmine_html-reporter'}, 54 | createDom('div', {className: 'banner'}, 55 | createDom('a', {className: 'title', href: 'http://jasmine.github.io/', target: '_blank'}), 56 | createDom('span', {className: 'version'}, j$.version) 57 | ), 58 | createDom('ul', {className: 'symbol-summary'}), 59 | createDom('div', {className: 'alert'}), 60 | createDom('div', {className: 'results'}, 61 | createDom('div', {className: 'failures'}) 62 | ) 63 | ); 64 | getContainer().appendChild(htmlReporterMain); 65 | 66 | symbols = find('.symbol-summary'); 67 | }; 68 | 69 | var totalSpecsDefined; 70 | this.jasmineStarted = function(options) { 71 | totalSpecsDefined = options.totalSpecsDefined || 0; 72 | timer.start(); 73 | }; 74 | 75 | var summary = createDom('div', {className: 'summary'}); 76 | 77 | var topResults = new j$.ResultsNode({}, '', null), 78 | currentParent = topResults; 79 | 80 | this.suiteStarted = function(result) { 81 | currentParent.addChild(result, 'suite'); 82 | currentParent = currentParent.last(); 83 | }; 84 | 85 | this.suiteDone = function(result) { 86 | if (currentParent == topResults) { 87 | return; 88 | } 89 | 90 | currentParent = currentParent.parent; 91 | }; 92 | 93 | this.specStarted = function(result) { 94 | currentParent.addChild(result, 'spec'); 95 | }; 96 | 97 | var failures = []; 98 | this.specDone = function(result) { 99 | if(noExpectations(result) && console && console.error) { 100 | console.error('Spec \'' + result.fullName + '\' has no expectations.'); 101 | } 102 | 103 | if (result.status != 'disabled') { 104 | specsExecuted++; 105 | } 106 | 107 | symbols.appendChild(createDom('li', { 108 | className: noExpectations(result) ? 'empty' : result.status, 109 | id: 'spec_' + result.id, 110 | title: result.fullName 111 | } 112 | )); 113 | 114 | if (result.status == 'failed') { 115 | failureCount++; 116 | 117 | var failure = 118 | createDom('div', {className: 'spec-detail failed'}, 119 | createDom('div', {className: 'description'}, 120 | createDom('a', {title: result.fullName, href: specHref(result)}, result.fullName) 121 | ), 122 | createDom('div', {className: 'messages'}) 123 | ); 124 | var messages = failure.childNodes[1]; 125 | 126 | for (var i = 0; i < result.failedExpectations.length; i++) { 127 | var expectation = result.failedExpectations[i]; 128 | messages.appendChild(createDom('div', {className: 'result-message'}, expectation.message)); 129 | messages.appendChild(createDom('div', {className: 'stack-trace'}, expectation.stack)); 130 | } 131 | 132 | failures.push(failure); 133 | } 134 | 135 | if (result.status == 'pending') { 136 | pendingSpecCount++; 137 | } 138 | }; 139 | 140 | this.jasmineDone = function() { 141 | var banner = find('.banner'); 142 | banner.appendChild(createDom('span', {className: 'duration'}, 'finished in ' + timer.elapsed() / 1000 + 's')); 143 | 144 | var alert = find('.alert'); 145 | 146 | alert.appendChild(createDom('span', { className: 'exceptions' }, 147 | createDom('label', { className: 'label', 'for': 'raise-exceptions' }, 'raise exceptions'), 148 | createDom('input', { 149 | className: 'raise', 150 | id: 'raise-exceptions', 151 | type: 'checkbox' 152 | }) 153 | )); 154 | var checkbox = find('#raise-exceptions'); 155 | 156 | checkbox.checked = !env.catchingExceptions(); 157 | checkbox.onclick = onRaiseExceptionsClick; 158 | 159 | if (specsExecuted < totalSpecsDefined) { 160 | var skippedMessage = 'Ran ' + specsExecuted + ' of ' + totalSpecsDefined + ' specs - run all'; 161 | alert.appendChild( 162 | createDom('span', {className: 'bar skipped'}, 163 | createDom('a', {href: '?', title: 'Run all specs'}, skippedMessage) 164 | ) 165 | ); 166 | } 167 | var statusBarMessage = ''; 168 | var statusBarClassName = 'bar '; 169 | 170 | if (totalSpecsDefined > 0) { 171 | statusBarMessage += pluralize('spec', specsExecuted) + ', ' + pluralize('failure', failureCount); 172 | if (pendingSpecCount) { statusBarMessage += ', ' + pluralize('pending spec', pendingSpecCount); } 173 | statusBarClassName += (failureCount > 0) ? 'failed' : 'passed'; 174 | } else { 175 | statusBarClassName += 'skipped'; 176 | statusBarMessage += 'No specs found'; 177 | } 178 | 179 | alert.appendChild(createDom('span', {className: statusBarClassName}, statusBarMessage)); 180 | 181 | var results = find('.results'); 182 | results.appendChild(summary); 183 | 184 | summaryList(topResults, summary); 185 | 186 | function summaryList(resultsTree, domParent) { 187 | var specListNode; 188 | for (var i = 0; i < resultsTree.children.length; i++) { 189 | var resultNode = resultsTree.children[i]; 190 | if (resultNode.type == 'suite') { 191 | var suiteListNode = createDom('ul', {className: 'suite', id: 'suite-' + resultNode.result.id}, 192 | createDom('li', {className: 'suite-detail'}, 193 | createDom('a', {href: specHref(resultNode.result)}, resultNode.result.description) 194 | ) 195 | ); 196 | 197 | summaryList(resultNode, suiteListNode); 198 | domParent.appendChild(suiteListNode); 199 | } 200 | if (resultNode.type == 'spec') { 201 | if (domParent.getAttribute('class') != 'specs') { 202 | specListNode = createDom('ul', {className: 'specs'}); 203 | domParent.appendChild(specListNode); 204 | } 205 | var specDescription = resultNode.result.description; 206 | if(noExpectations(resultNode.result)) { 207 | specDescription = 'SPEC HAS NO EXPECTATIONS ' + specDescription; 208 | } 209 | specListNode.appendChild( 210 | createDom('li', { 211 | className: resultNode.result.status, 212 | id: 'spec-' + resultNode.result.id 213 | }, 214 | createDom('a', {href: specHref(resultNode.result)}, specDescription) 215 | ) 216 | ); 217 | } 218 | } 219 | } 220 | 221 | if (failures.length) { 222 | alert.appendChild( 223 | createDom('span', {className: 'menu bar spec-list'}, 224 | createDom('span', {}, 'Spec List | '), 225 | createDom('a', {className: 'failures-menu', href: '#'}, 'Failures'))); 226 | alert.appendChild( 227 | createDom('span', {className: 'menu bar failure-list'}, 228 | createDom('a', {className: 'spec-list-menu', href: '#'}, 'Spec List'), 229 | createDom('span', {}, ' | Failures '))); 230 | 231 | find('.failures-menu').onclick = function() { 232 | setMenuModeTo('failure-list'); 233 | }; 234 | find('.spec-list-menu').onclick = function() { 235 | setMenuModeTo('spec-list'); 236 | }; 237 | 238 | setMenuModeTo('failure-list'); 239 | 240 | var failureNode = find('.failures'); 241 | for (var i = 0; i < failures.length; i++) { 242 | failureNode.appendChild(failures[i]); 243 | } 244 | } 245 | }; 246 | 247 | return this; 248 | 249 | function find(selector) { 250 | return getContainer().querySelector('.jasmine_html-reporter ' + selector); 251 | } 252 | 253 | function clearPrior() { 254 | // return the reporter 255 | var oldReporter = find(''); 256 | 257 | if(oldReporter) { 258 | getContainer().removeChild(oldReporter); 259 | } 260 | } 261 | 262 | function createDom(type, attrs, childrenVarArgs) { 263 | var el = createElement(type); 264 | 265 | for (var i = 2; i < arguments.length; i++) { 266 | var child = arguments[i]; 267 | 268 | if (typeof child === 'string') { 269 | el.appendChild(createTextNode(child)); 270 | } else { 271 | if (child) { 272 | el.appendChild(child); 273 | } 274 | } 275 | } 276 | 277 | for (var attr in attrs) { 278 | if (attr == 'className') { 279 | el[attr] = attrs[attr]; 280 | } else { 281 | el.setAttribute(attr, attrs[attr]); 282 | } 283 | } 284 | 285 | return el; 286 | } 287 | 288 | function pluralize(singular, count) { 289 | var word = (count == 1 ? singular : singular + 's'); 290 | 291 | return '' + count + ' ' + word; 292 | } 293 | 294 | function specHref(result) { 295 | return '?spec=' + encodeURIComponent(result.fullName); 296 | } 297 | 298 | function setMenuModeTo(mode) { 299 | htmlReporterMain.setAttribute('class', 'jasmine_html-reporter ' + mode); 300 | } 301 | 302 | function noExpectations(result) { 303 | return (result.failedExpectations.length + result.passedExpectations.length) === 0 && 304 | result.status === 'passed'; 305 | } 306 | } 307 | 308 | return HtmlReporter; 309 | }; 310 | 311 | jasmineRequire.HtmlSpecFilter = function() { 312 | function HtmlSpecFilter(options) { 313 | var filterString = options && options.filterString() && options.filterString().replace(/[-[\]{}()*+?.,\\^$|#\s]/g, '\\$&'); 314 | var filterPattern = new RegExp(filterString); 315 | 316 | this.matches = function(specName) { 317 | return filterPattern.test(specName); 318 | }; 319 | } 320 | 321 | return HtmlSpecFilter; 322 | }; 323 | 324 | jasmineRequire.ResultsNode = function() { 325 | function ResultsNode(result, type, parent) { 326 | this.result = result; 327 | this.type = type; 328 | this.parent = parent; 329 | 330 | this.children = []; 331 | 332 | this.addChild = function(result, type) { 333 | this.children.push(new ResultsNode(result, type, this)); 334 | }; 335 | 336 | this.last = function() { 337 | return this.children[this.children.length - 1]; 338 | }; 339 | } 340 | 341 | return ResultsNode; 342 | }; 343 | 344 | jasmineRequire.QueryString = function() { 345 | function QueryString(options) { 346 | 347 | this.setParam = function(key, value) { 348 | var paramMap = queryStringToParamMap(); 349 | paramMap[key] = value; 350 | options.getWindowLocation().search = toQueryString(paramMap); 351 | }; 352 | 353 | this.getParam = function(key) { 354 | return queryStringToParamMap()[key]; 355 | }; 356 | 357 | return this; 358 | 359 | function toQueryString(paramMap) { 360 | var qStrPairs = []; 361 | for (var prop in paramMap) { 362 | qStrPairs.push(encodeURIComponent(prop) + '=' + encodeURIComponent(paramMap[prop])); 363 | } 364 | return '?' + qStrPairs.join('&'); 365 | } 366 | 367 | function queryStringToParamMap() { 368 | var paramStr = options.getWindowLocation().search.substring(1), 369 | params = [], 370 | paramMap = {}; 371 | 372 | if (paramStr.length > 0) { 373 | params = paramStr.split('&'); 374 | for (var i = 0; i < params.length; i++) { 375 | var p = params[i].split('='); 376 | var value = decodeURIComponent(p[1]); 377 | if (value === 'true' || value === 'false') { 378 | value = JSON.parse(value); 379 | } 380 | paramMap[decodeURIComponent(p[0])] = value; 381 | } 382 | } 383 | 384 | return paramMap; 385 | } 386 | 387 | } 388 | 389 | return QueryString; 390 | }; 391 | -------------------------------------------------------------------------------- /lib/jasmine/jasmine.css: -------------------------------------------------------------------------------- 1 | body { overflow-y: scroll; } 2 | 3 | .jasmine_html-reporter { background-color: #eeeeee; padding: 5px; margin: -8px; font-size: 11px; font-family: Monaco, "Lucida Console", monospace; line-height: 14px; color: #333333; } 4 | .jasmine_html-reporter a { text-decoration: none; } 5 | .jasmine_html-reporter a:hover { text-decoration: underline; } 6 | .jasmine_html-reporter p, .jasmine_html-reporter h1, .jasmine_html-reporter h2, .jasmine_html-reporter h3, .jasmine_html-reporter h4, .jasmine_html-reporter h5, .jasmine_html-reporter h6 { margin: 0; line-height: 14px; } 7 | .jasmine_html-reporter .banner, .jasmine_html-reporter .symbol-summary, .jasmine_html-reporter .summary, .jasmine_html-reporter .result-message, .jasmine_html-reporter .spec .description, .jasmine_html-reporter .spec-detail .description, .jasmine_html-reporter .alert .bar, .jasmine_html-reporter .stack-trace { padding-left: 9px; padding-right: 9px; } 8 | .jasmine_html-reporter .banner { position: relative; } 9 | .jasmine_html-reporter .banner .title { background: url('data:image/png;base64,iVBORw0KGgoAAAANSUhEUgAAAFoAAAAZCAMAAACGusnyAAACdlBMVEX/////AP+AgICqVaqAQICZM5mAVYCSSZKAQICOOY6ATYCLRouAQICJO4mSSYCIRIiPQICHPIeOR4CGQ4aMQICGPYaLRoCFQ4WKQICPPYWJRYCOQoSJQICNPoSIRICMQoSHQICHRICKQoOHQICKPoOJO4OJQYOMQICMQ4CIQYKLQICIPoKLQ4CKQICNPoKJQISMQ4KJQoSLQYKJQISLQ4KIQoSKQYKIQICIQISMQoSKQYKLQIOLQoOJQYGLQIOKQIOMQoGKQYOLQYGKQIOLQoGJQYOJQIOKQYGJQIOKQoGKQIGLQIKLQ4KKQoGLQYKJQIGKQYKJQIGKQIKJQoGKQYKLQIGKQYKLQIOJQoKKQoOJQYKKQIOJQoKKQoOKQIOLQoKKQYOLQYKJQIOKQoKKQYKKQoKJQYOKQYKLQIOKQoKLQYOKQYKLQIOJQoGKQYKJQYGJQoGKQYKLQoGLQYGKQoGJQYKKQYGJQIKKQoGJQYKLQIKKQYGLQYKKQYGKQYGKQYKJQYOKQoKJQYOKQYKLQYOLQYOKQYKLQYOKQoKKQYKKQYOKQYOJQYKKQYKLQYKKQIKKQoKKQYKKQYKKQoKJQIKKQYKLQYKKQYKKQIKKQYKKQYKKQYKKQIKKQYKJQYGLQYGKQYKKQYKKQYGKQIKKQYGKQYOJQoKKQYOLQYKKQYOKQoKKQYKKQoKKQYKKQYKJQYKLQYKKQYKKQYKKQYKKQYKKQYKKQYKKQYKKQYKJQYKKQYKKQYKKQYKKQYKKQYKKQYKKQYKKQYKKQYKKQYKKQYKLQYKKQYKKQYKKQYKKQYKKQYKKQYKKQYKKQYKKQYKKQYKKQYKKQYKmIDpEAAAA0XRSTlMAAQIDBAUGBwgJCgsMDQ4PEBESExQVFhcYGRobHB0eHyAiIyQlJycoKissLS4wMTQ1Njc4OTo7PDw+P0BCQ0RISUpLTE1OUFNUVVdYWFlaW15fYGFiY2ZnaGlqa2xtb3BxcnN0dnh5ent8fX5/gIGChIWIioyNjo+QkZOUlZaYmZqbnJ2eoKGio6WmqKmsra6vsLGztre4ubq7vL2+wMHDxMjJysvNzs/Q0dLU1tfY2dvc3t/g4eLj5ebn6Onq6+zt7u/w8vP09fb3+Pn6+/z9/vkVQXAAAAMaSURBVHhe5dXxV1N1GMfxz2ABbDgIAm5VDJOyVDIJLUMaVpBWUZUaGbmqoGpZRSiGiRWp6KoZ5AB0ZY50RImZQIlahKkMYXv/R90dBvET/rJfOr3Ouc8v99zPec59zvf56j+vYKlViSf7250X4Mr3O29Tgq08BdGB4DhcekEJ5YkQKFsgWZdtj9JpV+I8xPjLFqkrsEIqO8PHSpis36jWazcqjEsfJjkvRssVU37SdIOu4XCf5vEJPsnwJpnRNU9JmxhMk8l1gehIrq7hTFjzOD+Vf88629qKMJVNltInFeRexRQyJlNeqd1iGDlSzrIUIyXbyFfm3RYprcQRe7lqtWyGYbfc6dT0R2vmdOOkX3u55C1rP37ftiH+tDby4r/RBT0w8TyEkr+epB9XgPDmSYYWbrhCuFYaIyw3fDQAXTnSkh+ANofiHmWf9l+FY1I90FdQTetstO00o23novzVsJ7uB3/C5TkbjRwZ5JerwV4iRWq9HFbFMaK/d0TYqayRiQPuIxxS3Bu8JWU90/60tKi7vkhaznez0a/TbVOKj5CaOZh6fWG6/Lyv9B/ZLR1gw/S/fpbeVD3MCW1li6SvWDOn65tr99/uvWtBS0XDm4s1t+sOHpG0kpBKx/l77wOSnxLpcx6TXmXLTPQOKYOf9Q1dfr8/SJ2mFdCvl1Yl93DiHUZvXeLJbGSzYu5gVJ2slbSakOR8dxCq5adQ2oFLqsE9Ex3L4qQO0eOPeU5x56bypXp4onSEb5OkICX6lDat55TeoztNKQcJaakrz9KCb95oD69IKq+yKW4XPjknaS52V0TZqE2cTtXjcHSCRmUO88e+85hj3EP74i9p8pylw7lxgMDyyl6OV7ZejnjNMfatu87LxRbH0IS35gt2a4ZjmGpVBdKK3Wr6INk8jWWSGqbA55CKgjBRC6E9w78ydTg3ABS3AFV1QN0Y4Aa2pgEjWnQURj9L0ayK6R2ysEqxHUKzYnLvvyU+i9KM2JHJzE4vyZOyDcOwOsySajeLPc8sNvPJkFlyJd20wpqAzZeAfZ3oWybxd+P/3j+SG3uSBdf2VQAAAABJRU5ErkJggg==') no-repeat; background: url('data:image/svg+xml;base64,PD94bWwgdmVyc2lvbj0iMS4wIiBlbmNvZGluZz0iVVRGLTgiIHN0YW5kYWxvbmU9Im5vIj8+CjwhLS0gQ3JlYXRlZCB3aXRoIElua3NjYXBlIChodHRwOi8vd3d3Lmlua3NjYXBlLm9yZy8pIC0tPgoKPHN2ZwogICB4bWxuczpkYz0iaHR0cDovL3B1cmwub3JnL2RjL2VsZW1lbnRzLzEuMS8iCiAgIHhtbG5zOmNjPSJodHRwOi8vY3JlYXRpdmVjb21tb25zLm9yZy9ucyMiCiAgIHhtbG5zOnJkZj0iaHR0cDovL3d3dy53My5vcmcvMTk5OS8wMi8yMi1yZGYtc3ludGF4LW5zIyIKICAgeG1sbnM6c3ZnPSJodHRwOi8vd3d3LnczLm9yZy8yMDAwL3N2ZyIKICAgeG1sbnM9Imh0dHA6Ly93d3cudzMub3JnLzIwMDAvc3ZnIgogICB4bWxuczppbmtzY2FwZT0iaHR0cDovL3d3dy5pbmtzY2FwZS5vcmcvbmFtZXNwYWNlcy9pbmtzY2FwZSIKICAgdmVyc2lvbj0iMS4xIgogICB3aWR0aD0iNjgxLjk2MjUyIgogICBoZWlnaHQ9IjE4Ny41IgogICBpZD0ic3ZnMiIKICAgeG1sOnNwYWNlPSJwcmVzZXJ2ZSI+PG1ldGFkYXRhCiAgICAgaWQ9Im1ldGFkYXRhOCI+PHJkZjpSREY+PGNjOldvcmsKICAgICAgICAgcmRmOmFib3V0PSIiPjxkYzpmb3JtYXQ+aW1hZ2Uvc3ZnK3htbDwvZGM6Zm9ybWF0PjxkYzp0eXBlCiAgICAgICAgICAgcmRmOnJlc291cmNlPSJodHRwOi8vcHVybC5vcmcvZGMvZGNtaXR5cGUvU3RpbGxJbWFnZSIgLz48L2NjOldvcms+PC9yZGY6UkRGPjwvbWV0YWRhdGE+PGRlZnMKICAgICBpZD0iZGVmczYiPjxjbGlwUGF0aAogICAgICAgaWQ9ImNsaXBQYXRoMTgiPjxwYXRoCiAgICAgICAgIGQ9Ik0gMCwxNTAwIDAsMCBsIDU0NTUuNzQsMCAwLDE1MDAgTCAwLDE1MDAgeiIKICAgICAgICAgaW5rc2NhcGU6Y29ubmVjdG9yLWN1cnZhdHVyZT0iMCIKICAgICAgICAgaWQ9InBhdGgyMCIgLz48L2NsaXBQYXRoPjwvZGVmcz48ZwogICAgIHRyYW5zZm9ybT0ibWF0cml4KDEuMjUsMCwwLC0xLjI1LDAsMTg3LjUpIgogICAgIGlkPSJnMTAiPjxnCiAgICAgICB0cmFuc2Zvcm09InNjYWxlKDAuMSwwLjEpIgogICAgICAgaWQ9ImcxMiI+PGcKICAgICAgICAgaWQ9ImcxNCI+PGcKICAgICAgICAgICBjbGlwLXBhdGg9InVybCgjY2xpcFBhdGgxOCkiCiAgICAgICAgICAgaWQ9ImcxNiI+PHBhdGgKICAgICAgICAgICAgIGQ9Im0gMTU0NCw1OTkuNDM0IGMgMC45MiwtNDAuMzUyIDI1LjY4LC04MS42MDIgNzEuNTMsLTgxLjYwMiAyNy41MSwwIDQ3LjY4LDEyLjgzMiA2MS40NCwzNS43NTQgMTIuODMsMjIuOTMgMTIuODMsNTYuODUyIDEyLjgzLDgyLjUyNyBsIDAsMzI5LjE4NCAtNzEuNTIsMCAwLDEwNC41NDMgMjY2LjgzLDAgMCwtMTA0LjU0MyAtNzAuNiwwIDAsLTM0NC43NyBjIDAsLTU4LjY5MSAtMy42OCwtMTA0LjUzMSAtNDQuOTMsLTE1Mi4yMTggLTM2LjY4LC00Mi4xOCAtOTYuMjgsLTY2LjAyIC0xNTMuMTQsLTY2LjAyIC0xMTcuMzcsMCAtMjA3LjI0LDc3Ljk0MSAtMjAyLjY0LDE5Ny4xNDUgbCAxMzAuMiwwIgogICAgICAgICAgICAgaW5rc2NhcGU6Y29ubmVjdG9yLWN1cnZhdHVyZT0iMCIKICAgICAgICAgICAgIGlkPSJwYXRoMjIiCiAgICAgICAgICAgICBzdHlsZT0iZmlsbDojOGE0MTgyO2ZpbGwtb3BhY2l0eToxO2ZpbGwtcnVsZTpub256ZXJvO3N0cm9rZTpub25lIiAvPjxwYXRoCiAgICAgICAgICAgICBkPSJtIDIzMDEuNCw2NjIuNjk1IGMgMCw4MC43MDMgLTY2Ljk0LDE0NS44MTMgLTE0Ny42MywxNDUuODEzIC04My40NCwwIC0xNDcuNjMsLTY4Ljc4MSAtMTQ3LjYzLC0xNTEuMzAxIDAsLTc5Ljc4NSA2Ni45NCwtMTQ1LjgwMSAxNDUuOCwtMTQ1LjgwMSA4NC4zNSwwIDE0OS40Niw2Ny44NTIgMTQ5LjQ2LDE1MS4yODkgeiBtIC0xLjgzLC0xODEuNTQ3IGMgLTM1Ljc3LC01NC4wOTcgLTkzLjUzLC03OC44NTkgLTE1Ny43MiwtNzguODU5IC0xNDAuMywwIC0yNTEuMjQsMTE2LjQ0OSAtMjUxLjI0LDI1NC45MTggMCwxNDIuMTI5IDExMy43LDI2MC40MSAyNTYuNzQsMjYwLjQxIDYzLjI3LDAgMTE4LjI5LC0yOS4zMzYgMTUyLjIyLC04Mi41MjMgbCAwLDY5LjY4NyAxNzUuMTQsMCAwLC0xMDQuNTI3IC02MS40NCwwIDAsLTI4MC41OTggNjEuNDQsMCAwLC0xMDQuNTI3IC0xNzUuMTQsMCAwLDY2LjAxOSIKICAgICAgICAgICAgIGlua3NjYXBlOmNvbm5lY3Rvci1jdXJ2YXR1cmU9IjAiCiAgICAgICAgICAgICBpZD0icGF0aDI0IgogICAgICAgICAgICAgc3R5bGU9ImZpbGw6IzhhNDE4MjtmaWxsLW9wYWNpdHk6MTtmaWxsLXJ1bGU6bm9uemVybztzdHJva2U6bm9uZSIgLz48cGF0aAogICAgICAgICAgICAgZD0ibSAyNjIyLjMzLDU1Ny4yNTggYyAzLjY3LC00NC4wMTYgMzMuMDEsLTczLjM0OCA3OC44NiwtNzMuMzQ4IDMzLjkzLDAgNjYuOTMsMjMuODI0IDY2LjkzLDYwLjUwNCAwLDQ4LjYwNiAtNDUuODQsNTYuODU2IC04My40NCw2Ni45NDEgLTg1LjI4LDIyLjAwNCAtMTc4LjgxLDQ4LjYwNiAtMTc4LjgxLDE1NS44NzkgMCw5My41MzYgNzguODYsMTQ3LjYzMyAxNjUuOTgsMTQ3LjYzMyA0NCwwIDgzLjQzLC05LjE3NiAxMTAuOTQsLTQ0LjAwOCBsIDAsMzMuOTIyIDgyLjUzLDAgMCwtMTMyLjk2NSAtMTA4LjIxLDAgYyAtMS44MywzNC44NTYgLTI4LjQyLDU3Ljc3NCAtNjMuMjYsNTcuNzc0IC0zMC4yNiwwIC02Mi4zNSwtMTcuNDIyIC02Mi4zNSwtNTEuMzQ4IDAsLTQ1Ljg0NyA0NC45MywtNTUuOTMgODAuNjksLTY0LjE4IDg4LjAyLC0yMC4xNzUgMTgyLjQ3LC00Ny42OTUgMTgyLjQ3LC0xNTcuNzM0IDAsLTk5LjAyNyAtODMuNDQsLTE1NC4wMzkgLTE3NS4xMywtMTU0LjAzOSAtNDkuNTMsMCAtOTQuNDYsMTUuNTgyIC0xMjYuNTUsNTMuMTggbCAwLC00MC4zNCAtODUuMjcsMCAwLDE0Mi4xMjkgMTE0LjYyLDAiCiAgICAgICAgICAgICBpbmtzY2FwZTpjb25uZWN0b3ItY3VydmF0dXJlPSIwIgogICAgICAgICAgICAgaWQ9InBhdGgyNiIKICAgICAgICAgICAgIHN0eWxlPSJmaWxsOiM4YTQxODI7ZmlsbC1vcGFjaXR5OjE7ZmlsbC1ydWxlOm5vbnplcm87c3Ryb2tlOm5vbmUiIC8+PHBhdGgKICAgICAgICAgICAgIGQ9Im0gMjk4OC4xOCw4MDAuMjU0IC02My4yNiwwIDAsMTA0LjUyNyAxNjUuMDUsMCAwLC03My4zNTUgYyAzMS4xOCw1MS4zNDcgNzguODYsODUuMjc3IDE0MS4yMSw4NS4yNzcgNjcuODUsMCAxMjQuNzEsLTQxLjI1OCAxNTIuMjEsLTEwMi42OTkgMjYuNiw2Mi4zNTEgOTIuNjIsMTAyLjY5OSAxNjAuNDcsMTAyLjY5OSA1My4xOSwwIDEwNS40NiwtMjIgMTQxLjIxLC02Mi4zNTEgMzguNTIsLTQ0LjkzOCAzOC41MiwtOTMuNTMyIDM4LjUyLC0xNDkuNDU3IGwgMCwtMTg1LjIzOSA2My4yNywwIDAsLTEwNC41MjcgLTIzOC40MiwwIDAsMTA0LjUyNyA2My4yOCwwIDAsMTU3LjcxNSBjIDAsMzIuMTAyIDAsNjAuNTI3IC0xNC42Nyw4OC45NTcgLTE4LjM0LDI2LjU4MiAtNDguNjEsNDAuMzQ0IC03OS43Nyw0MC4zNDQgLTMwLjI2LDAgLTYzLjI4LC0xMi44NDQgLTgyLjUzLC0zNi42NzIgLTIyLjkzLC0yOS4zNTUgLTIyLjkzLC01Ni44NjMgLTIyLjkzLC05Mi42MjkgbCAwLC0xNTcuNzE1IDYzLjI3LDAgMCwtMTA0LjUyNyAtMjM4LjQxLDAgMCwxMDQuNTI3IDYzLjI4LDAgMCwxNTAuMzgzIGMgMCwyOS4zNDggMCw2Ni4wMjMgLTE0LjY3LDkxLjY5OSAtMTUuNTksMjkuMzM2IC00Ny42OSw0NC45MzQgLTgwLjcsNDQuOTM0IC0zMS4xOCwwIC01Ny43NywtMTEuMDA4IC03Ny45NCwtMzUuNzc0IC0yNC43NywtMzAuMjUzIC0yNi42LC02Mi4zNDMgLTI2LjYsLTk5Ljk0MSBsIDAsLTE1MS4zMDEgNjMuMjcsMCAwLC0xMDQuNTI3IC0yMzguNCwwIDAsMTA0LjUyNyA2My4yNiwwIDAsMjgwLjU5OCIKICAgICAgICAgICAgIGlua3NjYXBlOmNvbm5lY3Rvci1jdXJ2YXR1cmU9IjAiCiAgICAgICAgICAgICBpZD0icGF0aDI4IgogICAgICAgICAgICAgc3R5bGU9ImZpbGw6IzhhNDE4MjtmaWxsLW9wYWNpdHk6MTtmaWxsLXJ1bGU6bm9uemVybztzdHJva2U6bm9uZSIgLz48cGF0aAogICAgICAgICAgICAgZD0ibSAzOTk4LjY2LDk1MS41NDcgLTExMS44NywwIDAsMTE4LjI5MyAxMTEuODcsMCAwLC0xMTguMjkzIHogbSAwLC00MzEuODkxIDYzLjI3LDAgMCwtMTA0LjUyNyAtMjM5LjMzLDAgMCwxMDQuNTI3IDY0LjE5LDAgMCwyODAuNTk4IC02My4yNywwIDAsMTA0LjUyNyAxNzUuMTQsMCAwLC0zODUuMTI1IgogICAgICAgICAgICAgaW5rc2NhcGU6Y29ubmVjdG9yLWN1cnZhdHVyZT0iMCIKICAgICAgICAgICAgIGlkPSJwYXRoMzAiCiAgICAgICAgICAgICBzdHlsZT0iZmlsbDojOGE0MTgyO2ZpbGwtb3BhY2l0eToxO2ZpbGwtcnVsZTpub256ZXJvO3N0cm9rZTpub25lIiAvPjxwYXRoCiAgICAgICAgICAgICBkPSJtIDQxNTkuMTIsODAwLjI1NCAtNjMuMjcsMCAwLDEwNC41MjcgMTc1LjE0LDAgMCwtNjkuNjg3IGMgMjkuMzUsNTQuMTAxIDg0LjM2LDgwLjY5OSAxNDQuODcsODAuNjk5IDUzLjE5LDAgMTA1LjQ1LC0yMi4wMTYgMTQxLjIyLC02MC41MjcgNDAuMzQsLTQ0LjkzNCA0MS4yNiwtODguMDMyIDQxLjI2LC0xNDMuOTU3IGwgMCwtMTkxLjY1MyA2My4yNywwIDAsLTEwNC41MjcgLTIzOC40LDAgMCwxMDQuNTI3IDYzLjI2LDAgMCwxNTguNjM3IGMgMCwzMC4yNjIgMCw2MS40MzQgLTE5LjI2LDg4LjAzNSAtMjAuMTcsMjYuNTgyIC01My4xOCwzOS40MTQgLTg2LjE5LDM5LjQxNCAtMzMuOTMsMCAtNjguNzcsLTEzLjc1IC04OC45NCwtNDEuMjUgLTIxLjA5LC0yNy41IC0yMS4wOSwtNjkuNjg3IC0yMS4wOSwtMTAyLjcwNyBsIDAsLTE0Mi4xMjkgNjMuMjYsMCAwLC0xMDQuNTI3IC0yMzguNCwwIDAsMTA0LjUyNyA2My4yNywwIDAsMjgwLjU5OCIKICAgICAgICAgICAgIGlua3NjYXBlOmNvbm5lY3Rvci1jdXJ2YXR1cmU9IjAiCiAgICAgICAgICAgICBpZD0icGF0aDMyIgogICAgICAgICAgICAgc3R5bGU9ImZpbGw6IzhhNDE4MjtmaWxsLW9wYWNpdHk6MTtmaWxsLXJ1bGU6bm9uemVybztzdHJva2U6bm9uZSIgLz48cGF0aAogICAgICAgICAgICAgZD0ibSA1MDgyLjQ4LDcwMy45NjUgYyAtMTkuMjQsNzAuNjA1IC04MS42LDExNS41NDcgLTE1NC4wNCwxMTUuNTQ3IC02Ni4wNCwwIC0xMjkuMywtNTEuMzQ4IC0xNDMuMDUsLTExNS41NDcgbCAyOTcuMDksMCB6IG0gODUuMjcsLTE0NC44ODMgYyAtMzguNTEsLTkzLjUyMyAtMTI5LjI3LC0xNTYuNzkzIC0yMzEuMDUsLTE1Ni43OTMgLTE0My4wNywwIC0yNTcuNjgsMTExLjg3MSAtMjU3LjY4LDI1NS44MzYgMCwxNDQuODgzIDEwOS4xMiwyNjEuMzI4IDI1NC45MSwyNjEuMzI4IDY3Ljg3LDAgMTM1LjcyLC0zMC4yNTggMTgzLjM5LC03OC44NjMgNDguNjIsLTUxLjM0NCA2OC43OSwtMTEzLjY5NSA2OC43OSwtMTgzLjM4MyBsIC0zLjY3LC0zOS40MzQgLTM5Ni4xMywwIGMgMTQuNjcsLTY3Ljg2MyA3Ny4wMywtMTE3LjM2MyAxNDYuNzIsLTExNy4zNjMgNDguNTksMCA5MC43NiwxOC4zMjggMTE4LjI4LDU4LjY3MiBsIDExNi40NCwwIgogICAgICAgICAgICAgaW5rc2NhcGU6Y29ubmVjdG9yLWN1cnZhdHVyZT0iMCIKICAgICAgICAgICAgIGlkPSJwYXRoMzQiCiAgICAgICAgICAgICBzdHlsZT0iZmlsbDojOGE0MTgyO2ZpbGwtb3BhY2l0eToxO2ZpbGwtcnVsZTpub256ZXJvO3N0cm9rZTpub25lIiAvPjxwYXRoCiAgICAgICAgICAgICBkPSJtIDY5MC44OTUsODUwLjcwMyA5MC43NSwwIDIyLjU0MywzMS4wMzUgMCwyNDMuMTIyIC0xMzUuODI5LDAgMCwtMjQzLjE0MSAyMi41MzYsLTMxLjAxNiIKICAgICAgICAgICAgIGlua3NjYXBlOmNvbm5lY3Rvci1jdXJ2YXR1cmU9IjAiCiAgICAgICAgICAgICBpZD0icGF0aDM2IgogICAgICAgICAgICAgc3R5bGU9ImZpbGw6IzhhNDE4MjtmaWxsLW9wYWNpdHk6MTtmaWxsLXJ1bGU6bm9uemVybztzdHJva2U6bm9uZSIgLz48cGF0aAogICAgICAgICAgICAgZD0ibSA2MzIuMzk1LDc0Mi4yNTggMjguMDM5LDg2LjMwNCAtMjIuNTUxLDMxLjA0IC0yMzEuMjIzLDc1LjEyOCAtNDEuOTc2LC0xMjkuMTgzIDIzMS4yNTcsLTc1LjEzNyAzNi40NTQsMTEuODQ4IgogICAgICAgICAgICAgaW5rc2NhcGU6Y29ubmVjdG9yLWN1cnZhdHVyZT0iMCIKICAgICAgICAgICAgIGlkPSJwYXRoMzgiCiAgICAgICAgICAgICBzdHlsZT0iZmlsbDojOGE0MTgyO2ZpbGwtb3BhY2l0eToxO2ZpbGwtcnVsZTpub256ZXJvO3N0cm9rZTpub25lIiAvPjxwYXRoCiAgICAgICAgICAgICBkPSJtIDcxNy40NDksNjUzLjEwNSAtNzMuNDEsNTMuMzYgLTM2LjQ4OCwtMTEuODc1IC0xNDIuOTAzLC0xOTYuNjkyIDEwOS44ODMsLTc5LjgyOCAxNDIuOTE4LDE5Ni43MDMgMCwzOC4zMzIiCiAgICAgICAgICAgICBpbmtzY2FwZTpjb25uZWN0b3ItY3VydmF0dXJlPSIwIgogICAgICAgICAgICAgaWQ9InBhdGg0MCIKICAgICAgICAgICAgIHN0eWxlPSJmaWxsOiM4YTQxODI7ZmlsbC1vcGFjaXR5OjE7ZmlsbC1ydWxlOm5vbnplcm87c3Ryb2tlOm5vbmUiIC8+PHBhdGgKICAgICAgICAgICAgIGQ9Im0gODI4LjUyLDcwNi40NjUgLTczLjQyNiwtNTMuMzQgMC4wMTEsLTM4LjM1OSBMIDg5OC4wMDQsNDE4LjA3IDEwMDcuOSw0OTcuODk4IDg2NC45NzMsNjk0LjYwOSA4MjguNTIsNzA2LjQ2NSIKICAgICAgICAgICAgIGlua3NjYXBlOmNvbm5lY3Rvci1jdXJ2YXR1cmU9IjAiCiAgICAgICAgICAgICBpZD0icGF0aDQyIgogICAgICAgICAgICAgc3R5bGU9ImZpbGw6IzhhNDE4MjtmaWxsLW9wYWNpdHk6MTtmaWxsLXJ1bGU6bm9uemVybztzdHJva2U6bm9uZSIgLz48cGF0aAogICAgICAgICAgICAgZD0ibSA4MTIuMDg2LDgyOC41ODYgMjguMDU1LC04Ni4zMiAzNi40ODQsLTExLjgzNiAyMzEuMjI1LDc1LjExNyAtNDEuOTcsMTI5LjE4MyAtMjMxLjIzOSwtNzUuMTQgLTIyLjU1NSwtMzEuMDA0IgogICAgICAgICAgICAgaW5rc2NhcGU6Y29ubmVjdG9yLWN1cnZhdHVyZT0iMCIKICAgICAgICAgICAgIGlkPSJwYXRoNDQiCiAgICAgICAgICAgICBzdHlsZT0iZmlsbDojOGE0MTgyO2ZpbGwtb3BhY2l0eToxO2ZpbGwtcnVsZTpub256ZXJvO3N0cm9rZTpub25lIiAvPjxwYXRoCiAgICAgICAgICAgICBkPSJtIDczNi4zMDEsMTMzNS44OCBjIC0zMjMuMDQ3LDAgLTU4NS44NzUsLTI2Mi43OCAtNTg1Ljg3NSwtNTg1Ljc4MiAwLC0zMjMuMTE4IDI2Mi44MjgsLTU4NS45NzcgNTg1Ljg3NSwtNTg1Ljk3NyAzMjMuMDE5LDAgNTg1LjgwOSwyNjIuODU5IDU4NS44MDksNTg1Ljk3NyAwLDMyMy4wMDIgLTI2Mi43OSw1ODUuNzgyIC01ODUuODA5LDU4NS43ODIgbCAwLDAgeiBtIDAsLTExOC42MSBjIDI1Ny45NzIsMCA0NjcuMTg5LC0yMDkuMTMgNDY3LjE4OSwtNDY3LjE3MiAwLC0yNTguMTI5IC0yMDkuMjE3LC00NjcuMzQ4IC00NjcuMTg5LC00NjcuMzQ4IC0yNTguMDc0LDAgLTQ2Ny4yNTQsMjA5LjIxOSAtNDY3LjI1NCw0NjcuMzQ4IDAsMjU4LjA0MiAyMDkuMTgsNDY3LjE3MiA0NjcuMjU0LDQ2Ny4xNzIiCiAgICAgICAgICAgICBpbmtzY2FwZTpjb25uZWN0b3ItY3VydmF0dXJlPSIwIgogICAgICAgICAgICAgaWQ9InBhdGg0NiIKICAgICAgICAgICAgIHN0eWxlPSJmaWxsOiM4YTQxODI7ZmlsbC1vcGFjaXR5OjE7ZmlsbC1ydWxlOm5vbnplcm87c3Ryb2tlOm5vbmUiIC8+PHBhdGgKICAgICAgICAgICAgIGQ9Im0gMTA5MS4xMyw2MTkuODgzIC0xNzUuNzcxLDU3LjEyMSAxMS42MjksMzUuODA4IDE3NS43NjIsLTU3LjEyMSAtMTEuNjIsLTM1LjgwOCIKICAgICAgICAgICAgIGlua3NjYXBlOmNvbm5lY3Rvci1jdXJ2YXR1cmU9IjAiCiAgICAgICAgICAgICBpZD0icGF0aDQ4IgogICAgICAgICAgICAgc3R5bGU9ImZpbGw6IzhhNDE4MjtmaWxsLW9wYWNpdHk6MTtmaWxsLXJ1bGU6bm9uemVybztzdHJva2U6bm9uZSIgLz48cGF0aAogICAgICAgICAgICAgZD0iTSA4NjYuOTU3LDkwMi4wNzQgODM2LjUsOTI0LjE5OSA5NDUuMTIxLDEwNzMuNzMgOTc1LjU4NiwxMDUxLjYxIDg2Ni45NTcsOTAyLjA3NCIKICAgICAgICAgICAgIGlua3NjYXBlOmNvbm5lY3Rvci1jdXJ2YXR1cmU9IjAiCiAgICAgICAgICAgICBpZD0icGF0aDUwIgogICAgICAgICAgICAgc3R5bGU9ImZpbGw6IzhhNDE4MjtmaWxsLW9wYWNpdHk6MTtmaWxsLXJ1bGU6bm9uemVybztzdHJva2U6bm9uZSIgLz48cGF0aAogICAgICAgICAgICAgZD0iTSA2MDcuNDY1LDkwMy40NDUgNDk4Ljg1NSwxMDUyLjk3IDUyOS4zMiwxMDc1LjEgNjM3LjkzLDkyNS41NjYgNjA3LjQ2NSw5MDMuNDQ1IgogICAgICAgICAgICAgaW5rc2NhcGU6Y29ubmVjdG9yLWN1cnZhdHVyZT0iMCIKICAgICAgICAgICAgIGlkPSJwYXRoNTIiCiAgICAgICAgICAgICBzdHlsZT0iZmlsbDojOGE0MTgyO2ZpbGwtb3BhY2l0eToxO2ZpbGwtcnVsZTpub256ZXJvO3N0cm9rZTpub25lIiAvPjxwYXRoCiAgICAgICAgICAgICBkPSJtIDM4MC42ODgsNjIyLjEyOSAtMTEuNjI2LDM1LjgwMSAxNzUuNzU4LDU3LjA5IDExLjYyMSwtMzUuODAxIC0xNzUuNzUzLC01Ny4wOSIKICAgICAgICAgICAgIGlua3NjYXBlOmNvbm5lY3Rvci1jdXJ2YXR1cmU9IjAiCiAgICAgICAgICAgICBpZD0icGF0aDU0IgogICAgICAgICAgICAgc3R5bGU9ImZpbGw6IzhhNDE4MjtmaWxsLW9wYWNpdHk6MTtmaWxsLXJ1bGU6bm9uemVybztzdHJva2U6bm9uZSIgLz48cGF0aAogICAgICAgICAgICAgZD0ibSA3MTYuMjg5LDM3Ni41OSAzNy42NDA2LDAgMCwxODQuODE2IC0zNy42NDA2LDAgMCwtMTg0LjgxNiB6IgogICAgICAgICAgICAgaW5rc2NhcGU6Y29ubmVjdG9yLWN1cnZhdHVyZT0iMCIKICAgICAgICAgICAgIGlkPSJwYXRoNTYiCiAgICAgICAgICAgICBzdHlsZT0iZmlsbDojOGE0MTgyO2ZpbGwtb3BhY2l0eToxO2ZpbGwtcnVsZTpub256ZXJvO3N0cm9rZTpub25lIiAvPjwvZz48L2c+PC9nPjwvZz48L3N2Zz4=') no-repeat, none; -webkit-background-size: 100%; -moz-background-size: 100%; -o-background-size: 100%; background-size: 100%; display: block; float: left; width: 90px; height: 25px; } 10 | .jasmine_html-reporter .banner .version { margin-left: 14px; position: relative; top: 6px; } 11 | .jasmine_html-reporter .banner .duration { position: absolute; right: 14px; top: 6px; } 12 | .jasmine_html-reporter #jasmine_content { position: fixed; right: 100%; } 13 | .jasmine_html-reporter .version { color: #aaaaaa; } 14 | .jasmine_html-reporter .banner { margin-top: 14px; } 15 | .jasmine_html-reporter .duration { color: #aaaaaa; float: right; } 16 | .jasmine_html-reporter .symbol-summary { overflow: hidden; *zoom: 1; margin: 14px 0; } 17 | .jasmine_html-reporter .symbol-summary li { display: inline-block; height: 8px; width: 14px; font-size: 16px; } 18 | .jasmine_html-reporter .symbol-summary li.passed { font-size: 14px; } 19 | .jasmine_html-reporter .symbol-summary li.passed:before { color: #007069; content: "\02022"; } 20 | .jasmine_html-reporter .symbol-summary li.failed { line-height: 9px; } 21 | .jasmine_html-reporter .symbol-summary li.failed:before { color: #ca3a11; content: "\d7"; font-weight: bold; margin-left: -1px; } 22 | .jasmine_html-reporter .symbol-summary li.disabled { font-size: 14px; } 23 | .jasmine_html-reporter .symbol-summary li.disabled:before { color: #bababa; content: "\02022"; } 24 | .jasmine_html-reporter .symbol-summary li.pending { line-height: 17px; } 25 | .jasmine_html-reporter .symbol-summary li.pending:before { color: #ba9d37; content: "*"; } 26 | .jasmine_html-reporter .symbol-summary li.empty { font-size: 14px; } 27 | .jasmine_html-reporter .symbol-summary li.empty:before { color: #ba9d37; content: "\02022"; } 28 | .jasmine_html-reporter .exceptions { color: #fff; float: right; margin-top: 5px; margin-right: 5px; } 29 | .jasmine_html-reporter .bar { line-height: 28px; font-size: 14px; display: block; color: #eee; } 30 | .jasmine_html-reporter .bar.failed { background-color: #ca3a11; } 31 | .jasmine_html-reporter .bar.passed { background-color: #007069; } 32 | .jasmine_html-reporter .bar.skipped { background-color: #bababa; } 33 | .jasmine_html-reporter .bar.menu { background-color: #fff; color: #aaaaaa; } 34 | .jasmine_html-reporter .bar.menu a { color: #333333; } 35 | .jasmine_html-reporter .bar a { color: white; } 36 | .jasmine_html-reporter.spec-list .bar.menu.failure-list, .jasmine_html-reporter.spec-list .results .failures { display: none; } 37 | .jasmine_html-reporter.failure-list .bar.menu.spec-list, .jasmine_html-reporter.failure-list .summary { display: none; } 38 | .jasmine_html-reporter .running-alert { background-color: #666666; } 39 | .jasmine_html-reporter .results { margin-top: 14px; } 40 | .jasmine_html-reporter.showDetails .summaryMenuItem { font-weight: normal; text-decoration: inherit; } 41 | .jasmine_html-reporter.showDetails .summaryMenuItem:hover { text-decoration: underline; } 42 | .jasmine_html-reporter.showDetails .detailsMenuItem { font-weight: bold; text-decoration: underline; } 43 | .jasmine_html-reporter.showDetails .summary { display: none; } 44 | .jasmine_html-reporter.showDetails #details { display: block; } 45 | .jasmine_html-reporter .summaryMenuItem { font-weight: bold; text-decoration: underline; } 46 | .jasmine_html-reporter .summary { margin-top: 14px; } 47 | .jasmine_html-reporter .summary ul { list-style-type: none; margin-left: 14px; padding-top: 0; padding-left: 0; } 48 | .jasmine_html-reporter .summary ul.suite { margin-top: 7px; margin-bottom: 7px; } 49 | .jasmine_html-reporter .summary li.passed a { color: #007069; } 50 | .jasmine_html-reporter .summary li.failed a { color: #ca3a11; } 51 | .jasmine_html-reporter .summary li.empty a { color: #ba9d37; } 52 | .jasmine_html-reporter .summary li.pending a { color: #ba9d37; } 53 | .jasmine_html-reporter .description + .suite { margin-top: 0; } 54 | .jasmine_html-reporter .suite { margin-top: 14px; } 55 | .jasmine_html-reporter .suite a { color: #333333; } 56 | .jasmine_html-reporter .failures .spec-detail { margin-bottom: 28px; } 57 | .jasmine_html-reporter .failures .spec-detail .description { background-color: #ca3a11; } 58 | .jasmine_html-reporter .failures .spec-detail .description a { color: white; } 59 | .jasmine_html-reporter .result-message { padding-top: 14px; color: #333333; white-space: pre; } 60 | .jasmine_html-reporter .result-message span.result { display: block; } 61 | .jasmine_html-reporter .stack-trace { margin: 5px 0 0 0; max-height: 224px; overflow: auto; line-height: 18px; color: #666666; border: 1px solid #ddd; background: white; white-space: pre; } 62 | -------------------------------------------------------------------------------- /lib/jasmine/jasmine.js: -------------------------------------------------------------------------------- 1 | /* 2 | Copyright (c) 2008-2014 Pivotal Labs 3 | 4 | Permission is hereby granted, free of charge, to any person obtaining 5 | a copy of this software and associated documentation files (the 6 | "Software"), to deal in the Software without restriction, including 7 | without limitation the rights to use, copy, modify, merge, publish, 8 | distribute, sublicense, and/or sell copies of the Software, and to 9 | permit persons to whom the Software is furnished to do so, subject to 10 | the following conditions: 11 | 12 | The above copyright notice and this permission notice shall be 13 | included in all copies or substantial portions of the Software. 14 | 15 | THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, 16 | EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF 17 | MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND 18 | NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE 19 | LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION 20 | OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION 21 | WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. 22 | */ 23 | function getJasmineRequireObj() { 24 | if (typeof module !== 'undefined' && module.exports) { 25 | return exports; 26 | } else { 27 | window.jasmineRequire = window.jasmineRequire || {}; 28 | return window.jasmineRequire; 29 | } 30 | } 31 | 32 | getJasmineRequireObj().core = function(jRequire) { 33 | var j$ = {}; 34 | 35 | jRequire.base(j$); 36 | j$.util = jRequire.util(); 37 | j$.Any = jRequire.Any(); 38 | j$.CallTracker = jRequire.CallTracker(); 39 | j$.MockDate = jRequire.MockDate(); 40 | j$.Clock = jRequire.Clock(); 41 | j$.DelayedFunctionScheduler = jRequire.DelayedFunctionScheduler(); 42 | j$.Env = jRequire.Env(j$); 43 | j$.ExceptionFormatter = jRequire.ExceptionFormatter(); 44 | j$.Expectation = jRequire.Expectation(); 45 | j$.buildExpectationResult = jRequire.buildExpectationResult(); 46 | j$.JsApiReporter = jRequire.JsApiReporter(); 47 | j$.matchersUtil = jRequire.matchersUtil(j$); 48 | j$.ObjectContaining = jRequire.ObjectContaining(j$); 49 | j$.pp = jRequire.pp(j$); 50 | j$.QueueRunner = jRequire.QueueRunner(j$); 51 | j$.ReportDispatcher = jRequire.ReportDispatcher(); 52 | j$.Spec = jRequire.Spec(j$); 53 | j$.SpyStrategy = jRequire.SpyStrategy(); 54 | j$.Suite = jRequire.Suite(); 55 | j$.Timer = jRequire.Timer(); 56 | j$.version = jRequire.version(); 57 | 58 | j$.matchers = jRequire.requireMatchers(jRequire, j$); 59 | 60 | return j$; 61 | }; 62 | 63 | getJasmineRequireObj().requireMatchers = function(jRequire, j$) { 64 | var availableMatchers = [ 65 | 'toBe', 66 | 'toBeCloseTo', 67 | 'toBeDefined', 68 | 'toBeFalsy', 69 | 'toBeGreaterThan', 70 | 'toBeLessThan', 71 | 'toBeNaN', 72 | 'toBeNull', 73 | 'toBeTruthy', 74 | 'toBeUndefined', 75 | 'toContain', 76 | 'toEqual', 77 | 'toHaveBeenCalled', 78 | 'toHaveBeenCalledWith', 79 | 'toMatch', 80 | 'toThrow', 81 | 'toThrowError' 82 | ], 83 | matchers = {}; 84 | 85 | for (var i = 0; i < availableMatchers.length; i++) { 86 | var name = availableMatchers[i]; 87 | matchers[name] = jRequire[name](j$); 88 | } 89 | 90 | return matchers; 91 | }; 92 | 93 | getJasmineRequireObj().base = (function (jasmineGlobal) { 94 | if (typeof module !== 'undefined' && module.exports) { 95 | jasmineGlobal = global; 96 | } 97 | 98 | return function(j$) { 99 | j$.unimplementedMethod_ = function() { 100 | throw new Error('unimplemented method'); 101 | }; 102 | 103 | j$.MAX_PRETTY_PRINT_DEPTH = 40; 104 | j$.MAX_PRETTY_PRINT_ARRAY_LENGTH = 100; 105 | j$.DEFAULT_TIMEOUT_INTERVAL = 5000; 106 | 107 | j$.getGlobal = function() { 108 | return jasmineGlobal; 109 | }; 110 | 111 | j$.getEnv = function(options) { 112 | var env = j$.currentEnv_ = j$.currentEnv_ || new j$.Env(options); 113 | //jasmine. singletons in here (setTimeout blah blah). 114 | return env; 115 | }; 116 | 117 | j$.isArray_ = function(value) { 118 | return j$.isA_('Array', value); 119 | }; 120 | 121 | j$.isString_ = function(value) { 122 | return j$.isA_('String', value); 123 | }; 124 | 125 | j$.isNumber_ = function(value) { 126 | return j$.isA_('Number', value); 127 | }; 128 | 129 | j$.isA_ = function(typeName, value) { 130 | return Object.prototype.toString.apply(value) === '[object ' + typeName + ']'; 131 | }; 132 | 133 | j$.isDomNode = function(obj) { 134 | return obj.nodeType > 0; 135 | }; 136 | 137 | j$.any = function(clazz) { 138 | return new j$.Any(clazz); 139 | }; 140 | 141 | j$.objectContaining = function(sample) { 142 | return new j$.ObjectContaining(sample); 143 | }; 144 | 145 | j$.createSpy = function(name, originalFn) { 146 | 147 | var spyStrategy = new j$.SpyStrategy({ 148 | name: name, 149 | fn: originalFn, 150 | getSpy: function() { return spy; } 151 | }), 152 | callTracker = new j$.CallTracker(), 153 | spy = function() { 154 | callTracker.track({ 155 | object: this, 156 | args: Array.prototype.slice.apply(arguments) 157 | }); 158 | return spyStrategy.exec.apply(this, arguments); 159 | }; 160 | 161 | for (var prop in originalFn) { 162 | if (prop === 'and' || prop === 'calls') { 163 | throw new Error('Jasmine spies would overwrite the \'and\' and \'calls\' properties on the object being spied upon'); 164 | } 165 | 166 | spy[prop] = originalFn[prop]; 167 | } 168 | 169 | spy.and = spyStrategy; 170 | spy.calls = callTracker; 171 | 172 | return spy; 173 | }; 174 | 175 | j$.isSpy = function(putativeSpy) { 176 | if (!putativeSpy) { 177 | return false; 178 | } 179 | return putativeSpy.and instanceof j$.SpyStrategy && 180 | putativeSpy.calls instanceof j$.CallTracker; 181 | }; 182 | 183 | j$.createSpyObj = function(baseName, methodNames) { 184 | if (!j$.isArray_(methodNames) || methodNames.length === 0) { 185 | throw 'createSpyObj requires a non-empty array of method names to create spies for'; 186 | } 187 | var obj = {}; 188 | for (var i = 0; i < methodNames.length; i++) { 189 | obj[methodNames[i]] = j$.createSpy(baseName + '.' + methodNames[i]); 190 | } 191 | return obj; 192 | }; 193 | }; 194 | })(this); 195 | 196 | getJasmineRequireObj().util = function() { 197 | 198 | var util = {}; 199 | 200 | util.inherit = function(childClass, parentClass) { 201 | var Subclass = function() { 202 | }; 203 | Subclass.prototype = parentClass.prototype; 204 | childClass.prototype = new Subclass(); 205 | }; 206 | 207 | util.htmlEscape = function(str) { 208 | if (!str) { 209 | return str; 210 | } 211 | return str.replace(/&/g, '&') 212 | .replace(//g, '>'); 214 | }; 215 | 216 | util.argsToArray = function(args) { 217 | var arrayOfArgs = []; 218 | for (var i = 0; i < args.length; i++) { 219 | arrayOfArgs.push(args[i]); 220 | } 221 | return arrayOfArgs; 222 | }; 223 | 224 | util.isUndefined = function(obj) { 225 | return obj === void 0; 226 | }; 227 | 228 | util.arrayContains = function(array, search) { 229 | var i = array.length; 230 | while (i--) { 231 | if (array[i] == search) { 232 | return true; 233 | } 234 | } 235 | return false; 236 | }; 237 | 238 | return util; 239 | }; 240 | 241 | getJasmineRequireObj().Spec = function(j$) { 242 | function Spec(attrs) { 243 | this.expectationFactory = attrs.expectationFactory; 244 | this.resultCallback = attrs.resultCallback || function() {}; 245 | this.id = attrs.id; 246 | this.description = attrs.description || ''; 247 | this.fn = attrs.fn; 248 | this.beforeFns = attrs.beforeFns || function() { return []; }; 249 | this.afterFns = attrs.afterFns || function() { return []; }; 250 | this.onStart = attrs.onStart || function() {}; 251 | this.exceptionFormatter = attrs.exceptionFormatter || function() {}; 252 | this.getSpecName = attrs.getSpecName || function() { return ''; }; 253 | this.expectationResultFactory = attrs.expectationResultFactory || function() { }; 254 | this.queueRunnerFactory = attrs.queueRunnerFactory || function() {}; 255 | this.catchingExceptions = attrs.catchingExceptions || function() { return true; }; 256 | 257 | if (!this.fn) { 258 | this.pend(); 259 | } 260 | 261 | this.result = { 262 | id: this.id, 263 | description: this.description, 264 | fullName: this.getFullName(), 265 | failedExpectations: [], 266 | passedExpectations: [] 267 | }; 268 | } 269 | 270 | Spec.prototype.addExpectationResult = function(passed, data) { 271 | var expectationResult = this.expectationResultFactory(data); 272 | if (passed) { 273 | this.result.passedExpectations.push(expectationResult); 274 | } else { 275 | this.result.failedExpectations.push(expectationResult); 276 | } 277 | }; 278 | 279 | Spec.prototype.expect = function(actual) { 280 | return this.expectationFactory(actual, this); 281 | }; 282 | 283 | Spec.prototype.execute = function(onComplete) { 284 | var self = this; 285 | 286 | this.onStart(this); 287 | 288 | if (this.markedPending || this.disabled) { 289 | complete(); 290 | return; 291 | } 292 | 293 | var allFns = this.beforeFns().concat(this.fn).concat(this.afterFns()); 294 | 295 | this.queueRunnerFactory({ 296 | fns: allFns, 297 | onException: onException, 298 | onComplete: complete, 299 | enforceTimeout: function() { return true; } 300 | }); 301 | 302 | function onException(e) { 303 | if (Spec.isPendingSpecException(e)) { 304 | self.pend(); 305 | return; 306 | } 307 | 308 | self.addExpectationResult(false, { 309 | matcherName: '', 310 | passed: false, 311 | expected: '', 312 | actual: '', 313 | error: e 314 | }); 315 | } 316 | 317 | function complete() { 318 | self.result.status = self.status(); 319 | self.resultCallback(self.result); 320 | 321 | if (onComplete) { 322 | onComplete(); 323 | } 324 | } 325 | }; 326 | 327 | Spec.prototype.disable = function() { 328 | this.disabled = true; 329 | }; 330 | 331 | Spec.prototype.pend = function() { 332 | this.markedPending = true; 333 | }; 334 | 335 | Spec.prototype.status = function() { 336 | if (this.disabled) { 337 | return 'disabled'; 338 | } 339 | 340 | if (this.markedPending) { 341 | return 'pending'; 342 | } 343 | 344 | if (this.result.failedExpectations.length > 0) { 345 | return 'failed'; 346 | } else { 347 | return 'passed'; 348 | } 349 | }; 350 | 351 | Spec.prototype.getFullName = function() { 352 | return this.getSpecName(this); 353 | }; 354 | 355 | Spec.pendingSpecExceptionMessage = '=> marked Pending'; 356 | 357 | Spec.isPendingSpecException = function(e) { 358 | return !!(e && e.toString && e.toString().indexOf(Spec.pendingSpecExceptionMessage) !== -1); 359 | }; 360 | 361 | return Spec; 362 | }; 363 | 364 | if (typeof window == void 0 && typeof exports == 'object') { 365 | exports.Spec = jasmineRequire.Spec; 366 | } 367 | 368 | getJasmineRequireObj().Env = function(j$) { 369 | function Env(options) { 370 | options = options || {}; 371 | 372 | var self = this; 373 | var global = options.global || j$.getGlobal(); 374 | 375 | var totalSpecsDefined = 0; 376 | 377 | var catchExceptions = true; 378 | 379 | var realSetTimeout = j$.getGlobal().setTimeout; 380 | var realClearTimeout = j$.getGlobal().clearTimeout; 381 | this.clock = new j$.Clock(global, new j$.DelayedFunctionScheduler(), new j$.MockDate(global)); 382 | 383 | var runnableLookupTable = {}; 384 | 385 | var spies = []; 386 | 387 | var currentSpec = null; 388 | var currentSuite = null; 389 | 390 | var reporter = new j$.ReportDispatcher([ 391 | 'jasmineStarted', 392 | 'jasmineDone', 393 | 'suiteStarted', 394 | 'suiteDone', 395 | 'specStarted', 396 | 'specDone' 397 | ]); 398 | 399 | this.specFilter = function() { 400 | return true; 401 | }; 402 | 403 | var equalityTesters = []; 404 | 405 | var customEqualityTesters = []; 406 | this.addCustomEqualityTester = function(tester) { 407 | customEqualityTesters.push(tester); 408 | }; 409 | 410 | j$.Expectation.addCoreMatchers(j$.matchers); 411 | 412 | var nextSpecId = 0; 413 | var getNextSpecId = function() { 414 | return 'spec' + nextSpecId++; 415 | }; 416 | 417 | var nextSuiteId = 0; 418 | var getNextSuiteId = function() { 419 | return 'suite' + nextSuiteId++; 420 | }; 421 | 422 | var expectationFactory = function(actual, spec) { 423 | return j$.Expectation.Factory({ 424 | util: j$.matchersUtil, 425 | customEqualityTesters: customEqualityTesters, 426 | actual: actual, 427 | addExpectationResult: addExpectationResult 428 | }); 429 | 430 | function addExpectationResult(passed, result) { 431 | return spec.addExpectationResult(passed, result); 432 | } 433 | }; 434 | 435 | var specStarted = function(spec) { 436 | currentSpec = spec; 437 | reporter.specStarted(spec.result); 438 | }; 439 | 440 | var beforeFns = function(suite) { 441 | return function() { 442 | var befores = []; 443 | while(suite) { 444 | befores = befores.concat(suite.beforeFns); 445 | suite = suite.parentSuite; 446 | } 447 | return befores.reverse(); 448 | }; 449 | }; 450 | 451 | var afterFns = function(suite) { 452 | return function() { 453 | var afters = []; 454 | while(suite) { 455 | afters = afters.concat(suite.afterFns); 456 | suite = suite.parentSuite; 457 | } 458 | return afters; 459 | }; 460 | }; 461 | 462 | var getSpecName = function(spec, suite) { 463 | return suite.getFullName() + ' ' + spec.description; 464 | }; 465 | 466 | // TODO: we may just be able to pass in the fn instead of wrapping here 467 | var buildExpectationResult = j$.buildExpectationResult, 468 | exceptionFormatter = new j$.ExceptionFormatter(), 469 | expectationResultFactory = function(attrs) { 470 | attrs.messageFormatter = exceptionFormatter.message; 471 | attrs.stackFormatter = exceptionFormatter.stack; 472 | 473 | return buildExpectationResult(attrs); 474 | }; 475 | 476 | // TODO: fix this naming, and here's where the value comes in 477 | this.catchExceptions = function(value) { 478 | catchExceptions = !!value; 479 | return catchExceptions; 480 | }; 481 | 482 | this.catchingExceptions = function() { 483 | return catchExceptions; 484 | }; 485 | 486 | var maximumSpecCallbackDepth = 20; 487 | var currentSpecCallbackDepth = 0; 488 | 489 | function clearStack(fn) { 490 | currentSpecCallbackDepth++; 491 | if (currentSpecCallbackDepth >= maximumSpecCallbackDepth) { 492 | currentSpecCallbackDepth = 0; 493 | realSetTimeout(fn, 0); 494 | } else { 495 | fn(); 496 | } 497 | } 498 | 499 | var catchException = function(e) { 500 | return j$.Spec.isPendingSpecException(e) || catchExceptions; 501 | }; 502 | 503 | var queueRunnerFactory = function(options) { 504 | options.catchException = catchException; 505 | options.clearStack = options.clearStack || clearStack; 506 | options.timer = {setTimeout: realSetTimeout, clearTimeout: realClearTimeout}; 507 | 508 | new j$.QueueRunner(options).execute(); 509 | }; 510 | 511 | var topSuite = new j$.Suite({ 512 | env: this, 513 | id: getNextSuiteId(), 514 | description: 'Jasmine__TopLevel__Suite', 515 | queueRunner: queueRunnerFactory, 516 | resultCallback: function() {} // TODO - hook this up 517 | }); 518 | runnableLookupTable[topSuite.id] = topSuite; 519 | currentSuite = topSuite; 520 | 521 | this.topSuite = function() { 522 | return topSuite; 523 | }; 524 | 525 | this.execute = function(runnablesToRun) { 526 | runnablesToRun = runnablesToRun || [topSuite.id]; 527 | 528 | var allFns = []; 529 | for(var i = 0; i < runnablesToRun.length; i++) { 530 | var runnable = runnableLookupTable[runnablesToRun[i]]; 531 | allFns.push((function(runnable) { return function(done) { runnable.execute(done); }; })(runnable)); 532 | } 533 | 534 | reporter.jasmineStarted({ 535 | totalSpecsDefined: totalSpecsDefined 536 | }); 537 | 538 | queueRunnerFactory({fns: allFns, onComplete: reporter.jasmineDone}); 539 | }; 540 | 541 | this.addReporter = function(reporterToAdd) { 542 | reporter.addReporter(reporterToAdd); 543 | }; 544 | 545 | this.addMatchers = function(matchersToAdd) { 546 | j$.Expectation.addMatchers(matchersToAdd); 547 | }; 548 | 549 | this.spyOn = function(obj, methodName) { 550 | if (j$.util.isUndefined(obj)) { 551 | throw new Error('spyOn could not find an object to spy upon for ' + methodName + '()'); 552 | } 553 | 554 | if (j$.util.isUndefined(obj[methodName])) { 555 | throw new Error(methodName + '() method does not exist'); 556 | } 557 | 558 | if (obj[methodName] && j$.isSpy(obj[methodName])) { 559 | //TODO?: should this return the current spy? Downside: may cause user confusion about spy state 560 | throw new Error(methodName + ' has already been spied upon'); 561 | } 562 | 563 | var spy = j$.createSpy(methodName, obj[methodName]); 564 | 565 | spies.push({ 566 | spy: spy, 567 | baseObj: obj, 568 | methodName: methodName, 569 | originalValue: obj[methodName] 570 | }); 571 | 572 | obj[methodName] = spy; 573 | 574 | return spy; 575 | }; 576 | 577 | var suiteFactory = function(description) { 578 | var suite = new j$.Suite({ 579 | env: self, 580 | id: getNextSuiteId(), 581 | description: description, 582 | parentSuite: currentSuite, 583 | queueRunner: queueRunnerFactory, 584 | onStart: suiteStarted, 585 | resultCallback: function(attrs) { 586 | reporter.suiteDone(attrs); 587 | } 588 | }); 589 | 590 | runnableLookupTable[suite.id] = suite; 591 | return suite; 592 | }; 593 | 594 | this.describe = function(description, specDefinitions) { 595 | var suite = suiteFactory(description); 596 | 597 | var parentSuite = currentSuite; 598 | parentSuite.addChild(suite); 599 | currentSuite = suite; 600 | 601 | var declarationError = null; 602 | try { 603 | specDefinitions.call(suite); 604 | } catch (e) { 605 | declarationError = e; 606 | } 607 | 608 | if (declarationError) { 609 | this.it('encountered a declaration exception', function() { 610 | throw declarationError; 611 | }); 612 | } 613 | 614 | currentSuite = parentSuite; 615 | 616 | return suite; 617 | }; 618 | 619 | this.xdescribe = function(description, specDefinitions) { 620 | var suite = this.describe(description, specDefinitions); 621 | suite.disable(); 622 | return suite; 623 | }; 624 | 625 | var specFactory = function(description, fn, suite) { 626 | totalSpecsDefined++; 627 | 628 | var spec = new j$.Spec({ 629 | id: getNextSpecId(), 630 | beforeFns: beforeFns(suite), 631 | afterFns: afterFns(suite), 632 | expectationFactory: expectationFactory, 633 | exceptionFormatter: exceptionFormatter, 634 | resultCallback: specResultCallback, 635 | getSpecName: function(spec) { 636 | return getSpecName(spec, suite); 637 | }, 638 | onStart: specStarted, 639 | description: description, 640 | expectationResultFactory: expectationResultFactory, 641 | queueRunnerFactory: queueRunnerFactory, 642 | fn: fn 643 | }); 644 | 645 | runnableLookupTable[spec.id] = spec; 646 | 647 | if (!self.specFilter(spec)) { 648 | spec.disable(); 649 | } 650 | 651 | return spec; 652 | 653 | function removeAllSpies() { 654 | for (var i = 0; i < spies.length; i++) { 655 | var spyEntry = spies[i]; 656 | spyEntry.baseObj[spyEntry.methodName] = spyEntry.originalValue; 657 | } 658 | spies = []; 659 | } 660 | 661 | function specResultCallback(result) { 662 | removeAllSpies(); 663 | j$.Expectation.resetMatchers(); 664 | customEqualityTesters = []; 665 | currentSpec = null; 666 | reporter.specDone(result); 667 | } 668 | }; 669 | 670 | var suiteStarted = function(suite) { 671 | reporter.suiteStarted(suite.result); 672 | }; 673 | 674 | this.it = function(description, fn) { 675 | var spec = specFactory(description, fn, currentSuite); 676 | currentSuite.addChild(spec); 677 | return spec; 678 | }; 679 | 680 | this.xit = function(description, fn) { 681 | var spec = this.it(description, fn); 682 | spec.pend(); 683 | return spec; 684 | }; 685 | 686 | this.expect = function(actual) { 687 | if (!currentSpec) { 688 | throw new Error('\'expect\' was used when there was no current spec, this could be because an asynchronous test timed out'); 689 | } 690 | 691 | return currentSpec.expect(actual); 692 | }; 693 | 694 | this.beforeEach = function(beforeEachFunction) { 695 | currentSuite.beforeEach(beforeEachFunction); 696 | }; 697 | 698 | this.afterEach = function(afterEachFunction) { 699 | currentSuite.afterEach(afterEachFunction); 700 | }; 701 | 702 | this.pending = function() { 703 | throw j$.Spec.pendingSpecExceptionMessage; 704 | }; 705 | } 706 | 707 | return Env; 708 | }; 709 | 710 | getJasmineRequireObj().JsApiReporter = function() { 711 | 712 | var noopTimer = { 713 | start: function(){}, 714 | elapsed: function(){ return 0; } 715 | }; 716 | 717 | function JsApiReporter(options) { 718 | var timer = options.timer || noopTimer, 719 | status = 'loaded'; 720 | 721 | this.started = false; 722 | this.finished = false; 723 | 724 | this.jasmineStarted = function() { 725 | this.started = true; 726 | status = 'started'; 727 | timer.start(); 728 | }; 729 | 730 | var executionTime; 731 | 732 | this.jasmineDone = function() { 733 | this.finished = true; 734 | executionTime = timer.elapsed(); 735 | status = 'done'; 736 | }; 737 | 738 | this.status = function() { 739 | return status; 740 | }; 741 | 742 | var suites = {}; 743 | 744 | this.suiteStarted = function(result) { 745 | storeSuite(result); 746 | }; 747 | 748 | this.suiteDone = function(result) { 749 | storeSuite(result); 750 | }; 751 | 752 | function storeSuite(result) { 753 | suites[result.id] = result; 754 | } 755 | 756 | this.suites = function() { 757 | return suites; 758 | }; 759 | 760 | var specs = []; 761 | this.specStarted = function(result) { }; 762 | 763 | this.specDone = function(result) { 764 | specs.push(result); 765 | }; 766 | 767 | this.specResults = function(index, length) { 768 | return specs.slice(index, index + length); 769 | }; 770 | 771 | this.specs = function() { 772 | return specs; 773 | }; 774 | 775 | this.executionTime = function() { 776 | return executionTime; 777 | }; 778 | 779 | } 780 | 781 | return JsApiReporter; 782 | }; 783 | 784 | getJasmineRequireObj().Any = function() { 785 | 786 | function Any(expectedObject) { 787 | this.expectedObject = expectedObject; 788 | } 789 | 790 | Any.prototype.jasmineMatches = function(other) { 791 | if (this.expectedObject == String) { 792 | return typeof other == 'string' || other instanceof String; 793 | } 794 | 795 | if (this.expectedObject == Number) { 796 | return typeof other == 'number' || other instanceof Number; 797 | } 798 | 799 | if (this.expectedObject == Function) { 800 | return typeof other == 'function' || other instanceof Function; 801 | } 802 | 803 | if (this.expectedObject == Object) { 804 | return typeof other == 'object'; 805 | } 806 | 807 | if (this.expectedObject == Boolean) { 808 | return typeof other == 'boolean'; 809 | } 810 | 811 | return other instanceof this.expectedObject; 812 | }; 813 | 814 | Any.prototype.jasmineToString = function() { 815 | return ''; 816 | }; 817 | 818 | return Any; 819 | }; 820 | 821 | getJasmineRequireObj().CallTracker = function() { 822 | 823 | function CallTracker() { 824 | var calls = []; 825 | 826 | this.track = function(context) { 827 | calls.push(context); 828 | }; 829 | 830 | this.any = function() { 831 | return !!calls.length; 832 | }; 833 | 834 | this.count = function() { 835 | return calls.length; 836 | }; 837 | 838 | this.argsFor = function(index) { 839 | var call = calls[index]; 840 | return call ? call.args : []; 841 | }; 842 | 843 | this.all = function() { 844 | return calls; 845 | }; 846 | 847 | this.allArgs = function() { 848 | var callArgs = []; 849 | for(var i = 0; i < calls.length; i++){ 850 | callArgs.push(calls[i].args); 851 | } 852 | 853 | return callArgs; 854 | }; 855 | 856 | this.first = function() { 857 | return calls[0]; 858 | }; 859 | 860 | this.mostRecent = function() { 861 | return calls[calls.length - 1]; 862 | }; 863 | 864 | this.reset = function() { 865 | calls = []; 866 | }; 867 | } 868 | 869 | return CallTracker; 870 | }; 871 | 872 | getJasmineRequireObj().Clock = function() { 873 | function Clock(global, delayedFunctionScheduler, mockDate) { 874 | var self = this, 875 | realTimingFunctions = { 876 | setTimeout: global.setTimeout, 877 | clearTimeout: global.clearTimeout, 878 | setInterval: global.setInterval, 879 | clearInterval: global.clearInterval 880 | }, 881 | fakeTimingFunctions = { 882 | setTimeout: setTimeout, 883 | clearTimeout: clearTimeout, 884 | setInterval: setInterval, 885 | clearInterval: clearInterval 886 | }, 887 | installed = false, 888 | timer; 889 | 890 | 891 | self.install = function() { 892 | replace(global, fakeTimingFunctions); 893 | timer = fakeTimingFunctions; 894 | installed = true; 895 | 896 | return self; 897 | }; 898 | 899 | self.uninstall = function() { 900 | delayedFunctionScheduler.reset(); 901 | mockDate.uninstall(); 902 | replace(global, realTimingFunctions); 903 | 904 | timer = realTimingFunctions; 905 | installed = false; 906 | }; 907 | 908 | self.mockDate = function(initialDate) { 909 | mockDate.install(initialDate); 910 | }; 911 | 912 | self.setTimeout = function(fn, delay, params) { 913 | if (legacyIE()) { 914 | if (arguments.length > 2) { 915 | throw new Error('IE < 9 cannot support extra params to setTimeout without a polyfill'); 916 | } 917 | return timer.setTimeout(fn, delay); 918 | } 919 | return Function.prototype.apply.apply(timer.setTimeout, [global, arguments]); 920 | }; 921 | 922 | self.setInterval = function(fn, delay, params) { 923 | if (legacyIE()) { 924 | if (arguments.length > 2) { 925 | throw new Error('IE < 9 cannot support extra params to setInterval without a polyfill'); 926 | } 927 | return timer.setInterval(fn, delay); 928 | } 929 | return Function.prototype.apply.apply(timer.setInterval, [global, arguments]); 930 | }; 931 | 932 | self.clearTimeout = function(id) { 933 | return Function.prototype.call.apply(timer.clearTimeout, [global, id]); 934 | }; 935 | 936 | self.clearInterval = function(id) { 937 | return Function.prototype.call.apply(timer.clearInterval, [global, id]); 938 | }; 939 | 940 | self.tick = function(millis) { 941 | if (installed) { 942 | mockDate.tick(millis); 943 | delayedFunctionScheduler.tick(millis); 944 | } else { 945 | throw new Error('Mock clock is not installed, use jasmine.clock().install()'); 946 | } 947 | }; 948 | 949 | return self; 950 | 951 | function legacyIE() { 952 | //if these methods are polyfilled, apply will be present 953 | return !(realTimingFunctions.setTimeout || realTimingFunctions.setInterval).apply; 954 | } 955 | 956 | function replace(dest, source) { 957 | for (var prop in source) { 958 | dest[prop] = source[prop]; 959 | } 960 | } 961 | 962 | function setTimeout(fn, delay) { 963 | return delayedFunctionScheduler.scheduleFunction(fn, delay, argSlice(arguments, 2)); 964 | } 965 | 966 | function clearTimeout(id) { 967 | return delayedFunctionScheduler.removeFunctionWithId(id); 968 | } 969 | 970 | function setInterval(fn, interval) { 971 | return delayedFunctionScheduler.scheduleFunction(fn, interval, argSlice(arguments, 2), true); 972 | } 973 | 974 | function clearInterval(id) { 975 | return delayedFunctionScheduler.removeFunctionWithId(id); 976 | } 977 | 978 | function argSlice(argsObj, n) { 979 | return Array.prototype.slice.call(argsObj, n); 980 | } 981 | } 982 | 983 | return Clock; 984 | }; 985 | 986 | getJasmineRequireObj().DelayedFunctionScheduler = function() { 987 | function DelayedFunctionScheduler() { 988 | var self = this; 989 | var scheduledLookup = []; 990 | var scheduledFunctions = {}; 991 | var currentTime = 0; 992 | var delayedFnCount = 0; 993 | 994 | self.tick = function(millis) { 995 | millis = millis || 0; 996 | var endTime = currentTime + millis; 997 | 998 | runScheduledFunctions(endTime); 999 | currentTime = endTime; 1000 | }; 1001 | 1002 | self.scheduleFunction = function(funcToCall, millis, params, recurring, timeoutKey, runAtMillis) { 1003 | var f; 1004 | if (typeof(funcToCall) === 'string') { 1005 | /* jshint evil: true */ 1006 | f = function() { return eval(funcToCall); }; 1007 | /* jshint evil: false */ 1008 | } else { 1009 | f = funcToCall; 1010 | } 1011 | 1012 | millis = millis || 0; 1013 | timeoutKey = timeoutKey || ++delayedFnCount; 1014 | runAtMillis = runAtMillis || (currentTime + millis); 1015 | 1016 | var funcToSchedule = { 1017 | runAtMillis: runAtMillis, 1018 | funcToCall: f, 1019 | recurring: recurring, 1020 | params: params, 1021 | timeoutKey: timeoutKey, 1022 | millis: millis 1023 | }; 1024 | 1025 | if (runAtMillis in scheduledFunctions) { 1026 | scheduledFunctions[runAtMillis].push(funcToSchedule); 1027 | } else { 1028 | scheduledFunctions[runAtMillis] = [funcToSchedule]; 1029 | scheduledLookup.push(runAtMillis); 1030 | scheduledLookup.sort(function (a, b) { 1031 | return a - b; 1032 | }); 1033 | } 1034 | 1035 | return timeoutKey; 1036 | }; 1037 | 1038 | self.removeFunctionWithId = function(timeoutKey) { 1039 | for (var runAtMillis in scheduledFunctions) { 1040 | var funcs = scheduledFunctions[runAtMillis]; 1041 | var i = indexOfFirstToPass(funcs, function (func) { 1042 | return func.timeoutKey === timeoutKey; 1043 | }); 1044 | 1045 | if (i > -1) { 1046 | if (funcs.length === 1) { 1047 | delete scheduledFunctions[runAtMillis]; 1048 | deleteFromLookup(runAtMillis); 1049 | } else { 1050 | funcs.splice(i, 1); 1051 | } 1052 | 1053 | // intervals get rescheduled when executed, so there's never more 1054 | // than a single scheduled function with a given timeoutKey 1055 | break; 1056 | } 1057 | } 1058 | }; 1059 | 1060 | self.reset = function() { 1061 | currentTime = 0; 1062 | scheduledLookup = []; 1063 | scheduledFunctions = {}; 1064 | delayedFnCount = 0; 1065 | }; 1066 | 1067 | return self; 1068 | 1069 | function indexOfFirstToPass(array, testFn) { 1070 | var index = -1; 1071 | 1072 | for (var i = 0; i < array.length; ++i) { 1073 | if (testFn(array[i])) { 1074 | index = i; 1075 | break; 1076 | } 1077 | } 1078 | 1079 | return index; 1080 | } 1081 | 1082 | function deleteFromLookup(key) { 1083 | var value = Number(key); 1084 | var i = indexOfFirstToPass(scheduledLookup, function (millis) { 1085 | return millis === value; 1086 | }); 1087 | 1088 | if (i > -1) { 1089 | scheduledLookup.splice(i, 1); 1090 | } 1091 | } 1092 | 1093 | function reschedule(scheduledFn) { 1094 | self.scheduleFunction(scheduledFn.funcToCall, 1095 | scheduledFn.millis, 1096 | scheduledFn.params, 1097 | true, 1098 | scheduledFn.timeoutKey, 1099 | scheduledFn.runAtMillis + scheduledFn.millis); 1100 | } 1101 | 1102 | function runScheduledFunctions(endTime) { 1103 | if (scheduledLookup.length === 0 || scheduledLookup[0] > endTime) { 1104 | return; 1105 | } 1106 | 1107 | do { 1108 | currentTime = scheduledLookup.shift(); 1109 | 1110 | var funcsToRun = scheduledFunctions[currentTime]; 1111 | delete scheduledFunctions[currentTime]; 1112 | 1113 | for (var i = 0; i < funcsToRun.length; ++i) { 1114 | var funcToRun = funcsToRun[i]; 1115 | funcToRun.funcToCall.apply(null, funcToRun.params || []); 1116 | 1117 | if (funcToRun.recurring) { 1118 | reschedule(funcToRun); 1119 | } 1120 | } 1121 | } while (scheduledLookup.length > 0 && 1122 | // checking first if we're out of time prevents setTimeout(0) 1123 | // scheduled in a funcToRun from forcing an extra iteration 1124 | currentTime !== endTime && 1125 | scheduledLookup[0] <= endTime); 1126 | } 1127 | } 1128 | 1129 | return DelayedFunctionScheduler; 1130 | }; 1131 | 1132 | getJasmineRequireObj().ExceptionFormatter = function() { 1133 | function ExceptionFormatter() { 1134 | this.message = function(error) { 1135 | var message = ''; 1136 | 1137 | if (error.name && error.message) { 1138 | message += error.name + ': ' + error.message; 1139 | } else { 1140 | message += error.toString() + ' thrown'; 1141 | } 1142 | 1143 | if (error.fileName || error.sourceURL) { 1144 | message += ' in ' + (error.fileName || error.sourceURL); 1145 | } 1146 | 1147 | if (error.line || error.lineNumber) { 1148 | message += ' (line ' + (error.line || error.lineNumber) + ')'; 1149 | } 1150 | 1151 | return message; 1152 | }; 1153 | 1154 | this.stack = function(error) { 1155 | return error ? error.stack : null; 1156 | }; 1157 | } 1158 | 1159 | return ExceptionFormatter; 1160 | }; 1161 | 1162 | getJasmineRequireObj().Expectation = function() { 1163 | 1164 | var matchers = {}; 1165 | 1166 | function Expectation(options) { 1167 | this.util = options.util || { buildFailureMessage: function() {} }; 1168 | this.customEqualityTesters = options.customEqualityTesters || []; 1169 | this.actual = options.actual; 1170 | this.addExpectationResult = options.addExpectationResult || function(){}; 1171 | this.isNot = options.isNot; 1172 | 1173 | for (var matcherName in matchers) { 1174 | this[matcherName] = matchers[matcherName]; 1175 | } 1176 | } 1177 | 1178 | Expectation.prototype.wrapCompare = function(name, matcherFactory) { 1179 | return function() { 1180 | var args = Array.prototype.slice.call(arguments, 0), 1181 | expected = args.slice(0), 1182 | message = ''; 1183 | 1184 | args.unshift(this.actual); 1185 | 1186 | var matcher = matcherFactory(this.util, this.customEqualityTesters), 1187 | matcherCompare = matcher.compare; 1188 | 1189 | function defaultNegativeCompare() { 1190 | var result = matcher.compare.apply(null, args); 1191 | result.pass = !result.pass; 1192 | return result; 1193 | } 1194 | 1195 | if (this.isNot) { 1196 | matcherCompare = matcher.negativeCompare || defaultNegativeCompare; 1197 | } 1198 | 1199 | var result = matcherCompare.apply(null, args); 1200 | 1201 | if (!result.pass) { 1202 | if (!result.message) { 1203 | args.unshift(this.isNot); 1204 | args.unshift(name); 1205 | message = this.util.buildFailureMessage.apply(null, args); 1206 | } else { 1207 | if (Object.prototype.toString.apply(result.message) === '[object Function]') { 1208 | message = result.message(); 1209 | } else { 1210 | message = result.message; 1211 | } 1212 | } 1213 | } 1214 | 1215 | if (expected.length == 1) { 1216 | expected = expected[0]; 1217 | } 1218 | 1219 | // TODO: how many of these params are needed? 1220 | this.addExpectationResult( 1221 | result.pass, 1222 | { 1223 | matcherName: name, 1224 | passed: result.pass, 1225 | message: message, 1226 | actual: this.actual, 1227 | expected: expected // TODO: this may need to be arrayified/sliced 1228 | } 1229 | ); 1230 | }; 1231 | }; 1232 | 1233 | Expectation.addCoreMatchers = function(matchers) { 1234 | var prototype = Expectation.prototype; 1235 | for (var matcherName in matchers) { 1236 | var matcher = matchers[matcherName]; 1237 | prototype[matcherName] = prototype.wrapCompare(matcherName, matcher); 1238 | } 1239 | }; 1240 | 1241 | Expectation.addMatchers = function(matchersToAdd) { 1242 | for (var name in matchersToAdd) { 1243 | var matcher = matchersToAdd[name]; 1244 | matchers[name] = Expectation.prototype.wrapCompare(name, matcher); 1245 | } 1246 | }; 1247 | 1248 | Expectation.resetMatchers = function() { 1249 | for (var name in matchers) { 1250 | delete matchers[name]; 1251 | } 1252 | }; 1253 | 1254 | Expectation.Factory = function(options) { 1255 | options = options || {}; 1256 | 1257 | var expect = new Expectation(options); 1258 | 1259 | // TODO: this would be nice as its own Object - NegativeExpectation 1260 | // TODO: copy instead of mutate options 1261 | options.isNot = true; 1262 | expect.not = new Expectation(options); 1263 | 1264 | return expect; 1265 | }; 1266 | 1267 | return Expectation; 1268 | }; 1269 | 1270 | //TODO: expectation result may make more sense as a presentation of an expectation. 1271 | getJasmineRequireObj().buildExpectationResult = function() { 1272 | function buildExpectationResult(options) { 1273 | var messageFormatter = options.messageFormatter || function() {}, 1274 | stackFormatter = options.stackFormatter || function() {}; 1275 | 1276 | return { 1277 | matcherName: options.matcherName, 1278 | expected: options.expected, 1279 | actual: options.actual, 1280 | message: message(), 1281 | stack: stack(), 1282 | passed: options.passed 1283 | }; 1284 | 1285 | function message() { 1286 | if (options.passed) { 1287 | return 'Passed.'; 1288 | } else if (options.message) { 1289 | return options.message; 1290 | } else if (options.error) { 1291 | return messageFormatter(options.error); 1292 | } 1293 | return ''; 1294 | } 1295 | 1296 | function stack() { 1297 | if (options.passed) { 1298 | return ''; 1299 | } 1300 | 1301 | var error = options.error; 1302 | if (!error) { 1303 | try { 1304 | throw new Error(message()); 1305 | } catch (e) { 1306 | error = e; 1307 | } 1308 | } 1309 | return stackFormatter(error); 1310 | } 1311 | } 1312 | 1313 | return buildExpectationResult; 1314 | }; 1315 | 1316 | getJasmineRequireObj().MockDate = function() { 1317 | function MockDate(global) { 1318 | var self = this; 1319 | var currentTime = 0; 1320 | 1321 | if (!global || !global.Date) { 1322 | self.install = function() {}; 1323 | self.tick = function() {}; 1324 | self.uninstall = function() {}; 1325 | return self; 1326 | } 1327 | 1328 | var GlobalDate = global.Date; 1329 | 1330 | self.install = function(mockDate) { 1331 | if (mockDate instanceof GlobalDate) { 1332 | currentTime = mockDate.getTime(); 1333 | } else { 1334 | currentTime = new GlobalDate().getTime(); 1335 | } 1336 | 1337 | global.Date = FakeDate; 1338 | }; 1339 | 1340 | self.tick = function(millis) { 1341 | millis = millis || 0; 1342 | currentTime = currentTime + millis; 1343 | }; 1344 | 1345 | self.uninstall = function() { 1346 | currentTime = 0; 1347 | global.Date = GlobalDate; 1348 | }; 1349 | 1350 | createDateProperties(); 1351 | 1352 | return self; 1353 | 1354 | function FakeDate() { 1355 | switch(arguments.length) { 1356 | case 0: 1357 | return new GlobalDate(currentTime); 1358 | case 1: 1359 | return new GlobalDate(arguments[0]); 1360 | case 2: 1361 | return new GlobalDate(arguments[0], arguments[1]); 1362 | case 3: 1363 | return new GlobalDate(arguments[0], arguments[1], arguments[2]); 1364 | case 4: 1365 | return new GlobalDate(arguments[0], arguments[1], arguments[2], arguments[3]); 1366 | case 5: 1367 | return new GlobalDate(arguments[0], arguments[1], arguments[2], arguments[3], 1368 | arguments[4]); 1369 | case 6: 1370 | return new GlobalDate(arguments[0], arguments[1], arguments[2], arguments[3], 1371 | arguments[4], arguments[5]); 1372 | case 7: 1373 | return new GlobalDate(arguments[0], arguments[1], arguments[2], arguments[3], 1374 | arguments[4], arguments[5], arguments[6]); 1375 | } 1376 | } 1377 | 1378 | function createDateProperties() { 1379 | 1380 | FakeDate.now = function() { 1381 | if (GlobalDate.now) { 1382 | return currentTime; 1383 | } else { 1384 | throw new Error('Browser does not support Date.now()'); 1385 | } 1386 | }; 1387 | 1388 | FakeDate.toSource = GlobalDate.toSource; 1389 | FakeDate.toString = GlobalDate.toString; 1390 | FakeDate.parse = GlobalDate.parse; 1391 | FakeDate.UTC = GlobalDate.UTC; 1392 | } 1393 | } 1394 | 1395 | return MockDate; 1396 | }; 1397 | 1398 | getJasmineRequireObj().ObjectContaining = function(j$) { 1399 | 1400 | function ObjectContaining(sample) { 1401 | this.sample = sample; 1402 | } 1403 | 1404 | ObjectContaining.prototype.jasmineMatches = function(other, mismatchKeys, mismatchValues) { 1405 | if (typeof(this.sample) !== 'object') { throw new Error('You must provide an object to objectContaining, not \''+this.sample+'\'.'); } 1406 | 1407 | mismatchKeys = mismatchKeys || []; 1408 | mismatchValues = mismatchValues || []; 1409 | 1410 | var hasKey = function(obj, keyName) { 1411 | return obj !== null && !j$.util.isUndefined(obj[keyName]); 1412 | }; 1413 | 1414 | for (var property in this.sample) { 1415 | if (!hasKey(other, property) && hasKey(this.sample, property)) { 1416 | mismatchKeys.push('expected has key \'' + property + '\', but missing from actual.'); 1417 | } 1418 | else if (!j$.matchersUtil.equals(other[property], this.sample[property])) { 1419 | mismatchValues.push('\'' + property + '\' was \'' + (other[property] ? j$.util.htmlEscape(other[property].toString()) : other[property]) + '\' in actual, but was \'' + (this.sample[property] ? j$.util.htmlEscape(this.sample[property].toString()) : this.sample[property]) + '\' in expected.'); 1420 | } 1421 | } 1422 | 1423 | return (mismatchKeys.length === 0 && mismatchValues.length === 0); 1424 | }; 1425 | 1426 | ObjectContaining.prototype.jasmineToString = function() { 1427 | return ''; 1428 | }; 1429 | 1430 | return ObjectContaining; 1431 | }; 1432 | 1433 | getJasmineRequireObj().pp = function(j$) { 1434 | 1435 | function PrettyPrinter() { 1436 | this.ppNestLevel_ = 0; 1437 | this.seen = []; 1438 | } 1439 | 1440 | PrettyPrinter.prototype.format = function(value) { 1441 | this.ppNestLevel_++; 1442 | try { 1443 | if (j$.util.isUndefined(value)) { 1444 | this.emitScalar('undefined'); 1445 | } else if (value === null) { 1446 | this.emitScalar('null'); 1447 | } else if (value === 0 && 1/value === -Infinity) { 1448 | this.emitScalar('-0'); 1449 | } else if (value === j$.getGlobal()) { 1450 | this.emitScalar(''); 1451 | } else if (value.jasmineToString) { 1452 | this.emitScalar(value.jasmineToString()); 1453 | } else if (typeof value === 'string') { 1454 | this.emitString(value); 1455 | } else if (j$.isSpy(value)) { 1456 | this.emitScalar('spy on ' + value.and.identity()); 1457 | } else if (value instanceof RegExp) { 1458 | this.emitScalar(value.toString()); 1459 | } else if (typeof value === 'function') { 1460 | this.emitScalar('Function'); 1461 | } else if (typeof value.nodeType === 'number') { 1462 | this.emitScalar('HTMLNode'); 1463 | } else if (value instanceof Date) { 1464 | this.emitScalar('Date(' + value + ')'); 1465 | } else if (j$.util.arrayContains(this.seen, value)) { 1466 | this.emitScalar(''); 1467 | } else if (j$.isArray_(value) || j$.isA_('Object', value)) { 1468 | this.seen.push(value); 1469 | if (j$.isArray_(value)) { 1470 | this.emitArray(value); 1471 | } else { 1472 | this.emitObject(value); 1473 | } 1474 | this.seen.pop(); 1475 | } else { 1476 | this.emitScalar(value.toString()); 1477 | } 1478 | } finally { 1479 | this.ppNestLevel_--; 1480 | } 1481 | }; 1482 | 1483 | PrettyPrinter.prototype.iterateObject = function(obj, fn) { 1484 | for (var property in obj) { 1485 | if (!Object.prototype.hasOwnProperty.call(obj, property)) { continue; } 1486 | fn(property, obj.__lookupGetter__ ? (!j$.util.isUndefined(obj.__lookupGetter__(property)) && 1487 | obj.__lookupGetter__(property) !== null) : false); 1488 | } 1489 | }; 1490 | 1491 | PrettyPrinter.prototype.emitArray = j$.unimplementedMethod_; 1492 | PrettyPrinter.prototype.emitObject = j$.unimplementedMethod_; 1493 | PrettyPrinter.prototype.emitScalar = j$.unimplementedMethod_; 1494 | PrettyPrinter.prototype.emitString = j$.unimplementedMethod_; 1495 | 1496 | function StringPrettyPrinter() { 1497 | PrettyPrinter.call(this); 1498 | 1499 | this.string = ''; 1500 | } 1501 | 1502 | j$.util.inherit(StringPrettyPrinter, PrettyPrinter); 1503 | 1504 | StringPrettyPrinter.prototype.emitScalar = function(value) { 1505 | this.append(value); 1506 | }; 1507 | 1508 | StringPrettyPrinter.prototype.emitString = function(value) { 1509 | this.append('\'' + value + '\''); 1510 | }; 1511 | 1512 | StringPrettyPrinter.prototype.emitArray = function(array) { 1513 | if (this.ppNestLevel_ > j$.MAX_PRETTY_PRINT_DEPTH) { 1514 | this.append('Array'); 1515 | return; 1516 | } 1517 | var length = Math.min(array.length, j$.MAX_PRETTY_PRINT_ARRAY_LENGTH); 1518 | this.append('[ '); 1519 | for (var i = 0; i < length; i++) { 1520 | if (i > 0) { 1521 | this.append(', '); 1522 | } 1523 | this.format(array[i]); 1524 | } 1525 | if(array.length > length){ 1526 | this.append(', ...'); 1527 | } 1528 | this.append(' ]'); 1529 | }; 1530 | 1531 | StringPrettyPrinter.prototype.emitObject = function(obj) { 1532 | if (this.ppNestLevel_ > j$.MAX_PRETTY_PRINT_DEPTH) { 1533 | this.append('Object'); 1534 | return; 1535 | } 1536 | 1537 | var self = this; 1538 | this.append('{ '); 1539 | var first = true; 1540 | 1541 | this.iterateObject(obj, function(property, isGetter) { 1542 | if (first) { 1543 | first = false; 1544 | } else { 1545 | self.append(', '); 1546 | } 1547 | 1548 | self.append(property); 1549 | self.append(': '); 1550 | if (isGetter) { 1551 | self.append(''); 1552 | } else { 1553 | self.format(obj[property]); 1554 | } 1555 | }); 1556 | 1557 | this.append(' }'); 1558 | }; 1559 | 1560 | StringPrettyPrinter.prototype.append = function(value) { 1561 | this.string += value; 1562 | }; 1563 | 1564 | return function(value) { 1565 | var stringPrettyPrinter = new StringPrettyPrinter(); 1566 | stringPrettyPrinter.format(value); 1567 | return stringPrettyPrinter.string; 1568 | }; 1569 | }; 1570 | 1571 | getJasmineRequireObj().QueueRunner = function(j$) { 1572 | 1573 | function once(fn) { 1574 | var called = false; 1575 | return function() { 1576 | if (!called) { 1577 | called = true; 1578 | fn(); 1579 | } 1580 | }; 1581 | } 1582 | 1583 | function QueueRunner(attrs) { 1584 | this.fns = attrs.fns || []; 1585 | this.onComplete = attrs.onComplete || function() {}; 1586 | this.clearStack = attrs.clearStack || function(fn) {fn();}; 1587 | this.onException = attrs.onException || function() {}; 1588 | this.catchException = attrs.catchException || function() { return true; }; 1589 | this.enforceTimeout = attrs.enforceTimeout || function() { return false; }; 1590 | this.userContext = {}; 1591 | this.timer = attrs.timeout || {setTimeout: setTimeout, clearTimeout: clearTimeout}; 1592 | } 1593 | 1594 | QueueRunner.prototype.execute = function() { 1595 | this.run(this.fns, 0); 1596 | }; 1597 | 1598 | QueueRunner.prototype.run = function(fns, recursiveIndex) { 1599 | var length = fns.length, 1600 | self = this, 1601 | iterativeIndex; 1602 | 1603 | for(iterativeIndex = recursiveIndex; iterativeIndex < length; iterativeIndex++) { 1604 | var fn = fns[iterativeIndex]; 1605 | if (fn.length > 0) { 1606 | return attemptAsync(fn); 1607 | } else { 1608 | attemptSync(fn); 1609 | } 1610 | } 1611 | 1612 | var runnerDone = iterativeIndex >= length; 1613 | 1614 | if (runnerDone) { 1615 | this.clearStack(this.onComplete); 1616 | } 1617 | 1618 | function attemptSync(fn) { 1619 | try { 1620 | fn.call(self.userContext); 1621 | } catch (e) { 1622 | handleException(e); 1623 | } 1624 | } 1625 | 1626 | function attemptAsync(fn) { 1627 | var clearTimeout = function () { 1628 | Function.prototype.apply.apply(self.timer.clearTimeout, [j$.getGlobal(), [timeoutId]]); 1629 | }, 1630 | next = once(function () { 1631 | clearTimeout(timeoutId); 1632 | self.run(fns, iterativeIndex + 1); 1633 | }), 1634 | timeoutId; 1635 | 1636 | if (self.enforceTimeout()) { 1637 | timeoutId = Function.prototype.apply.apply(self.timer.setTimeout, [j$.getGlobal(), [function() { 1638 | self.onException(new Error('Timeout - Async callback was not invoked within timeout specified by jasmine.DEFAULT_TIMEOUT_INTERVAL.')); 1639 | next(); 1640 | }, j$.DEFAULT_TIMEOUT_INTERVAL]]); 1641 | } 1642 | 1643 | try { 1644 | fn.call(self.userContext, next); 1645 | } catch (e) { 1646 | handleException(e); 1647 | next(); 1648 | } 1649 | } 1650 | 1651 | function handleException(e) { 1652 | self.onException(e); 1653 | if (!self.catchException(e)) { 1654 | //TODO: set a var when we catch an exception and 1655 | //use a finally block to close the loop in a nice way.. 1656 | throw e; 1657 | } 1658 | } 1659 | }; 1660 | 1661 | return QueueRunner; 1662 | }; 1663 | 1664 | getJasmineRequireObj().ReportDispatcher = function() { 1665 | function ReportDispatcher(methods) { 1666 | 1667 | var dispatchedMethods = methods || []; 1668 | 1669 | for (var i = 0; i < dispatchedMethods.length; i++) { 1670 | var method = dispatchedMethods[i]; 1671 | this[method] = (function(m) { 1672 | return function() { 1673 | dispatch(m, arguments); 1674 | }; 1675 | }(method)); 1676 | } 1677 | 1678 | var reporters = []; 1679 | 1680 | this.addReporter = function(reporter) { 1681 | reporters.push(reporter); 1682 | }; 1683 | 1684 | return this; 1685 | 1686 | function dispatch(method, args) { 1687 | for (var i = 0; i < reporters.length; i++) { 1688 | var reporter = reporters[i]; 1689 | if (reporter[method]) { 1690 | reporter[method].apply(reporter, args); 1691 | } 1692 | } 1693 | } 1694 | } 1695 | 1696 | return ReportDispatcher; 1697 | }; 1698 | 1699 | 1700 | getJasmineRequireObj().SpyStrategy = function() { 1701 | 1702 | function SpyStrategy(options) { 1703 | options = options || {}; 1704 | 1705 | var identity = options.name || 'unknown', 1706 | originalFn = options.fn || function() {}, 1707 | getSpy = options.getSpy || function() {}, 1708 | plan = function() {}; 1709 | 1710 | this.identity = function() { 1711 | return identity; 1712 | }; 1713 | 1714 | this.exec = function() { 1715 | return plan.apply(this, arguments); 1716 | }; 1717 | 1718 | this.callThrough = function() { 1719 | plan = originalFn; 1720 | return getSpy(); 1721 | }; 1722 | 1723 | this.returnValue = function(value) { 1724 | plan = function() { 1725 | return value; 1726 | }; 1727 | return getSpy(); 1728 | }; 1729 | 1730 | this.throwError = function(something) { 1731 | var error = (something instanceof Error) ? something : new Error(something); 1732 | plan = function() { 1733 | throw error; 1734 | }; 1735 | return getSpy(); 1736 | }; 1737 | 1738 | this.callFake = function(fn) { 1739 | plan = fn; 1740 | return getSpy(); 1741 | }; 1742 | 1743 | this.stub = function(fn) { 1744 | plan = function() {}; 1745 | return getSpy(); 1746 | }; 1747 | } 1748 | 1749 | return SpyStrategy; 1750 | }; 1751 | 1752 | getJasmineRequireObj().Suite = function() { 1753 | function Suite(attrs) { 1754 | this.env = attrs.env; 1755 | this.id = attrs.id; 1756 | this.parentSuite = attrs.parentSuite; 1757 | this.description = attrs.description; 1758 | this.onStart = attrs.onStart || function() {}; 1759 | this.resultCallback = attrs.resultCallback || function() {}; 1760 | this.clearStack = attrs.clearStack || function(fn) {fn();}; 1761 | 1762 | this.beforeFns = []; 1763 | this.afterFns = []; 1764 | this.queueRunner = attrs.queueRunner || function() {}; 1765 | this.disabled = false; 1766 | 1767 | this.children = []; 1768 | 1769 | this.result = { 1770 | id: this.id, 1771 | status: this.disabled ? 'disabled' : '', 1772 | description: this.description, 1773 | fullName: this.getFullName() 1774 | }; 1775 | } 1776 | 1777 | Suite.prototype.getFullName = function() { 1778 | var fullName = this.description; 1779 | for (var parentSuite = this.parentSuite; parentSuite; parentSuite = parentSuite.parentSuite) { 1780 | if (parentSuite.parentSuite) { 1781 | fullName = parentSuite.description + ' ' + fullName; 1782 | } 1783 | } 1784 | return fullName; 1785 | }; 1786 | 1787 | Suite.prototype.disable = function() { 1788 | this.disabled = true; 1789 | this.result.status = 'disabled'; 1790 | }; 1791 | 1792 | Suite.prototype.beforeEach = function(fn) { 1793 | this.beforeFns.unshift(fn); 1794 | }; 1795 | 1796 | Suite.prototype.afterEach = function(fn) { 1797 | this.afterFns.unshift(fn); 1798 | }; 1799 | 1800 | Suite.prototype.addChild = function(child) { 1801 | this.children.push(child); 1802 | }; 1803 | 1804 | Suite.prototype.execute = function(onComplete) { 1805 | var self = this; 1806 | 1807 | this.onStart(this); 1808 | 1809 | if (this.disabled) { 1810 | complete(); 1811 | return; 1812 | } 1813 | 1814 | var allFns = []; 1815 | 1816 | for (var i = 0; i < this.children.length; i++) { 1817 | allFns.push(wrapChildAsAsync(this.children[i])); 1818 | } 1819 | 1820 | this.queueRunner({ 1821 | fns: allFns, 1822 | onComplete: complete 1823 | }); 1824 | 1825 | function complete() { 1826 | self.resultCallback(self.result); 1827 | 1828 | if (onComplete) { 1829 | onComplete(); 1830 | } 1831 | } 1832 | 1833 | function wrapChildAsAsync(child) { 1834 | return function(done) { child.execute(done); }; 1835 | } 1836 | }; 1837 | 1838 | return Suite; 1839 | }; 1840 | 1841 | if (typeof window == void 0 && typeof exports == 'object') { 1842 | exports.Suite = jasmineRequire.Suite; 1843 | } 1844 | 1845 | getJasmineRequireObj().Timer = function() { 1846 | var defaultNow = (function(Date) { 1847 | return function() { return new Date().getTime(); }; 1848 | })(Date); 1849 | 1850 | function Timer(options) { 1851 | options = options || {}; 1852 | 1853 | var now = options.now || defaultNow, 1854 | startTime; 1855 | 1856 | this.start = function() { 1857 | startTime = now(); 1858 | }; 1859 | 1860 | this.elapsed = function() { 1861 | return now() - startTime; 1862 | }; 1863 | } 1864 | 1865 | return Timer; 1866 | }; 1867 | 1868 | getJasmineRequireObj().matchersUtil = function(j$) { 1869 | // TODO: what to do about jasmine.pp not being inject? move to JSON.stringify? gut PrettyPrinter? 1870 | 1871 | return { 1872 | equals: function(a, b, customTesters) { 1873 | customTesters = customTesters || []; 1874 | 1875 | return eq(a, b, [], [], customTesters); 1876 | }, 1877 | 1878 | contains: function(haystack, needle, customTesters) { 1879 | customTesters = customTesters || []; 1880 | 1881 | if (Object.prototype.toString.apply(haystack) === '[object Array]') { 1882 | for (var i = 0; i < haystack.length; i++) { 1883 | if (eq(haystack[i], needle, [], [], customTesters)) { 1884 | return true; 1885 | } 1886 | } 1887 | return false; 1888 | } 1889 | return !!haystack && haystack.indexOf(needle) >= 0; 1890 | }, 1891 | 1892 | buildFailureMessage: function() { 1893 | var args = Array.prototype.slice.call(arguments, 0), 1894 | matcherName = args[0], 1895 | isNot = args[1], 1896 | actual = args[2], 1897 | expected = args.slice(3), 1898 | englishyPredicate = matcherName.replace(/[A-Z]/g, function(s) { return ' ' + s.toLowerCase(); }); 1899 | 1900 | var message = 'Expected ' + 1901 | j$.pp(actual) + 1902 | (isNot ? ' not ' : ' ') + 1903 | englishyPredicate; 1904 | 1905 | if (expected.length > 0) { 1906 | for (var i = 0; i < expected.length; i++) { 1907 | if (i > 0) { 1908 | message += ','; 1909 | } 1910 | message += ' ' + j$.pp(expected[i]); 1911 | } 1912 | } 1913 | 1914 | return message + '.'; 1915 | } 1916 | }; 1917 | 1918 | // Equality function lovingly adapted from isEqual in 1919 | // [Underscore](http://underscorejs.org) 1920 | function eq(a, b, aStack, bStack, customTesters) { 1921 | var result = true; 1922 | 1923 | for (var i = 0; i < customTesters.length; i++) { 1924 | var customTesterResult = customTesters[i](a, b); 1925 | if (!j$.util.isUndefined(customTesterResult)) { 1926 | return customTesterResult; 1927 | } 1928 | } 1929 | 1930 | if (a instanceof j$.Any) { 1931 | result = a.jasmineMatches(b); 1932 | if (result) { 1933 | return true; 1934 | } 1935 | } 1936 | 1937 | if (b instanceof j$.Any) { 1938 | result = b.jasmineMatches(a); 1939 | if (result) { 1940 | return true; 1941 | } 1942 | } 1943 | 1944 | if (b instanceof j$.ObjectContaining) { 1945 | result = b.jasmineMatches(a); 1946 | if (result) { 1947 | return true; 1948 | } 1949 | } 1950 | 1951 | if (a instanceof Error && b instanceof Error) { 1952 | return a.message == b.message; 1953 | } 1954 | 1955 | // Identical objects are equal. `0 === -0`, but they aren't identical. 1956 | // See the [Harmony `egal` proposal](http://wiki.ecmascript.org/doku.php?id=harmony:egal). 1957 | if (a === b) { return a !== 0 || 1 / a == 1 / b; } 1958 | // A strict comparison is necessary because `null == undefined`. 1959 | if (a === null || b === null) { return a === b; } 1960 | var className = Object.prototype.toString.call(a); 1961 | if (className != Object.prototype.toString.call(b)) { return false; } 1962 | switch (className) { 1963 | // Strings, numbers, dates, and booleans are compared by value. 1964 | case '[object String]': 1965 | // Primitives and their corresponding object wrappers are equivalent; thus, `"5"` is 1966 | // equivalent to `new String("5")`. 1967 | return a == String(b); 1968 | case '[object Number]': 1969 | // `NaN`s are equivalent, but non-reflexive. An `egal` comparison is performed for 1970 | // other numeric values. 1971 | return a != +a ? b != +b : (a === 0 ? 1 / a == 1 / b : a == +b); 1972 | case '[object Date]': 1973 | case '[object Boolean]': 1974 | // Coerce dates and booleans to numeric primitive values. Dates are compared by their 1975 | // millisecond representations. Note that invalid dates with millisecond representations 1976 | // of `NaN` are not equivalent. 1977 | return +a == +b; 1978 | // RegExps are compared by their source patterns and flags. 1979 | case '[object RegExp]': 1980 | return a.source == b.source && 1981 | a.global == b.global && 1982 | a.multiline == b.multiline && 1983 | a.ignoreCase == b.ignoreCase; 1984 | } 1985 | if (typeof a != 'object' || typeof b != 'object') { return false; } 1986 | // Assume equality for cyclic structures. The algorithm for detecting cyclic 1987 | // structures is adapted from ES 5.1 section 15.12.3, abstract operation `JO`. 1988 | var length = aStack.length; 1989 | while (length--) { 1990 | // Linear search. Performance is inversely proportional to the number of 1991 | // unique nested structures. 1992 | if (aStack[length] == a) { return bStack[length] == b; } 1993 | } 1994 | // Add the first object to the stack of traversed objects. 1995 | aStack.push(a); 1996 | bStack.push(b); 1997 | var size = 0; 1998 | // Recursively compare objects and arrays. 1999 | if (className == '[object Array]') { 2000 | // Compare array lengths to determine if a deep comparison is necessary. 2001 | size = a.length; 2002 | result = size == b.length; 2003 | if (result) { 2004 | // Deep compare the contents, ignoring non-numeric properties. 2005 | while (size--) { 2006 | if (!(result = eq(a[size], b[size], aStack, bStack, customTesters))) { break; } 2007 | } 2008 | } 2009 | } else { 2010 | // Objects with different constructors are not equivalent, but `Object`s 2011 | // from different frames are. 2012 | var aCtor = a.constructor, bCtor = b.constructor; 2013 | if (aCtor !== bCtor && !(isFunction(aCtor) && (aCtor instanceof aCtor) && 2014 | isFunction(bCtor) && (bCtor instanceof bCtor))) { 2015 | return false; 2016 | } 2017 | // Deep compare objects. 2018 | for (var key in a) { 2019 | if (has(a, key)) { 2020 | // Count the expected number of properties. 2021 | size++; 2022 | // Deep compare each member. 2023 | if (!(result = has(b, key) && eq(a[key], b[key], aStack, bStack, customTesters))) { break; } 2024 | } 2025 | } 2026 | // Ensure that both objects contain the same number of properties. 2027 | if (result) { 2028 | for (key in b) { 2029 | if (has(b, key) && !(size--)) { break; } 2030 | } 2031 | result = !size; 2032 | } 2033 | } 2034 | // Remove the first object from the stack of traversed objects. 2035 | aStack.pop(); 2036 | bStack.pop(); 2037 | 2038 | return result; 2039 | 2040 | function has(obj, key) { 2041 | return obj.hasOwnProperty(key); 2042 | } 2043 | 2044 | function isFunction(obj) { 2045 | return typeof obj === 'function'; 2046 | } 2047 | } 2048 | }; 2049 | 2050 | getJasmineRequireObj().toBe = function() { 2051 | function toBe() { 2052 | return { 2053 | compare: function(actual, expected) { 2054 | return { 2055 | pass: actual === expected 2056 | }; 2057 | } 2058 | }; 2059 | } 2060 | 2061 | return toBe; 2062 | }; 2063 | 2064 | getJasmineRequireObj().toBeCloseTo = function() { 2065 | 2066 | function toBeCloseTo() { 2067 | return { 2068 | compare: function(actual, expected, precision) { 2069 | if (precision !== 0) { 2070 | precision = precision || 2; 2071 | } 2072 | 2073 | return { 2074 | pass: Math.abs(expected - actual) < (Math.pow(10, -precision) / 2) 2075 | }; 2076 | } 2077 | }; 2078 | } 2079 | 2080 | return toBeCloseTo; 2081 | }; 2082 | 2083 | getJasmineRequireObj().toBeDefined = function() { 2084 | function toBeDefined() { 2085 | return { 2086 | compare: function(actual) { 2087 | return { 2088 | pass: (void 0 !== actual) 2089 | }; 2090 | } 2091 | }; 2092 | } 2093 | 2094 | return toBeDefined; 2095 | }; 2096 | 2097 | getJasmineRequireObj().toBeFalsy = function() { 2098 | function toBeFalsy() { 2099 | return { 2100 | compare: function(actual) { 2101 | return { 2102 | pass: !!!actual 2103 | }; 2104 | } 2105 | }; 2106 | } 2107 | 2108 | return toBeFalsy; 2109 | }; 2110 | 2111 | getJasmineRequireObj().toBeGreaterThan = function() { 2112 | 2113 | function toBeGreaterThan() { 2114 | return { 2115 | compare: function(actual, expected) { 2116 | return { 2117 | pass: actual > expected 2118 | }; 2119 | } 2120 | }; 2121 | } 2122 | 2123 | return toBeGreaterThan; 2124 | }; 2125 | 2126 | 2127 | getJasmineRequireObj().toBeLessThan = function() { 2128 | function toBeLessThan() { 2129 | return { 2130 | 2131 | compare: function(actual, expected) { 2132 | return { 2133 | pass: actual < expected 2134 | }; 2135 | } 2136 | }; 2137 | } 2138 | 2139 | return toBeLessThan; 2140 | }; 2141 | getJasmineRequireObj().toBeNaN = function(j$) { 2142 | 2143 | function toBeNaN() { 2144 | return { 2145 | compare: function(actual) { 2146 | var result = { 2147 | pass: (actual !== actual) 2148 | }; 2149 | 2150 | if (result.pass) { 2151 | result.message = 'Expected actual not to be NaN.'; 2152 | } else { 2153 | result.message = function() { return 'Expected ' + j$.pp(actual) + ' to be NaN.'; }; 2154 | } 2155 | 2156 | return result; 2157 | } 2158 | }; 2159 | } 2160 | 2161 | return toBeNaN; 2162 | }; 2163 | 2164 | getJasmineRequireObj().toBeNull = function() { 2165 | 2166 | function toBeNull() { 2167 | return { 2168 | compare: function(actual) { 2169 | return { 2170 | pass: actual === null 2171 | }; 2172 | } 2173 | }; 2174 | } 2175 | 2176 | return toBeNull; 2177 | }; 2178 | 2179 | getJasmineRequireObj().toBeTruthy = function() { 2180 | 2181 | function toBeTruthy() { 2182 | return { 2183 | compare: function(actual) { 2184 | return { 2185 | pass: !!actual 2186 | }; 2187 | } 2188 | }; 2189 | } 2190 | 2191 | return toBeTruthy; 2192 | }; 2193 | 2194 | getJasmineRequireObj().toBeUndefined = function() { 2195 | 2196 | function toBeUndefined() { 2197 | return { 2198 | compare: function(actual) { 2199 | return { 2200 | pass: void 0 === actual 2201 | }; 2202 | } 2203 | }; 2204 | } 2205 | 2206 | return toBeUndefined; 2207 | }; 2208 | 2209 | getJasmineRequireObj().toContain = function() { 2210 | function toContain(util, customEqualityTesters) { 2211 | customEqualityTesters = customEqualityTesters || []; 2212 | 2213 | return { 2214 | compare: function(actual, expected) { 2215 | 2216 | return { 2217 | pass: util.contains(actual, expected, customEqualityTesters) 2218 | }; 2219 | } 2220 | }; 2221 | } 2222 | 2223 | return toContain; 2224 | }; 2225 | 2226 | getJasmineRequireObj().toEqual = function() { 2227 | 2228 | function toEqual(util, customEqualityTesters) { 2229 | customEqualityTesters = customEqualityTesters || []; 2230 | 2231 | return { 2232 | compare: function(actual, expected) { 2233 | var result = { 2234 | pass: false 2235 | }; 2236 | 2237 | result.pass = util.equals(actual, expected, customEqualityTesters); 2238 | 2239 | return result; 2240 | } 2241 | }; 2242 | } 2243 | 2244 | return toEqual; 2245 | }; 2246 | 2247 | getJasmineRequireObj().toHaveBeenCalled = function(j$) { 2248 | 2249 | function toHaveBeenCalled() { 2250 | return { 2251 | compare: function(actual) { 2252 | var result = {}; 2253 | 2254 | if (!j$.isSpy(actual)) { 2255 | throw new Error('Expected a spy, but got ' + j$.pp(actual) + '.'); 2256 | } 2257 | 2258 | if (arguments.length > 1) { 2259 | throw new Error('toHaveBeenCalled does not take arguments, use toHaveBeenCalledWith'); 2260 | } 2261 | 2262 | result.pass = actual.calls.any(); 2263 | 2264 | result.message = result.pass ? 2265 | 'Expected spy ' + actual.and.identity() + ' not to have been called.' : 2266 | 'Expected spy ' + actual.and.identity() + ' to have been called.'; 2267 | 2268 | return result; 2269 | } 2270 | }; 2271 | } 2272 | 2273 | return toHaveBeenCalled; 2274 | }; 2275 | 2276 | getJasmineRequireObj().toHaveBeenCalledWith = function(j$) { 2277 | 2278 | function toHaveBeenCalledWith(util, customEqualityTesters) { 2279 | return { 2280 | compare: function() { 2281 | var args = Array.prototype.slice.call(arguments, 0), 2282 | actual = args[0], 2283 | expectedArgs = args.slice(1), 2284 | result = { pass: false }; 2285 | 2286 | if (!j$.isSpy(actual)) { 2287 | throw new Error('Expected a spy, but got ' + j$.pp(actual) + '.'); 2288 | } 2289 | 2290 | if (!actual.calls.any()) { 2291 | result.message = function() { return 'Expected spy ' + actual.and.identity() + ' to have been called with ' + j$.pp(expectedArgs) + ' but it was never called.'; }; 2292 | return result; 2293 | } 2294 | 2295 | if (util.contains(actual.calls.allArgs(), expectedArgs, customEqualityTesters)) { 2296 | result.pass = true; 2297 | result.message = function() { return 'Expected spy ' + actual.and.identity() + ' not to have been called with ' + j$.pp(expectedArgs) + ' but it was.'; }; 2298 | } else { 2299 | result.message = function() { return 'Expected spy ' + actual.and.identity() + ' to have been called with ' + j$.pp(expectedArgs) + ' but actual calls were ' + j$.pp(actual.calls.allArgs()).replace(/^\[ | \]$/g, '') + '.'; }; 2300 | } 2301 | 2302 | return result; 2303 | } 2304 | }; 2305 | } 2306 | 2307 | return toHaveBeenCalledWith; 2308 | }; 2309 | 2310 | getJasmineRequireObj().toMatch = function() { 2311 | 2312 | function toMatch() { 2313 | return { 2314 | compare: function(actual, expected) { 2315 | var regexp = new RegExp(expected); 2316 | 2317 | return { 2318 | pass: regexp.test(actual) 2319 | }; 2320 | } 2321 | }; 2322 | } 2323 | 2324 | return toMatch; 2325 | }; 2326 | 2327 | getJasmineRequireObj().toThrow = function(j$) { 2328 | 2329 | function toThrow(util) { 2330 | return { 2331 | compare: function(actual, expected) { 2332 | var result = { pass: false }, 2333 | threw = false, 2334 | thrown; 2335 | 2336 | if (typeof actual != 'function') { 2337 | throw new Error('Actual is not a Function'); 2338 | } 2339 | 2340 | try { 2341 | actual(); 2342 | } catch (e) { 2343 | threw = true; 2344 | thrown = e; 2345 | } 2346 | 2347 | if (!threw) { 2348 | result.message = 'Expected function to throw an exception.'; 2349 | return result; 2350 | } 2351 | 2352 | if (arguments.length == 1) { 2353 | result.pass = true; 2354 | result.message = function() { return 'Expected function not to throw, but it threw ' + j$.pp(thrown) + '.'; }; 2355 | 2356 | return result; 2357 | } 2358 | 2359 | if (util.equals(thrown, expected)) { 2360 | result.pass = true; 2361 | result.message = function() { return 'Expected function not to throw ' + j$.pp(expected) + '.'; }; 2362 | } else { 2363 | result.message = function() { return 'Expected function to throw ' + j$.pp(expected) + ', but it threw ' + j$.pp(thrown) + '.'; }; 2364 | } 2365 | 2366 | return result; 2367 | } 2368 | }; 2369 | } 2370 | 2371 | return toThrow; 2372 | }; 2373 | 2374 | getJasmineRequireObj().toThrowError = function(j$) { 2375 | function toThrowError (util) { 2376 | return { 2377 | compare: function(actual) { 2378 | var threw = false, 2379 | pass = {pass: true}, 2380 | fail = {pass: false}, 2381 | thrown, 2382 | errorType, 2383 | message, 2384 | regexp, 2385 | name, 2386 | constructorName; 2387 | 2388 | if (typeof actual != 'function') { 2389 | throw new Error('Actual is not a Function'); 2390 | } 2391 | 2392 | extractExpectedParams.apply(null, arguments); 2393 | 2394 | try { 2395 | actual(); 2396 | } catch (e) { 2397 | threw = true; 2398 | thrown = e; 2399 | } 2400 | 2401 | if (!threw) { 2402 | fail.message = 'Expected function to throw an Error.'; 2403 | return fail; 2404 | } 2405 | 2406 | if (!(thrown instanceof Error)) { 2407 | fail.message = function() { return 'Expected function to throw an Error, but it threw ' + j$.pp(thrown) + '.'; }; 2408 | return fail; 2409 | } 2410 | 2411 | if (arguments.length == 1) { 2412 | pass.message = 'Expected function not to throw an Error, but it threw ' + fnNameFor(thrown) + '.'; 2413 | return pass; 2414 | } 2415 | 2416 | if (errorType) { 2417 | name = fnNameFor(errorType); 2418 | constructorName = fnNameFor(thrown.constructor); 2419 | } 2420 | 2421 | if (errorType && message) { 2422 | if (thrown.constructor == errorType && util.equals(thrown.message, message)) { 2423 | pass.message = function() { return 'Expected function not to throw ' + name + ' with message ' + j$.pp(message) + '.'; }; 2424 | return pass; 2425 | } else { 2426 | fail.message = function() { return 'Expected function to throw ' + name + ' with message ' + j$.pp(message) + 2427 | ', but it threw ' + constructorName + ' with message ' + j$.pp(thrown.message) + '.'; }; 2428 | return fail; 2429 | } 2430 | } 2431 | 2432 | if (errorType && regexp) { 2433 | if (thrown.constructor == errorType && regexp.test(thrown.message)) { 2434 | pass.message = function() { return 'Expected function not to throw ' + name + ' with message matching ' + j$.pp(regexp) + '.'; }; 2435 | return pass; 2436 | } else { 2437 | fail.message = function() { return 'Expected function to throw ' + name + ' with message matching ' + j$.pp(regexp) + 2438 | ', but it threw ' + constructorName + ' with message ' + j$.pp(thrown.message) + '.'; }; 2439 | return fail; 2440 | } 2441 | } 2442 | 2443 | if (errorType) { 2444 | if (thrown.constructor == errorType) { 2445 | pass.message = 'Expected function not to throw ' + name + '.'; 2446 | return pass; 2447 | } else { 2448 | fail.message = 'Expected function to throw ' + name + ', but it threw ' + constructorName + '.'; 2449 | return fail; 2450 | } 2451 | } 2452 | 2453 | if (message) { 2454 | if (thrown.message == message) { 2455 | pass.message = function() { return 'Expected function not to throw an exception with message ' + j$.pp(message) + '.'; }; 2456 | return pass; 2457 | } else { 2458 | fail.message = function() { return 'Expected function to throw an exception with message ' + j$.pp(message) + 2459 | ', but it threw an exception with message ' + j$.pp(thrown.message) + '.'; }; 2460 | return fail; 2461 | } 2462 | } 2463 | 2464 | if (regexp) { 2465 | if (regexp.test(thrown.message)) { 2466 | pass.message = function() { return 'Expected function not to throw an exception with a message matching ' + j$.pp(regexp) + '.'; }; 2467 | return pass; 2468 | } else { 2469 | fail.message = function() { return 'Expected function to throw an exception with a message matching ' + j$.pp(regexp) + 2470 | ', but it threw an exception with message ' + j$.pp(thrown.message) + '.'; }; 2471 | return fail; 2472 | } 2473 | } 2474 | 2475 | function fnNameFor(func) { 2476 | return func.name || func.toString().match(/^\s*function\s*(\w*)\s*\(/)[1]; 2477 | } 2478 | 2479 | function extractExpectedParams() { 2480 | if (arguments.length == 1) { 2481 | return; 2482 | } 2483 | 2484 | if (arguments.length == 2) { 2485 | var expected = arguments[1]; 2486 | 2487 | if (expected instanceof RegExp) { 2488 | regexp = expected; 2489 | } else if (typeof expected == 'string') { 2490 | message = expected; 2491 | } else if (checkForAnErrorType(expected)) { 2492 | errorType = expected; 2493 | } 2494 | 2495 | if (!(errorType || message || regexp)) { 2496 | throw new Error('Expected is not an Error, string, or RegExp.'); 2497 | } 2498 | } else { 2499 | if (checkForAnErrorType(arguments[1])) { 2500 | errorType = arguments[1]; 2501 | } else { 2502 | throw new Error('Expected error type is not an Error.'); 2503 | } 2504 | 2505 | if (arguments[2] instanceof RegExp) { 2506 | regexp = arguments[2]; 2507 | } else if (typeof arguments[2] == 'string') { 2508 | message = arguments[2]; 2509 | } else { 2510 | throw new Error('Expected error message is not a string or RegExp.'); 2511 | } 2512 | } 2513 | } 2514 | 2515 | function checkForAnErrorType(type) { 2516 | if (typeof type !== 'function') { 2517 | return false; 2518 | } 2519 | 2520 | var Surrogate = function() {}; 2521 | Surrogate.prototype = type.prototype; 2522 | return (new Surrogate()) instanceof Error; 2523 | } 2524 | } 2525 | }; 2526 | } 2527 | 2528 | return toThrowError; 2529 | }; 2530 | 2531 | getJasmineRequireObj().interface = function(jasmine, env) { 2532 | var jasmineInterface = { 2533 | describe: function(description, specDefinitions) { 2534 | return env.describe(description, specDefinitions); 2535 | }, 2536 | 2537 | xdescribe: function(description, specDefinitions) { 2538 | return env.xdescribe(description, specDefinitions); 2539 | }, 2540 | 2541 | it: function(desc, func) { 2542 | return env.it(desc, func); 2543 | }, 2544 | 2545 | xit: function(desc, func) { 2546 | return env.xit(desc, func); 2547 | }, 2548 | 2549 | beforeEach: function(beforeEachFunction) { 2550 | return env.beforeEach(beforeEachFunction); 2551 | }, 2552 | 2553 | afterEach: function(afterEachFunction) { 2554 | return env.afterEach(afterEachFunction); 2555 | }, 2556 | 2557 | expect: function(actual) { 2558 | return env.expect(actual); 2559 | }, 2560 | 2561 | pending: function() { 2562 | return env.pending(); 2563 | }, 2564 | 2565 | spyOn: function(obj, methodName) { 2566 | return env.spyOn(obj, methodName); 2567 | }, 2568 | 2569 | jsApiReporter: new jasmine.JsApiReporter({ 2570 | timer: new jasmine.Timer() 2571 | }), 2572 | 2573 | jasmine: jasmine 2574 | }; 2575 | 2576 | jasmine.addCustomEqualityTester = function(tester) { 2577 | env.addCustomEqualityTester(tester); 2578 | }; 2579 | 2580 | jasmine.addMatchers = function(matchers) { 2581 | return env.addMatchers(matchers); 2582 | }; 2583 | 2584 | jasmine.clock = function() { 2585 | return env.clock; 2586 | }; 2587 | 2588 | return jasmineInterface; 2589 | }; 2590 | 2591 | getJasmineRequireObj().version = function() { 2592 | return '2.0.2'; 2593 | }; 2594 | -------------------------------------------------------------------------------- /lib/jasmine/jasmine_favicon.png: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/JeremyLikness/AngularHealthApp/cee7cd66f0fa72a3c6340a5adc4607d01ab248cd/lib/jasmine/jasmine_favicon.png -------------------------------------------------------------------------------- /spec/bmiFilterSpec.js: -------------------------------------------------------------------------------- 1 | describe("BMI filter", function() { 2 | var bmiFilter; 3 | 4 | beforeEach(function() { 5 | module('healthApp'); 6 | }); 7 | 8 | beforeEach(inject(function ($filter) { 9 | bmiFilter = $filter('bmi'); 10 | })); 11 | 12 | it("should be defined", function() { 13 | expect(bmiFilter).not.toBeNull(); 14 | }); 15 | 16 | describe("Given BMI is less than 18.5", function () { 17 | it("should return Underweight", function () { 18 | var actual; 19 | actual = bmiFilter(18.4); 20 | expect(actual).toBe('Underweight'); 21 | }); 22 | }); 23 | 24 | describe("Given BMI is greater than or equal to 18.5 and less than 25", function () { 25 | it("should return Normal", function () { 26 | var actual; 27 | actual = bmiFilter(18.6); 28 | expect(actual).toBe('Normal'); 29 | }); 30 | }); 31 | 32 | describe("Given BMI is greater than or equal to 25 and less than 30", function () { 33 | it("should return Overweight", function () { 34 | var actual; 35 | actual = bmiFilter(26); 36 | expect(actual).toBe('Overweight'); 37 | }); 38 | }); 39 | 40 | describe("Given BMI is greater than or equal to 30", function () { 41 | it("should return Obese", function () { 42 | var actual; 43 | actual = bmiFilter(31); 44 | expect(actual).toBe('Obese'); 45 | }); 46 | }); 47 | 48 | }); 49 | -------------------------------------------------------------------------------- /spec/conversionServiceSpec.js: -------------------------------------------------------------------------------- 1 | describe("Conversion service", function() { 2 | var conversionSvc; 3 | 4 | beforeEach(function() { 5 | module('healthApp'); 6 | }); 7 | 8 | beforeEach(inject(function (conversionService) { 9 | conversionSvc = conversionService; 10 | })); 11 | 12 | it("should be defined", function() { 13 | expect(conversionSvc).not.toBeNull(); 14 | }); 15 | 16 | it("should have a conversion function", function () { 17 | expect(conversionSvc.inchesToCentimeters).toBeDefined(); 18 | }) 19 | }); 20 | -------------------------------------------------------------------------------- /spec/conversionsSpec.js: -------------------------------------------------------------------------------- 1 | /** 2 | * Created by jlikness on 9/27/2014. 3 | */ 4 | describe("Conversions", function() { 5 | 6 | var conversions; 7 | 8 | beforeEach(function() { 9 | conversions = new Conversions(); 10 | }); 11 | 12 | describe("Given 12 inches", function () { 13 | 14 | describe("When inches to centimeters is called", function () { 15 | 16 | it("should return 30.48 centimeters", function () { 17 | var actual = conversions.inchesToCentimeters(12); 18 | expect(actual).toBeCloseTo(30.48); 19 | }); 20 | 21 | }); 22 | 23 | describe("When inches to feet is called", function () { 24 | it("should return 1 foot", function () { 25 | var actual = conversions.inchesToFeet(12); 26 | expect(actual).toBeCloseTo(1); 27 | }); 28 | }); 29 | 30 | }); 31 | 32 | describe("Given 50 centimeters when centimeters to inches is called", function () { 33 | it("should return about 19.685 inches", function () { 34 | var actual = conversions.centimetersToInches(50); 35 | expect(actual).toBeCloseTo(19.685); 36 | }) 37 | }); 38 | 39 | describe("Given 130 pounds when pounds to kilograms is called", function () { 40 | it("should return about 58.957 kilograms", function () { 41 | var actual = conversions.poundsToKilograms(130); 42 | expect(actual).toBeCloseTo(58.957); 43 | }) 44 | }); 45 | 46 | describe("Given 60 kilograms when kilograms to pounds is called", function () { 47 | it("should return about 132.3 pounds", function () { 48 | var actual = conversions.kilogramsToPounds(60); 49 | expect(actual).toBeCloseTo(132.3); 50 | }) 51 | }); 52 | }); 53 | -------------------------------------------------------------------------------- /spec/formulaBmiServiceSpec.js: -------------------------------------------------------------------------------- 1 | describe("BMI Formula service", function() { 2 | var formulaBmiSvc; 3 | 4 | beforeEach(function() { 5 | module('healthApp'); 6 | }); 7 | 8 | beforeEach(inject(function (formulaBmiService) { 9 | formulaBmiSvc = formulaBmiService; 10 | })); 11 | 12 | it("should be defined", function() { 13 | expect(formulaBmiSvc).not.toBeNull(); 14 | }); 15 | 16 | it("should be a function", function () { 17 | var fnPrototype = {}, 18 | isFn = formulaBmiSvc && fnPrototype.toString.call(formulaBmiSvc) === '[object Function]'; 19 | expect(isFn).toBe(true); 20 | }) 21 | }); 22 | -------------------------------------------------------------------------------- /spec/formulaBmiSpec.js: -------------------------------------------------------------------------------- 1 | describe("Formula for BMI", function() { 2 | 3 | describe("Given a 5 ft 10 person who weighs 300 pounds", function () { 4 | 5 | it("should compute a BMI of 43", function () { 6 | var actual = formulaBmi({ 7 | height: 70, 8 | weight: 300 9 | }); 10 | expect(actual).toBeCloseTo(43); 11 | }); 12 | 13 | }); 14 | 15 | describe("Given a 5 ft 8 in person who weighs 120 pounds", function () { 16 | 17 | it("should compute a BMI of 18.2", function () { 18 | var actual = formulaBmi({ 19 | height: 68, 20 | weight: 120 21 | }); 22 | expect(actual).toBeCloseTo(18.2); 23 | }); 24 | 25 | }); 26 | }); 27 | -------------------------------------------------------------------------------- /spec/formulaBmrServiceSpec.js: -------------------------------------------------------------------------------- 1 | describe("BMR Formula service", function() { 2 | var formulaBmrSvc; 3 | 4 | beforeEach(function() { 5 | module('healthApp'); 6 | }); 7 | 8 | beforeEach(inject(function (formulaBmrService) { 9 | formulaBmrSvc = formulaBmrService; 10 | })); 11 | 12 | it("should be defined", function() { 13 | expect(formulaBmrSvc).not.toBeNull(); 14 | }); 15 | 16 | it("should be a function", function () { 17 | var fnPrototype = {}, 18 | isFn = formulaBmrSvc && fnPrototype.toString.call(formulaBmrSvc) === '[object Function]'; 19 | expect(isFn).toBe(true); 20 | }) 21 | }); 22 | -------------------------------------------------------------------------------- /spec/formulaBmrSpec.js: -------------------------------------------------------------------------------- 1 | describe("Formula for BMR", function() { 2 | 3 | describe("Given a 40-year old 5 ft 10 in male who weighs 200 pounds", function () { 4 | 5 | it("should compute a BMR of 1929", function () { 6 | var actual = formulaBmr({ 7 | isMale: true, 8 | height: 70, 9 | weight: 200, 10 | age: 40 11 | }); 12 | expect(actual).toEqual(1929); 13 | }); 14 | 15 | }); 16 | 17 | describe("Given a 35-year old 5 ft 8 in female who weighs 120 pounds", function () { 18 | 19 | it("should compute a BMR of 1332", function () { 20 | var actual = formulaBmr({ 21 | isMale: false, 22 | height: 68, 23 | weight: 120, 24 | age: 35 25 | }); 26 | expect(actual).toEqual(1332); 27 | }); 28 | 29 | }); 30 | }); 31 | -------------------------------------------------------------------------------- /spec/formulaControllerSpec.js: -------------------------------------------------------------------------------- 1 | describe("Formula controller", function() { 2 | var formulaController, uomSvc, userProfileSvc; 3 | 4 | beforeEach(function() { 5 | module('healthApp'); 6 | }); 7 | 8 | beforeEach(inject(function ($controller, uomService, userProfileService) { 9 | formulaController = $controller('formulaCtrl'); 10 | uomSvc = uomService; 11 | userProfileSvc = userProfileService; 12 | })); 13 | 14 | it("should be defined", function() { 15 | expect(formulaController).not.toBeNull(); 16 | }); 17 | 18 | it("should contain a reference to the unit of measure service", function () { 19 | expect(formulaController.uomService).not.toBeNull(); 20 | }); 21 | 22 | it("should contain a reference to the user profile service", function () { 23 | expect(formulaController.userProfileService).not.toBeNull(); 24 | }); 25 | 26 | describe("Given a 40-year old 5 ft 10 in male who weighs 200 pounds", function () { 27 | 28 | it("bmrValue should be 1929", function () { 29 | uomSvc.usMeasure = true; 30 | userProfileSvc.isMale = true; 31 | userProfileSvc.ageYears = 40; 32 | userProfileSvc.heightInches = 5*12 + 10; 33 | userProfileSvc.weightPounds = 200; 34 | expect(formulaController.bmrValue).toBeCloseTo(1929); 35 | }); 36 | 37 | }); 38 | 39 | describe("Given a 5 ft 8 in person who weighs 120 pounds", function () { 40 | 41 | it("bmiValue should be 18.2", function () { 42 | uomSvc.usMeasure = true; 43 | userProfileSvc.isMale = true; 44 | userProfileSvc.ageYears = 40; 45 | userProfileSvc.heightInches = 5*12 + 8; 46 | userProfileSvc.weightPounds = 120; 47 | expect(formulaController.bmiValue).toBeCloseTo(18.2); 48 | }); 49 | 50 | }); 51 | 52 | describe("Given a 40-year old", function () { 53 | 54 | it("thrValue should be min 90 and max 153", function () { 55 | uomSvc.usMeasure = true; 56 | userProfileSvc.isMale = true; 57 | userProfileSvc.ageYears = 40; 58 | userProfileSvc.heightInches = 5*12 + 8; 59 | userProfileSvc.weightPounds = 120; 60 | expect(formulaController.thrValue.min).toBeCloseTo(90); 61 | expect(formulaController.thrValue.max).toBeCloseTo(153); 62 | }); 63 | 64 | }); 65 | }); 66 | -------------------------------------------------------------------------------- /spec/formulaThrServiceSpec.js: -------------------------------------------------------------------------------- 1 | describe("THR Formula service", function() { 2 | var formulaThrSvc; 3 | 4 | beforeEach(function() { 5 | module('healthApp'); 6 | }); 7 | 8 | beforeEach(inject(function (formulaThrService) { 9 | formulaThrSvc = formulaThrService; 10 | })); 11 | 12 | it("should be defined", function() { 13 | expect(formulaThrSvc).not.toBeNull(); 14 | }); 15 | 16 | it("should be a function", function () { 17 | var fnPrototype = {}, 18 | isFn = formulaThrSvc && fnPrototype.toString.call(formulaThrSvc) === '[object Function]'; 19 | expect(isFn).toBe(true); 20 | }) 21 | }); 22 | -------------------------------------------------------------------------------- /spec/formulaThrSpec.js: -------------------------------------------------------------------------------- 1 | describe("Formula for Target Heart Rate", function() { 2 | 3 | describe("Given a 40-year old", function () { 4 | 5 | it("should compute a THR of 90 to 153", function () { 6 | var actual = formulaThr(40); 7 | expect(actual.min).toBeCloseTo(90); 8 | expect(actual.max).toBeCloseTo(153); 9 | }); 10 | 11 | }); 12 | 13 | }); 14 | -------------------------------------------------------------------------------- /spec/genderFilterSpec.js: -------------------------------------------------------------------------------- 1 | describe("Gender filter", function() { 2 | var genderFilter; 3 | 4 | beforeEach(function() { 5 | module('healthApp'); 6 | }); 7 | 8 | beforeEach(inject(function ($filter) { 9 | genderFilter = $filter('gender'); 10 | })); 11 | 12 | it("should be defined", function() { 13 | expect(genderFilter).not.toBeNull(); 14 | }); 15 | 16 | describe("Given null value", function () { 17 | it("when filter called then it should return female", function () { 18 | var actual = genderFilter(null); 19 | expect(actual).toBe('Female'); 20 | }); 21 | }); 22 | 23 | 24 | describe("with male set", function () { 25 | it("when filter called then it should return Male", function () { 26 | var actual = genderFilter(true); 27 | expect(actual).toBe('Male'); 28 | }); 29 | }); 30 | 31 | describe("with male not set", function () { 32 | it("when filter called then it should return Female", function () { 33 | var actual = genderFilter(false); 34 | expect(actual).toBe('Female'); 35 | }); 36 | }); 37 | 38 | }); 39 | -------------------------------------------------------------------------------- /spec/heightFilterSpec.js: -------------------------------------------------------------------------------- 1 | describe("Height filter", function() { 2 | var heightFilter, uomSvc; 3 | 4 | beforeEach(function() { 5 | module('healthApp'); 6 | }); 7 | 8 | beforeEach(inject(function (uomService, $filter) { 9 | uomSvc = uomService; 10 | heightFilter = $filter('height'); 11 | })); 12 | 13 | it("should be defined", function() { 14 | expect(heightFilter).not.toBeNull(); 15 | }); 16 | 17 | describe("Given height in inches of 70", function () { 18 | describe("and U.S. measurement", function () { 19 | it("when filter called then it should return 5 ft. 10 in.", function () { 20 | var actual; 21 | uomSvc.usMeasure = true; 22 | actual = heightFilter(70); 23 | expect(actual).toBe('5 ft. 10 in.'); 24 | }); 25 | }); 26 | describe("and Metric measurement", function () { 27 | it("when filter called then it should return 178 cm.", function () { 28 | var actual; 29 | uomSvc.usMeasure = false; 30 | actual = heightFilter(70); 31 | expect(actual).toBe('178 cm.'); 32 | }); 33 | describe("and no conversion specified", function () { 34 | it("when filter called then it should return 70 cm.", function () { 35 | var actual; 36 | uomSvc.usMeasure = false; 37 | actual = heightFilter(70, false); 38 | expect(actual).toBe('70 cm.'); 39 | ; }); 40 | }); 41 | }); 42 | }); 43 | }); 44 | -------------------------------------------------------------------------------- /spec/unitOfMeasureControllerSpec.js: -------------------------------------------------------------------------------- 1 | describe("Unit of measure controller", function() { 2 | var uomController; 3 | 4 | beforeEach(function() { 5 | module('healthApp'); 6 | }); 7 | 8 | beforeEach(inject(function ($controller) { 9 | uomController = $controller('uomCtrl'); 10 | })); 11 | 12 | it("should be defined", function() { 13 | expect(uomController).not.toBeNull(); 14 | }); 15 | 16 | it("should contain a reference to the unit of measure service", function () { 17 | expect(uomController.uomService).not.toBeNull(); 18 | }); 19 | }); 20 | -------------------------------------------------------------------------------- /spec/unitOfMeasureFilterSpec.js: -------------------------------------------------------------------------------- 1 | describe("Unit of measure filter", function() { 2 | var uomFilter; 3 | 4 | beforeEach(function() { 5 | module('healthApp'); 6 | }); 7 | 8 | beforeEach(inject(function ($filter) { 9 | uomFilter = $filter('uom'); 10 | })); 11 | 12 | it("should be defined", function() { 13 | expect(uomFilter).not.toBeNull(); 14 | }); 15 | 16 | describe("Given null property", function () { 17 | it("when filter called then it should return Metric", function () { 18 | var actual = uomFilter(null); 19 | expect(actual).toBe('Metric'); 20 | }); 21 | }); 22 | 23 | describe("Given uom service", function () { 24 | 25 | describe("with U.S. set", function () { 26 | it("when filter called then it should return U.S.", function () { 27 | var actual = uomFilter(true); 28 | expect(actual).toBe('U.S.'); 29 | }); 30 | }); 31 | 32 | describe("with U.S. not set", function () { 33 | it("when filter called then it should return Metric", function () { 34 | var actual = uomFilter(false); 35 | expect(actual).toBe('Metric'); 36 | }); 37 | }); 38 | }); 39 | 40 | }); 41 | -------------------------------------------------------------------------------- /spec/unitOfMeasureServiceSpec.js: -------------------------------------------------------------------------------- 1 | describe("Unit of measure service", function() { 2 | var uomSvc; 3 | 4 | beforeEach(function() { 5 | module('healthApp'); 6 | }); 7 | 8 | beforeEach(inject(function (uomService) { 9 | uomSvc = uomService; 10 | })); 11 | 12 | it("should be defined", function() { 13 | expect(uomSvc).not.toBeNull(); 14 | }); 15 | 16 | it("should default to U.S.", function () { 17 | expect(uomSvc.usMeasure).toBe(true); 18 | expect(uomSvc.metricMeasure).toBe(false); 19 | }) 20 | }); 21 | -------------------------------------------------------------------------------- /spec/unitOfMeasureStateSpec.js: -------------------------------------------------------------------------------- 1 | describe("Unit of measure state", function() { 2 | var uomState; 3 | 4 | beforeEach(function() { 5 | uomState = new UnitOfMeasureState(); 6 | }); 7 | 8 | it("Should default to U.S.", function() { 9 | expect(uomState.usMeasure).toEqual(true); 10 | expect(uomState.metricMeasure).toEqual(false); 11 | }); 12 | 13 | describe("Given default state when toggle is called", function() { 14 | it("then it should flip the values", function () { 15 | uomState.toggle(); 16 | expect(uomState.usMeasure).toEqual(false); 17 | expect(uomState.metricMeasure).toEqual(true); 18 | }) 19 | }); 20 | 21 | describe("Given default state when metric measure is set", function () { 22 | it("then it should reset the U.S. measure", function () { 23 | uomState.metricMeasure = true; 24 | expect(uomState.usMeasure).toEqual(false); 25 | expect(uomState.metricMeasure).toEqual(true); 26 | }) 27 | }); 28 | 29 | describe("Given the default state", function () { 30 | it("when measure is set to truthsy value then it should be true", function () { 31 | uomState.metricMeasure = "true"; 32 | expect(uomState.metricMeasure).toBe(true); 33 | }); 34 | it("when measure is set to falsy value then it should be false", function () { 35 | uomState.metricMeasure = 0; 36 | expect(uomState.metricMeasure).toBe(false); 37 | }); 38 | }); 39 | }); 40 | -------------------------------------------------------------------------------- /spec/userProfileControllerSpec.js: -------------------------------------------------------------------------------- 1 | describe("User profile controller", function() { 2 | var userProfileController, uomSvc, userProfileSvc; 3 | 4 | beforeEach(function() { 5 | module('healthApp'); 6 | }); 7 | 8 | beforeEach(inject(function ($controller, uomService, userProfileService) { 9 | userProfileController = $controller('userProfileCtrl'); 10 | uomSvc = uomService; 11 | userProfileSvc = userProfileService; 12 | })); 13 | 14 | it("should be defined", function() { 15 | expect(userProfileController).not.toBeNull(); 16 | }); 17 | 18 | it("should contain a reference to the user profile service", function () { 19 | expect(userProfileController.userProfileService).not.toBeNull(); 20 | }); 21 | 22 | it("should contain a reference to the unit of measure service", function () { 23 | expect(userProfileController.uomService).not.toBeNull(); 24 | }); 25 | 26 | it("should contain a reference to the conversion service", function () { 27 | expect(userProfileController.conversionService).not.toBeNull(); 28 | }); 29 | 30 | describe("Given controller when height is 60 inches and unit of measure is U.S.", function () { 31 | beforeEach(function () { 32 | uomSvc.usMeasure = true; 33 | }); 34 | 35 | it("then should expose 24 inches (2 feet) for minimum height range", function () { 36 | expect(userProfileController.minHeightRange).toBe(24); 37 | }); 38 | it("then should expose 84 inches (7 feet) for maximum height range", function () { 39 | expect(userProfileController.maxHeightRange).toBe(84); 40 | }); 41 | it("then should expose 60 inches for height value", function () { 42 | expect(userProfileController.heightValue).toBe(60); 43 | }); 44 | }); 45 | 46 | describe("Given controller when height is 60 inches and unit of measure is Metric", function () { 47 | beforeEach(function () { 48 | uomSvc.metricMeasure = true; 49 | }); 50 | 51 | it("then should expose 60 centimeters for minimum height range", function () { 52 | expect(userProfileController.minHeightRange).toBe(60); 53 | }); 54 | it("then should expose 215 centimeters for maximum height range", function () { 55 | expect(userProfileController.maxHeightRange).toBe(215); 56 | }); 57 | it("then should expose about 152.4 centimeters for height value", function () { 58 | expect(userProfileController.heightValue).toBeCloseTo(152.4); 59 | }); 60 | }); 61 | 62 | describe("Given controller when weight is 130 pounds and unit of measure is U.S.", function () { 63 | beforeEach(function () { 64 | uomSvc.usMeasure = true; 65 | }); 66 | it("then should expose 20 pounds for minimum weight range", function () { 67 | expect(userProfileController.minWeightRange).toBe(20); 68 | }); 69 | it("then should expose 400 pounds for maximum weight range", function () { 70 | expect(userProfileController.maxWeightRange).toBe(400); 71 | }); 72 | it("then should expose 130 pounds for weight value", function () { 73 | expect(userProfileController.weightValue).toBeCloseTo(130); 74 | }); 75 | }); 76 | 77 | describe("Given controller when weight is 130 pounds and unit of measure is kilograms", function () { 78 | beforeEach(function () { 79 | uomSvc.metricMeasure = true; 80 | }); 81 | it("then should expose 9 kilograms for minimum weight range", function () { 82 | expect(userProfileController.minWeightRange).toBe(9); 83 | }); 84 | it("then should expose 182 kilograms for maximum weight range", function () { 85 | expect(userProfileController.maxWeightRange).toBe(182); 86 | }); 87 | it("then should expose 58.957 kilograms for weight value", function () { 88 | expect(userProfileController.weightValue).toBeCloseTo(58.957); 89 | }); 90 | }); 91 | 92 | describe("Given controller when weight is set to valid range of 20 - 400 pounds", function () { 93 | it("then should update on the user profile", function () { 94 | uomSvc.usMeasure = true; 95 | userProfileSvc.weightPounds = 130; 96 | userProfileController.weightValue = 100; 97 | expect(userProfileSvc.weightPounds).toBeCloseTo(100); 98 | }); 99 | }); 100 | 101 | describe("Given controller when weight is set to invalid value or range outside of 20 - 400 pounds", function () { 102 | it("then should not update on the user profile", function () { 103 | uomSvc.usMeasure = true; 104 | userProfileSvc.weightPounds = 130; 105 | userProfileController.weightValue = 0; 106 | expect(userProfileSvc.weightPounds).toBeCloseTo(130); 107 | userProfileController.weightValue = "invalid"; 108 | expect(userProfileSvc.weightPounds).toBeCloseTo(130); 109 | }); 110 | }); 111 | 112 | describe("Given controller when age is set to valid range of 13 - 120 years", function () { 113 | it("then should update on the user profile", function () { 114 | userProfileSvc.ageYears = 40; 115 | userProfileController.ageValue = 100; 116 | expect(userProfileSvc.ageYears).toBeCloseTo(100); 117 | }); 118 | }); 119 | 120 | describe("Given controller when age is set to invalid value or range outside of 13 - 120 years", function () { 121 | it("then should not update on the user profile", function () { 122 | userProfileSvc.age = 40; 123 | userProfileController.ageValue = 0; 124 | expect(userProfileSvc.age).toBeCloseTo(40); 125 | userProfileController.ageValue = "invalid"; 126 | expect(userProfileSvc.age).toBeCloseTo(40); 127 | }); 128 | }); 129 | 130 | }); 131 | -------------------------------------------------------------------------------- /spec/userProfileServiceSpec.js: -------------------------------------------------------------------------------- 1 | describe("User profile service", function() { 2 | var userProfileSvc; 3 | 4 | beforeEach(function() { 5 | module('healthApp'); 6 | }); 7 | 8 | beforeEach(inject(function (userProfileService) { 9 | userProfileSvc = userProfileService; 10 | })); 11 | 12 | it("should be defined", function() { 13 | expect(userProfileSvc).not.toBeNull(); 14 | }); 15 | 16 | it("should have isMale property", function () { 17 | expect(userProfileSvc.isMale).toBeDefined(); 18 | }); 19 | }); 20 | -------------------------------------------------------------------------------- /spec/userProfileSpec.js: -------------------------------------------------------------------------------- 1 | describe("User profile", function() { 2 | var userPRofile; 3 | 4 | beforeEach(function() { 5 | userProfile = new UserProfile(); 6 | }); 7 | 8 | it("Should default to male", function() { 9 | expect(userProfile.isMale).toEqual(true); 10 | expect(userProfile.isFemale).toEqual(false); 11 | }); 12 | 13 | describe("Given default state", function () { 14 | 15 | beforeEach(function () { 16 | userProfile = new UserProfile(); 17 | }); 18 | 19 | it("when toggleGender is called then it should flip the values", function () { 20 | userProfile.toggleGender(); 21 | expect(userProfile.isMale).toEqual(false); 22 | expect(userProfile.isFemale).toEqual(true); 23 | }); 24 | 25 | it("when female is setthen it should reset male", function () { 26 | userProfile.isFemale = true; 27 | expect(userProfile.isMale).toEqual(false); 28 | expect(userProfile.isFemale).toEqual(true); 29 | }); 30 | 31 | 32 | it("when male is set to truthsy value then it should be true", function () { 33 | userProfile.isMale = "true"; 34 | expect(userProfile.isMale).toBe(true); 35 | }); 36 | 37 | it("when male is set to falsy value then it should be false", function () { 38 | userProfile.isMale = 0; 39 | expect(userProfile.isMale).toBe(false); 40 | }); 41 | 42 | it("should default to 60 inches height", function () { 43 | expect(userProfile.heightInches).toBe(60); 44 | }); 45 | 46 | it("should default to 130 pounds weight", function () { 47 | expect(userProfile.weightPounds).toBe(130); 48 | }); 49 | 50 | it("should default to 40 years age", function () { 51 | expect(userProfile.ageYears).toBe(40); 52 | }); 53 | }); 54 | }); 55 | -------------------------------------------------------------------------------- /spec/weightFilterSpec.js: -------------------------------------------------------------------------------- 1 | describe("Weight filter", function() { 2 | var weightFilter; 3 | 4 | beforeEach(function() { 5 | module('healthApp'); 6 | }); 7 | 8 | beforeEach(inject(function ($filter) { 9 | weightFilter = $filter('weight'); 10 | })); 11 | 12 | it("should be defined", function() { 13 | expect(weightFilter).not.toBeNull(); 14 | }); 15 | 16 | describe("Given U.S. measurement when filter called", function () { 17 | it("should return lbs.", function () { 18 | var actual; 19 | actual = weightFilter(true); 20 | expect(actual).toBe('lbs.'); 21 | }); 22 | }); 23 | 24 | describe("Given metric measurement when filter called", function () { 25 | it("should return kgs.", function () { 26 | var actual; 27 | actual = weightFilter(false); 28 | expect(actual).toBe('kgs.'); 29 | }); 30 | }); 31 | }); 32 | -------------------------------------------------------------------------------- /test.html: -------------------------------------------------------------------------------- 1 | 2 | 3 | 4 | 5 | Jasmine Spec Runner v2.0.2 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 | --------------------------------------------------------------------------------