Filter
-
Content Type
-
Category
Mobile/Wearable
Visual Display
Digital Appliance
Platform
Recommendations
Filter
Develop Smart TV
docaudio in c++ importantdue to nacl deprecation by the chromium project, tizen tv will continue its support for nacl only until 2021-year products meanwhile, tizen tv will start focusing on high-performance, cross-browser webassembly from 2020-year products this topic describes the "audio in c++" sample application implementation samples audio this tutorial describes how to implement a simple audio playback application that can load and play multiple audio files the user can load wav sounds and start, pause, and stop their playback for information on how to access the sample application cheat sheet and run the application, see sample-based tutorials in the sample application source code, pay attention to the following member variables in the audioinstance class audio_ is a pp audio object header_ is a pointer to a wav file header file_data_bytes_ is the wav file data sound_instances_ is a vector of sound instances read from the wav file active_sounds_ is an array of the active sound instances file_names_ is a vector of wav file names initializing the instance and context to implement audio playback, you must initialize the instance and the audio context in the class constructor, initialize the required members, callback factory, and the logger class audioinstance audioinstance pp_instance instance pp instance instance , file_number_ 0 , active_sounds_number_ 0 , callback_factory_ this { file_names_ reserve knumberofinputsounds ; logger initializeinstance this ; } initialize the audio context define the audio buffer size by retrieving the recommended sample frame count for the given audio parameters, using the recommendsampleframecount function initialize the audio playback configuration object with the retrieved sample frame count initialize the pp audio instance with the audioconfig object and the audiocallback function pointer the audiocallback function implements the main audio playback logic it is called repeatedly during playback, and mixes the audio data from multiple files bool audioinstance init uint32_t /*argc*/, const char* /*argn*/[], const char* /*argv*/[] { // retrieve the recommended sample frame count sample_frame_count_ = pp audioconfig recommendsampleframecount this, pp_audiosamplerate_44100, sample_frame_count ; // create an audio resource configuration with a 44 1 khz sample rate // and the recommended sample frame count pp audioconfig audio_config = pp audioconfig this, pp_audiosamplerate_44100, sample_frame_count_ ; audio_ = pp audio this, // pointer to pp instance audio_config, audiocallback, this ; // argument of type void* for the audiocallback call return true; } implementing playback controls when a playback control button is clicked, the javascript application component uses the postmessage method to notify the native client nacl plugin in the nacl plugin, parse the received message using the handlemessage function and pass the data to the appropriate playback control function void audioinstance handlemessage const pp var& var_message { if var_message is_string { const std string message = var_message asstring ; if startswith message, kplaycommand { // start playback play getidfrommessage message, kplaycommand ; } else if startswith message, kpausecommand { // pause playback pause getidfrommessage message, kpausecommand ; } else if startswith message, kstopcommand { // stop playback stop getidfrommessage message, kstopcommand ; } else if startswith message, kloadcommand { // receive the file url and load it preparereadingfile message substr strlen kloadcommand ; } } } to implement the playback controls to load and read an audio file load the wav file to a data buffer using the preparereadingfile function in the readwave function, interpret the wav data copy the input string to a char vector, and cast the pointer for the data vector to the wavefileheader structure pointer this structure checks whether the header is correctly formatted if the header check succeeds, cast the address for the beginning of the rest of the data array to a smart pointer create a soundinstance object to contain the audio data push the soundinstance object to the sound_instances_ collection, from where it can be retrieved for playback void audioinstance readwave const std string& data { logger log "interpreting wave data of file %s", file_names_[file_number_] c_str ; // clean and create a buffer for interpreting file data file_data_bytes_ reset new char[data size + 1] ; // copy file data to the buffer std copy data begin , data end , file_data_bytes_ get ; file_data_bytes_[data size ] = '\0'; // read the header data header_ = reinterpret_cast<wavefileheader*> file_data_bytes_ get ; // check for malformed header std string header_error = checkforwaveheadererrors *header_ ; if !header_error empty { logger error "unsupported file %s - bad header \n%s", file_names_[file_number_] c_str , header_error c_str ; postmessage createcommandmessage kerrormessage, file_number_ ; return; } std unique_ptr<uint16_t> sample_data reinterpret_cast<uint16_t*> file_data_bytes_ get + sizeof wavefileheader ; // create a sound instance, fill its fields, and add it // to the sound instances vector std shared_ptr<soundinstance> instance new soundinstance file_number_, header_->num_channels, data size - sizeof wavefileheader / sizeof uint16_t , &sample_data ; sound_instances_ insert std pair<int, std shared_ptr<soundinstance> > instance->id_, instance ; // notify the javascript component postmessage createcommandmessage kfileloadedmessage, file_number_ ; logger log "file %s data loaded", file_names_[file_number_] c_str ; } to start playback check whether any sounds are currently active and playing if no sounds are active, start playback by using the startplayback function to initiate the audio callback loop flag the sound as active and increment the active sounds counter notify the javascript component that playback has started void audioinstance play int number { // start playing if nothing is active if active_sounds_number_ == 0 { audio_ startplayback ; logger log "playing started" ; } assert number - 1 >= 0 || number - 1 < knumberofinputsounds ; active_sounds_[number - 1] = true; ++active_sounds_number_; // notify the javascript component postmessage createcommandmessage kplaymessage, number ; } to pause playback flag the sound as inactive and decrement the active sounds counter if there are no active sounds, stop the audio callback loop using the stopplayback function notify the javascript component that playback has paused void audioinstance pause int number { // set the sound as inactive --active_sounds_number_; assert number - 1 >= 0 || number - 1 < knumberofinputsounds ; active_sounds_[number - 1] = false; // stop playing if nothing is active if active_sounds_number_ == 0 { audio_ stopplayback ; logger log "playing stopped" ; } // notify the javascript component postmessage createcommandmessage kpausemessage, number ; } to stop playback flag the sound as inactive and decrement the active sounds counter if there are no active sounds, stop the audio callback loop using the stopplayback function reset the sample_data_offset_ variable, so the file plays from the beginning the next time playback starts notify the javascript component that playback has stopped void audioinstance stop int number { // set the sound as inactive assert number - 1 >= 0 || number - 1 < knumberofinputsounds ; if active_sounds_[number - 1] { --active_sounds_number_; active_sounds_[number - 1] = false; } // stop playing if nothing is active if active_sounds_number_ == 0 { audio_ stopplayback ; logger log "playing stopped" ; } // reset the playback offset sound_instances_[number]->sample_data_offset_ = 0; // notify the javascript component postmessage createcommandmessage kstopmessage, number ; } implementing the audio callback loop the audio callback loop fills the audio buffer with sample data and mixes data from multiple sources in real time during playback, the audiocallback function is called regularly each iteration fills the buffer with the next chunk of data cast the pointer to the audioinstance object and buffer, and fill the buffer with zeroes to maintain the same overall volume level regardless of the number of sounds playing simultaneously, calculate a volume modifier the modifer is defined as the inverse square root of the active sound count fill the buffer with data for each soundinstance object in the sound_instances_ map check whether the end of the sound data has been reached write the data chunk located at the soundinstance object data offset to the buffer using the safeadd function this constrains the buffer values to between a minimum and maximum value for each sample increment the data offset in the soundinstance object the data offset allows the buffer to resume filling from the last position the next time the audiocallback function is called if the end of any soundinstance data is reached, notify the javascript component void audioinstance audiocallback void* samples, uint32_t buffer_size, void* data { // instance pointer is passed when creating audio resource audioinstance* audio_instance = reinterpret_cast<audioinstance*> data ; // fill the audio buffer int16_t* buff = reinterpret_cast<int16_t*> samples ; memset buff, 0, buffer_size ; assert audio_instance->active_sounds_number_ > 0 ; // compute the volume of the sound instances const double volume = 1 0 / sqrt audio_instance->active_sounds_number_ ; // prevent writing outside the buffer assert buffer_size >= sizeof *buff * max_channels_number * audio_instance->sample_frame_count_ ; for soundinstances iterator it = audio_instance->sound_instances_ begin ; it != audio_instance->sound_instances_ end ; ++it { std shared_ptr<soundinstance> instance it->second ; // main loop for writing samples to audio buffer for size_t i = 0; i < audio_instance->sample_frame_count_; ++i { // if there are samples to play if audio_instance->active_sounds_[instance->id_ - 1] && instance->sample_data_offset_ < instance->sample_data_size_ { audio_instance->safeadd &buff[2 * i], volume * int16_t instance->sample_data_[instance->sample_data_offset_] ; // for mono sound, each sample is passed to both channels, but for // stereo sound, samples are written successively to all channels if instance->channels_ == 2 { ++instance->sample_data_offset_; } audio_instance->safeadd &buff[2 * i + 1], volume * int16_t instance->sample_data_[instance->sample_data_offset_] ; ++instance->sample_data_offset_; } } // when the end of a sound is reached, stop playing it if instance->sample_data_offset_ == instance->sample_data_size_ { // pepper api calls are normally avoided in audio callbacks, // as they can cause audio dropouts when the audio callback thread // is swapped out // audio dropout is not a concern here because the audio has ended audio_instance->postmessage audio_instance->createcommandmessage kreturnstopmessage, instance->id_ ; } } }
SDP DevOps
docopen source licenses portions of the samsung developers website use tools, libraries or contents governed by one or more of the following licenses table of contents license type s project terms apache 2 0 amazon aws-cli license text amazon aws-sdk-js license text docker license text embedded javascript templates license text node-geoip license text request license text bsd 3 0 sprintf js license text jquery easing license text cc by 4 0 font awesome license text cc-by-sa geolite2 database license text isc request-promise license text mit axios license text babel license text body-parser license text bootstrap license text cheerio license text chokidar license text clipboard js license text cookie-parser license text cookie-session license text csurf license text express license text form-data license text fs-extra license text helmet license text i18n-node license text jquery highlight license text jquery license text js-beautify license text json2csv license text json web token license text markdown-it license text markdown-it-multimd-table license text mermaid license text minify license text moment license text multer license text multer-s3 license text node js license text node-cache license text node-sass license text node-xml2js license text passport license text passport-http license text prism js license text showdown license text twbs-pagination license text underscore license text xml-js license text yaml js license text mpl 2 0 pem-jwk license text apache license apache license version 2 0, january 2004 <http //www apache org/licenses/> terms and conditions for use, reproduction, and distribution 1 definitions “license” shall mean the terms and conditions for use, reproduction, and distribution as defined by sections 1 through 9 of this document “licensor” shall mean the copyright owner or entity authorized by the copyright owner that is granting the license “legal entity” shall mean the union of the acting entity and all other entities that control, are controlled by, or are under common control with that entity for the purposes of this definition, “control” means i the power, direct or indirect, to cause the direction or management of such entity, whether by contract or otherwise, or ii ownership of fifty percent 50% or more of the outstanding shares, or iii beneficial ownership of such entity “you” or “your” shall mean an individual or legal entity exercising permissions granted by this license “source” form shall mean the preferred form for making modifications, including but not limited to software source code, documentation source, and configuration files “object” form shall mean any form resulting from mechanical transformation or translation of a source form, including but not limited to compiled object code, generated documentation, and conversions to other media types “work” shall mean the work of authorship, whether in source or object form, made available under the license, as indicated by a copyright notice that is included in or attached to the work an example is provided in the appendix below “derivative works” shall mean any work, whether in source or object form, that is based on or derived from the work and for which the editorial revisions, annotations, elaborations, or other modifications represent, as a whole, an original work of authorship for the purposes of this license, derivative works shall not include works that remain separable from, or merely link or bind by name to the interfaces of, the work and derivative works thereof “contribution” shall mean any work of authorship, including the original version of the work and any modifications or additions to that work or derivative works thereof, that is intentionally submitted to licensor for inclusion in the work by the copyright owner or by an individual or legal entity authorized to submit on behalf of the copyright owner for the purposes of this definition, “submitted” means any form of electronic, verbal, or written communication sent to the licensor or its representatives, including but not limited to communication on electronic mailing lists, source code control systems, and issue tracking systems that are managed by, or on behalf of, the licensor for the purpose of discussing and improving the work, but excluding communication that is conspicuously marked or otherwise designated in writing by the copyright owner as “not a contribution ” “contributor” shall mean licensor and any individual or legal entity on behalf of whom a contribution has been received by licensor and subsequently incorporated within the work 2 grant of copyright license subject to the terms and conditions of this license, each contributor hereby grants to you a perpetual, worldwide, non-exclusive, no-charge, royalty-free, irrevocable copyright license to reproduce, prepare derivative works of, publicly display, publicly perform, sublicense, and distribute the work and such derivative works in source or object form 3 grant of patent license subject to the terms and conditions of this license, each contributor hereby grants to you a perpetual, worldwide, non-exclusive, no-charge, royalty-free, irrevocable except as stated in this section patent license to make, have made, use, offer to sell, sell, import, and otherwise transfer the work, where such license applies only to those patent claims licensable by such contributor that are necessarily infringed by their contribution s alone or by combination of their contribution s with the work to which such contribution s was submitted if you institute patent litigation against any entity including a cross-claim or counterclaim in a lawsuit alleging that the work or a contribution incorporated within the work constitutes direct or contributory patent infringement, then any patent licenses granted to you under this license for that work shall terminate as of the date such litigation is filed 4 redistribution you may reproduce and distribute copies of the work or derivative works thereof in any medium, with or without modifications, and in source or object form, provided that you meet the following conditions a you must give any other recipients of the work or derivative works a copy of this license; and b you must cause any modified files to carry prominent notices stating that you changed the files; and c you must retain, in the source form of any derivative works that you distribute, all copyright, patent, trademark, and attribution notices from the source form of the work, excluding those notices that do not pertain to any part of the derivative works; and d if the work includes a “notice” text file as part of its distribution, then any derivative works that you distribute must include a readable copy of the attribution notices contained within such notice file, excluding those notices that do not pertain to any part of the derivative works, in at least one of the following places within a notice text file distributed as part of the derivative works; within the source form or documentation, if provided along with the derivative works; or, within a display generated by the derivative works, if and wherever such third-party notices normally appear the contents of the notice file are for informational purposes only and do not modify the license you may add your own attribution notices within derivative works that you distribute, alongside or as an addendum to the notice text from the work, provided that such additional attribution notices cannot be construed as modifying the license you may add your own copyright statement to your modifications and may provide additional or different license terms and conditions for use, reproduction, or distribution of your modifications, or for any such derivative works as a whole, provided your use, reproduction, and distribution of the work otherwise complies with the conditions stated in this license 5 submission of contributions unless you explicitly state otherwise, any contribution intentionally submitted for inclusion in the work by you to the licensor shall be under the terms and conditions of this license, without any additional terms or conditions notwithstanding the above, nothing herein shall supersede or modify the terms of any separate license agreement you may have executed with licensor regarding such contributions 6 trademarks this license does not grant permission to use the trade names, trademarks, service marks, or product names of the licensor, except as required for reasonable and customary use in describing the origin of the work and reproducing the content of the notice file 7 disclaimer of warranty unless required by applicable law or agreed to in writing, licensor provides the work and each contributor provides its contributions on an “as is” basis, without warranties or conditions of any kind, either express or implied, including, without limitation, any warranties or conditions of title, non-infringement, merchantability, or fitness for a particular purpose you are solely responsible for determining the appropriateness of using or redistributing the work and assume any risks associated with your exercise of permissions under this license 8 limitation of liability in no event and under no legal theory, whether in tort including negligence , contract, or otherwise, unless required by applicable law such as deliberate and grossly negligent acts or agreed to in writing, shall any contributor be liable to you for damages, including any direct, indirect, special, incidental, or consequential damages of any character arising as a result of this license or out of the use or inability to use the work including but not limited to damages for loss of goodwill, work stoppage, computer failure or malfunction, or any and all other commercial damages or losses , even if such contributor has been advised of the possibility of such damages 9 accepting warranty or additional liability while redistributing the work or derivative works thereof, you may choose to offer, and charge a fee for, acceptance of support, warranty, indemnity, or other liability obligations and/or rights consistent with this license however, in accepting such obligations, you may act only on your own behalf and on your sole responsibility, not on behalf of any other contributor, and only if you agree to indemnify, defend, and hold each contributor harmless for any liability incurred by, or claims asserted against, such contributor by reason of your accepting any such warranty or additional liability end of terms and conditions appendix how to apply the apache license to your work to apply the apache license to your work, attach the following boilerplate notice, with the fields enclosed by brackets [] replaced with your own identifying information don't include the brackets! the text should be enclosed in the appropriate comment syntax for the file format we also recommend that a file or class name and description of purpose be included on the same “printed page” as the copyright notice for easier identification within third-party archives copyright [yyyy] [name of copyright owner] licensed under the apache license, version 2 0 the "license" ; you may not use this file except in compliance with the license you may obtain a copy of the license at http //www apache org/licenses/license-2 0 unless required by applicable law or agreed to in writing, software distributed under the license is distributed on an "as is" basis, without warranties or conditions of any kind, either express or implied see the license for the specific language governing permissions and limitations under the license mozilla license mozilla public license version 2 0 1 definitions 1 1 “contributor” means each individual or legal entity that creates, contributes to the creation of, or owns covered software 1 2 “contributor version” means the combination of the contributions of others if any used by a contributor and that particular contributor's contribution 1 3 “contribution” means covered software of a particular contributor 1 4 “covered software” means source code form to which the initial contributor has attached the notice in exhibit a, the executable form of such source code form, and modifications of such source code form, in each case including portions thereof 1 5 “incompatible with secondary licenses” means a that the initial contributor has attached the notice described in exhibit b to the covered software; or b that the covered software was made available under the terms of version 1 1 or earlier of the license, but not also under the terms of a secondary license 1 6 “executable form” means any form of the work other than source code form 1 7 “larger work” means a work that combines covered software with other material, in a separate file or files, that is not covered software 1 8 “license” means this document 1 9 “licensable” means having the right to grant, to the maximum extent possible, whether at the time of the initial grant or subsequently, any and all of the rights conveyed by this license 1 10 “modifications” means any of the following a any file in source code form that results from an addition to, deletion from, or modification of the contents of covered software; or b any new file in source code form that contains any covered software 1 11 “patent claims” of a contributor means any patent claim s , including without limitation, method, process, and apparatus claims, in any patent licensable by such contributor that would be infringed, but for the grant of the license, by the making, using, selling, offering for sale, having made, import, or transfer of either its contributions or its contributor version 1 12 “secondary license” means either the gnu general public license, version 2 0, the gnu lesser general public license, version 2 1, the gnu affero general public license, version 3 0, or any later versions of those licenses 1 13 “source code form” means the form of the work preferred for making modifications 1 14 “you” or “your” means an individual or a legal entity exercising rights under this license for legal entities, “you” includes any entity that controls, is controlled by, or is under common control with you for purposes of this definition, “control” means a the power, direct or indirect, to cause the direction or management of such entity, whether by contract or otherwise, or b ownership of more than fifty percent 50% of the outstanding shares or beneficial ownership of such entity 2 license grants and conditions 2 1 grants each contributor hereby grants you a world-wide, royalty-free, non-exclusive license a under intellectual property rights other than patent or trademark licensable by such contributor to use, reproduce, make available, modify, display, perform, distribute, and otherwise exploit its contributions, either on an unmodified basis, with modifications, or as part of a larger work; and b under patent claims of such contributor to make, use, sell, offer for sale, have made, import, and otherwise transfer either its contributions or its contributor version 2 2 effective date the licenses granted in section 2 1 with respect to any contribution become effective for each contribution on the date the contributor first distributes such contribution 2 3 limitations on grant scope the licenses granted in this section 2 are the only rights granted under this license no additional rights or licenses will be implied from the distribution or licensing of covered software under this license notwithstanding section 2 1 b above, no patent license is granted by a contributor a for any code that a contributor has removed from covered software; or b for infringements caused by i your and any other third party's modifications of covered software, or ii the combination of its contributions with other software except as part of its contributor version ; or c under patent claims infringed by covered software in the absence of its contributions this license does not grant any rights in the trademarks, service marks, or logos of any contributor except as may be necessary to comply with the notice requirements in section 3 4 2 4 subsequent licenses no contributor makes additional grants as a result of your choice to distribute the covered software under a subsequent version of this license see section 10 2 or under the terms of a secondary license if permitted under the terms of section 3 3 2 5 representation each contributor represents that the contributor believes its contributions are its original creation s or it has sufficient rights to grant the rights to its contributions conveyed by this license 2 6 fair use this license is not intended to limit any rights you have under applicable copyright doctrines of fair use, fair dealing, or other equivalents 2 7 conditions sections 3 1, 3 2, 3 3, and 3 4 are conditions of the licenses granted in section 2 1 3 responsibilities 3 1 distribution of source form all distribution of covered software in source code form, including any modifications that you create or to which you contribute, must be under the terms of this license you must inform recipients that the source code form of the covered software is governed by the terms of this license, and how they can obtain a copy of this license you may not attempt to alter or restrict the recipients' rights in the source code form 3 2 distribution of executable form if you distribute covered software in executable form then a such covered software must also be made available in source code form, as described in section 3 1, and you must inform recipients of the executable form how they can obtain a copy of such source code form by reasonable means in a timely manner, at a charge no more than the cost of distribution to the recipient; and b you may distribute such executable form under the terms of this license, or sublicense it under different terms, provided that the license for the executable form does not attempt to limit or alter the recipients' rights in the source code form under this license 3 3 distribution of a larger work you may create and distribute a larger work under terms of your choice, provided that you also comply with the requirements of this license for the covered software if the larger work is a combination of covered software with a work governed by one or more secondary licenses, and the covered software is not incompatible with secondary licenses, this license permits you to additionally distribute such covered software under the terms of such secondary license s , so that the recipient of the larger work may, at their option, further distribute the covered software under the terms of either this license or such secondary license s 3 4 notices you may not remove or alter the substance of any license notices including copyright notices, patent notices, disclaimers of warranty, or limitations of liability contained within the source code form of the covered software, except that you may alter any license notices to the extent required to remedy known factual inaccuracies 3 5 application of additional terms you may choose to offer, and to charge a fee for, warranty, support, indemnity or liability obligations to one or more recipients of covered software however, you may do so only on your own behalf, and not on behalf of any contributor you must make it absolutely clear that any such warranty, support, indemnity, or liability obligation is offered by you alone, and you hereby agree to indemnify every contributor for any liability incurred by such contributor as a result of warranty, support, indemnity or liability terms you offer you may include additional disclaimers of warranty and limitations of liability specific to any jurisdiction 4 inability to comply due to statute or regulation if it is impossible for you to comply with any of the terms of this license with respect to some or all of the covered software due to statute, judicial order, or regulation then you must a comply with the terms of this license to the maximum extent possible; and b describe the limitations and the code they affect such description must be placed in a text file included with all distributions of the covered software under this license except to the extent prohibited by statute or regulation, such description must be sufficiently detailed for a recipient of ordinary skill to be able to understand it 5 termination 5 1 the rights granted under this license will terminate automatically if you fail to comply with any of its terms however, if you become compliant, then the rights granted under this license from a particular contributor are reinstated a provisionally, unless and until such contributor explicitly and finally terminates your grants, and b on an ongoing basis, if such contributor fails to notify you of the non-compliance by some reasonable means prior to 60 days after you have come back into compliance moreover, your grants from a particular contributor are reinstated on an ongoing basis if such contributor notifies you of the non-compliance by some reasonable means, this is the first time you have received notice of non-compliance with this license from such contributor, and you become compliant prior to 30 days after your receipt of the notice 5 2 if you initiate litigation against any entity by asserting a patent infringement claim excluding declaratory judgment actions, counter-claims, and cross-claims alleging that a contributor version directly or indirectly infringes any patent, then the rights granted to you by any and all contributors for the covered software under section 2 1 of this license shall terminate 5 3 in the event of termination under sections 5 1 or 5 2 above, all end user license agreements excluding distributors and resellers which have been validly granted by you or your distributors under this license prior to termination shall survive termination 6 disclaimer of warranty covered software is provided under this license on an “as is” basis, without warranty of any kind, either expressed, implied, or statutory, including, without limitation, warranties that the covered software is free of defects, merchantable, fit for a particular purpose or non-infringing the entire risk as to the quality and performance of the covered software is with you should any covered software prove defective in any respect, you not any contributor assume the cost of any necessary servicing, repair, or correction this disclaimer of warranty constitutes an essential part of this license no use of any covered software is authorized under this license except under this disclaimer 7 limitation of liability under no circumstances and under no legal theory, whether tort including negligence , contract, or otherwise, shall any contributor, or anyone who distributes covered software as permitted above, be liable to you for any direct, indirect, special, incidental, or consequential damages of any character including, without limitation, damages for lost profits, loss of goodwill, work stoppage, computer failure or malfunction, or any and all other commercial damages or losses, even if such party shall have been informed of the possibility of such damages this limitation of liability shall not apply to liability for death or personal injury resulting from such party's negligence to the extent applicable law prohibits such limitation some jurisdictions do not allow the exclusion or limitation of incidental or consequential damages, so this exclusion and limitation may not apply to you 8 litigation any litigation relating to this license may be brought only in the courts of a jurisdiction where the defendant maintains its principal place of business and such litigation shall be governed by laws of that jurisdiction, without reference to its conflict-of-law provisions nothing in this section shall prevent a party's ability to bring cross-claims or counter-claims 9 miscellaneous this license represents the complete agreement concerning the subject matter hereof if any provision of this license is held to be unenforceable, such provision shall be reformed only to the extent necessary to make it enforceable any law or regulation which provides that the language of a contract shall be construed against the drafter shall not be used to construe this license against a contributor 10 versions of the license 10 1 new versions mozilla foundation is the license steward except as provided in section 10 3, no one other than the license steward has the right to modify or publish new versions of this license each version will be given a distinguishing version number 10 2 effect of new versions you may distribute the covered software under the terms of the version of the license under which you originally received the covered software, or under the terms of any subsequent version published by the license steward 10 3 modified versions if you create software not governed by this license, and you want to create a new license for such software, you may create and use a modified version of this license if you rename the license and remove any references to the name of the license steward except to note that such modified license differs from this license 10 4 distributing source code form that is incompatible with secondary licenses if you choose to distribute source code form that is incompatible with secondary licenses under the terms of this version of the license, the notice described in exhibit b of this license must be attached exhibit a - source code form license notice this source code form is subject to the terms of the mozilla public license, v 2 0 if a copy of the mpl was not distributed with this file, you can obtain one at http //mozilla org/mpl/2 0/ if it is not possible or desirable to put the notice in a particular file, then you may include the notice in a location such as a license file in a relevant directory where a recipient would be likely to look for such a notice you may add additional accurate notices of copyright ownership exhibit b - “incompatible with secondary licenses” notice this source code form is "incompatible with secondary licenses", as defined by the mozilla public license, v 2 0 axios copyright c 2014-present matt zabriskie permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software babel mit license copyright c 2014-present sebastian mckenzie and other contributors permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software body-parser the mit license copyright c 2014 jonathan ong <me@jongleberry com> copyright c 2014-2015 douglas christopher wilson <doug@somethingdoug com> permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the 'software' , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided 'as is', without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software bootstrap the mit license mit copyright c 2011-2020 twitter, inc copyright c 2011-2020 the bootstrap authors permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software cheerio mit license copyright c 2016 matt mueller permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software chokidar the mit license mit copyright c 2012-2019 paul miller https //paulmillr com , elan shanker permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the “software” , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided “as is”, without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software clipboard js the mit license mit copyright © 2020 zeno rocha <hi@zenorocha com> permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the “software” , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided “as is”, without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software cookie-parser the mit license copyright c 2014 tj holowaychuk <tj@vision-media ca> copyright c 2015 douglas christopher wilson <doug@somethingdoug com> permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the 'software' , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided 'as is', without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software cookie-session the mit license copyright c 2013 jonathan ong <me@jongleberry com> copyright c 2014-2017 douglas christopher wilson <doug@somethingdoug com> permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the 'software' , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided 'as is', without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software csurf the mit license copyright c 2014 jonathan ong <me@jongleberry com> copyright c 2014-2016 douglas christopher wilson <doug@somethingdoug com> permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the 'software' , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided 'as is', without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software docker copyright 2013-2018 docker, inc licensed under the apache license, version 2 0 the "license" ; you may not use this file except in compliance with the license you may obtain a copy of the license at https //www apache org/licenses/license-2 0 unless required by applicable law or agreed to in writing, software distributed under the license is distributed on an "as is" basis, without warranties or conditions of any kind, either express or implied see the license for the specific language governing permissions and limitations under the license express the mit license copyright c 2009-2014 tj holowaychuk <tj@vision-media ca> copyright c 2013-2014 roman shtylman <shtylman+expressjs@gmail com> copyright c 2014-2015 douglas christopher wilson <doug@somethingdoug com> permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the 'software' , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided 'as is', without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software font awesome font awesome free license font awesome free is free, open source, and gpl friendly you can use it for commercial projects, open source projects, or really almost whatever you want full font awesome free license https //fontawesome com/license/free icons cc by 4 0 license - https //creativecommons org/licenses/by/4 0/ in the font awesome free download, the cc by 4 0 license applies to all icons packaged as svg and js file types fonts sil ofl 1 1 license - https //scripts sil org/ofl in the font awesome free download, the sil ofl license applies to all icons packaged as web and desktop font files code mit license - https //opensource org/licenses/mit in the font awesome free download, the mit license applies to all non-font and non-icon files attribution attribution is required by mit, sil ofl, and cc by licenses downloaded font awesome free files already contain embedded comments with sufficient attribution, so you shouldn't need to do anything additional when using these files normally we've kept attribution comments terse, so we ask that you do not actively work to remove them from files, especially code they're a great way for folks to learn about font awesome brand icons all brand icons are trademarks of their respective owners the use of these trademarks does not indicate endorsement of the trademark holder by font awesome, nor vice versa please do not use brand logos for any purpose except to represent the company, product, or service to which they refer form-data copyright c 2012 felix geisendörfer felix@debuggable com and contributors permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software fs-extra the mit license copyright c 2011-2017 jp richardson permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the 'software' , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided 'as is', without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software geolite2-database databases license geolite2 databases copyright c 2012-2018 maxmind, inc all rights reserved the geolite2 databases are distributed under the creative commons attribution-sharealike 4 0 international license the "license" ; you may not use this file except in compliance with the license you may obtain a copy of the license at https //creativecommons org/licenses/by-sa/4 0/legalcode the attribution requirement may be met by including the following in all advertising and documentation mentioning features of or use of this database this product includes geolite2 data created by maxmind, available from <a href="http //www maxmind com">http //www maxmind com</a> this database is provided by maxmind, inc as is and any express or implied warranties, including, but not limited to, the implied warranties of merchantability and fitness for a particular purpose are disclaimed in no event shall maxmind be liable for any direct, indirect, incidental, special, exemplary, or consequential damages including, but not limited to, procurement of substitute goods or services; loss of use, data, or profits; or business interruption however caused and on any theory of liability, whether in contract, strict liability, or tort including negligence or otherwise arising in any way out of the use of this database, even if advised of the possibility of such damage helmet the mit license copyright c 2012-2020 evan hahn, adam baldwin permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the 'software' , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided 'as is', without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software i18n the mit license copyright c 2011-present marcus spiegel <marcus spiegel@gmail com> permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software jquery copyright openjs foundation and other contributors, https //openjsf org/ permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software jquery-easing jquery easing - http //gsgd co uk/sandbox/jquery/easing/ uses the built in easing capabilities added in jquery 1 1 to offer multiple easing options terms of use - jquery easing open source under the 3-clause bsd license copyright © 2008 george mcginley smith all rights reserved redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution neither the name of the author nor the names of contributors may be used to endorse or promote products derived from this software without specific prior written permission this software is provided by the copyright holders and contributors "as is" and any express or implied warranties, including, but not limited to, the implied warranties of merchantability and fitness for a particular purpose are disclaimed in no event shall the copyright owner or contributors be liable for any direct, indirect, incidental, special, exemplary, or consequential damages including, but not limited to, procurement of substitute goods or services; loss of use, data, or profits; or business interruption however caused and on any theory of liability, whether in contract, strict liability, or tort including negligence or otherwise arising in any way out of the use of this software, even if advised of the possibility of such damage terms of use - easing equations open source under the mit license and the 3-clause bsd license mit license copyright © 2001 robert penner permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software bsd license copyright © 2001 robert penner redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution neither the name of the author nor the names of contributors may be used to endorse or promote products derived from this software without specific prior written permission this software is provided by the copyright holders and contributors "as is" and any express or implied warranties, including, but not limited to, the implied warranties of merchantability and fitness for a particular purpose are disclaimed in no event shall the copyright owner or contributors be liable for any direct, indirect, incidental, special, exemplary, or consequential damages including, but not limited to, procurement of substitute goods or services; loss of use, data, or profits; or business interruption however caused and on any theory of liability, whether in contract, strict liability, or tort including negligence or otherwise arising in any way out of the use of this software, even if advised of the possibility of such damage json2csv copyright c 2012 [mirco zeiss] mailto mirco zeiss@gmail com permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software json web token the mit license mit copyright c 2015 auth0, inc <support@auth0 com> http //auth0 com permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software js-beautify the mit license mit copyright c 2007-2018 einar lielmanis, liam newman, and contributors permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software markdown-it copyright c 2014 vitaly puzrin, alex kocharin permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software markdown-it-multimd-table copyright c 2019 redbug312 permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software mermaid the mit license mit copyright c 2014 - 2018 knut sveidqvist permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software minify copyright c 2015-2016 amjad masad <amjad masad@gmail com> mit license permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software moment copyright c js foundation and other contributors permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software multer copyright c 2014 hage yaapa <[http //www hacksparrow com] http //www hacksparrow com > permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software multer-s3 the mit license mit copyright c 2015 duncan wong permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software node js node js is licensed for use as follows """ copyright node js contributors all rights reserved permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software """ this license applies to parts of node js originating from the https //github com/joyent/node repository """ copyright joyent, inc and other node contributors all rights reserved permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software """ the node js license applies to all parts of node js that are not externally maintained libraries node-cache the mit license mit copyright c 2019 mpneuried permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software node-sass copyright c 2013-2016 andrew nesbitt permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software node-xml2js copyright 2010, 2011, 2012, 2013 all rights reserved permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software passport-http the mit license copyright c 2011-2013 jared hanson permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software passport the mit license mit copyright c 2011-2019 jared hanson permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software prism mit license copyright c 2012 lea verou permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software request-promise isc license copyright c 2019, nicolai kamenzky, ty abonil, and contributors permission to use, copy, modify, and/or distribute this software for any purpose with or without fee is hereby granted, provided that the above copyright notice and this permission notice appear in all copies the software is provided "as is" and the author disclaims all warranties with regard to this software including all implied warranties of merchantability and fitness in no event shall the author be liable for any special, direct, indirect, or consequential damages or any damages whatsoever resulting from loss of use, data or profits, whether in an action of contract, negligence or other tortious action, arising out of or in connection with the use or performance of this software showdown mit license copyright c 2018 showdownjs permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software sprintf-js copyright c 2007-present, alexandru mărășteanu <hello@alexei ro> all rights reserved redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met * redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer * redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution * neither the name of this software nor the names of its contributors may be used to endorse or promote products derived from this software without specific prior written permission this software is provided by the copyright holders and contributors "as is" and any express or implied warranties, including, but not limited to, the implied warranties of merchantability and fitness for a particular purpose are disclaimed in no event shall the authors or copyright holders be liable for any direct, indirect, incidental, special, exemplary, or consequential damages including, but not limited to, procurement of substitute goods or services; loss of use, data, or profits; or business interruption however caused and on any theory of liability, whether in contract, strict liability, or tort including negligence or otherwise arising in any way out of the use of this software, even if advised of the possibility of such damage twbs-pagination copyright 2014-2018 © eugene simakin licensed under the apache license, version 2 0 the "license" ; you may not use this file except in compliance with the license you may obtain a copy of the license at http //www apache org/licenses/license-2 0 unless required by applicable law or agreed to in writing, software distributed under the license is distributed on an "as is" basis, without warranties or conditions of any kind, either express or implied see the license for the specific language governing permissions and limitations under the license underscore-js copyright c 2009-2020 jeremy ashkenas, documentcloud and investigative reporters & editors permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software xml-js the mit license mit copyright c 2016-2017 yousuf almarzooqi permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software yaml js copyright c 2010 jeremy faivre permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software
SDP DevOps
docopen source licenses portions of the samsung developers website use tools, libraries or contents governed by one or more of the following licenses table of contents license type s project terms apache 2 0 apache commons license text apache tomcat license text aws-sdk license text bootstrap-datepicker license text ejs license text geoip2 java api license text jwk-to-pem license text mybatis spring-boot-starter license text nimbus jose + jwt license text spring boot license text spring data jpa license text springfox license text swagger license text woodstox license text bsd 2-caluse "simplified" dotenv license text postgresql license text mit axios license text bluebird license text body-parser license text bootstrap license text bootstrap-select license text cheerio license text compression license text cookie-parser license text country-code-lookup license text crypto-js license text csurf license text detectizr license text express license text helmet license text html-prettify license text jquery license text jquery-highlight license text jquery-visibility license text json2csv license text jsonwebtoken license text mermaid license text modernizr license text moment license text multer license text multer-s3 license text node js license text node-cache license text prism license text project lombok license text query-string license text strip-comments license text url-polyfill license text vite license text vue license text vue 3 slider license text vue router license text xml2js license text xss license text yamljs license text apache license apache license version 2 0, january 2004 <http //www apache org/licenses/> terms and conditions for use, reproduction, and distribution 1 definitions “license” shall mean the terms and conditions for use, reproduction, and distribution as defined by sections 1 through 9 of this document “licensor” shall mean the copyright owner or entity authorized by the copyright owner that is granting the license “legal entity” shall mean the union of the acting entity and all other entities that control, are controlled by, or are under common control with that entity for the purposes of this definition, “control” means i the power, direct or indirect, to cause the direction or management of such entity, whether by contract or otherwise, or ii ownership of fifty percent 50% or more of the outstanding shares, or iii beneficial ownership of such entity “you” or “your” shall mean an individual or legal entity exercising permissions granted by this license “source” form shall mean the preferred form for making modifications, including but not limited to software source code, documentation source, and configuration files “object” form shall mean any form resulting from mechanical transformation or translation of a source form, including but not limited to compiled object code, generated documentation, and conversions to other media types “work” shall mean the work of authorship, whether in source or object form, made available under the license, as indicated by a copyright notice that is included in or attached to the work an example is provided in the appendix below “derivative works” shall mean any work, whether in source or object form, that is based on or derived from the work and for which the editorial revisions, annotations, elaborations, or other modifications represent, as a whole, an original work of authorship for the purposes of this license, derivative works shall not include works that remain separable from, or merely link or bind by name to the interfaces of, the work and derivative works thereof “contribution” shall mean any work of authorship, including the original version of the work and any modifications or additions to that work or derivative works thereof, that is intentionally submitted to licensor for inclusion in the work by the copyright owner or by an individual or legal entity authorized to submit on behalf of the copyright owner for the purposes of this definition, “submitted” means any form of electronic, verbal, or written communication sent to the licensor or its representatives, including but not limited to communication on electronic mailing lists, source code control systems, and issue tracking systems that are managed by, or on behalf of, the licensor for the purpose of discussing and improving the work, but excluding communication that is conspicuously marked or otherwise designated in writing by the copyright owner as “not a contribution ” “contributor” shall mean licensor and any individual or legal entity on behalf of whom a contribution has been received by licensor and subsequently incorporated within the work 2 grant of copyright license subject to the terms and conditions of this license, each contributor hereby grants to you a perpetual, worldwide, non-exclusive, no-charge, royalty-free, irrevocable copyright license to reproduce, prepare derivative works of, publicly display, publicly perform, sublicense, and distribute the work and such derivative works in source or object form 3 grant of patent license subject to the terms and conditions of this license, each contributor hereby grants to you a perpetual, worldwide, non-exclusive, no-charge, royalty-free, irrevocable except as stated in this section patent license to make, have made, use, offer to sell, sell, import, and otherwise transfer the work, where such license applies only to those patent claims licensable by such contributor that are necessarily infringed by their contribution s alone or by combination of their contribution s with the work to which such contribution s was submitted if you institute patent litigation against any entity including a cross-claim or counterclaim in a lawsuit alleging that the work or a contribution incorporated within the work constitutes direct or contributory patent infringement, then any patent licenses granted to you under this license for that work shall terminate as of the date such litigation is filed 4 redistribution you may reproduce and distribute copies of the work or derivative works thereof in any medium, with or without modifications, and in source or object form, provided that you meet the following conditions a you must give any other recipients of the work or derivative works a copy of this license; and b you must cause any modified files to carry prominent notices stating that you changed the files; and c you must retain, in the source form of any derivative works that you distribute, all copyright, patent, trademark, and attribution notices from the source form of the work, excluding those notices that do not pertain to any part of the derivative works; and d if the work includes a “notice” text file as part of its distribution, then any derivative works that you distribute must include a readable copy of the attribution notices contained within such notice file, excluding those notices that do not pertain to any part of the derivative works, in at least one of the following places within a notice text file distributed as part of the derivative works; within the source form or documentation, if provided along with the derivative works; or, within a display generated by the derivative works, if and wherever such third-party notices normally appear the contents of the notice file are for informational purposes only and do not modify the license you may add your own attribution notices within derivative works that you distribute, alongside or as an addendum to the notice text from the work, provided that such additional attribution notices cannot be construed as modifying the license you may add your own copyright statement to your modifications and may provide additional or different license terms and conditions for use, reproduction, or distribution of your modifications, or for any such derivative works as a whole, provided your use, reproduction, and distribution of the work otherwise complies with the conditions stated in this license 5 submission of contributions unless you explicitly state otherwise, any contribution intentionally submitted for inclusion in the work by you to the licensor shall be under the terms and conditions of this license, without any additional terms or conditions notwithstanding the above, nothing herein shall supersede or modify the terms of any separate license agreement you may have executed with licensor regarding such contributions 6 trademarks this license does not grant permission to use the trade names, trademarks, service marks, or product names of the licensor, except as required for reasonable and customary use in describing the origin of the work and reproducing the content of the notice file 7 disclaimer of warranty unless required by applicable law or agreed to in writing, licensor provides the work and each contributor provides its contributions on an “as is” basis, without warranties or conditions of any kind, either express or implied, including, without limitation, any warranties or conditions of title, non-infringement, merchantability, or fitness for a particular purpose you are solely responsible for determining the appropriateness of using or redistributing the work and assume any risks associated with your exercise of permissions under this license 8 limitation of liability in no event and under no legal theory, whether in tort including negligence , contract, or otherwise, unless required by applicable law such as deliberate and grossly negligent acts or agreed to in writing, shall any contributor be liable to you for damages, including any direct, indirect, special, incidental, or consequential damages of any character arising as a result of this license or out of the use or inability to use the work including but not limited to damages for loss of goodwill, work stoppage, computer failure or malfunction, or any and all other commercial damages or losses , even if such contributor has been advised of the possibility of such damages 9 accepting warranty or additional liability while redistributing the work or derivative works thereof, you may choose to offer, and charge a fee for, acceptance of support, warranty, indemnity, or other liability obligations and/or rights consistent with this license however, in accepting such obligations, you may act only on your own behalf and on your sole responsibility, not on behalf of any other contributor, and only if you agree to indemnify, defend, and hold each contributor harmless for any liability incurred by, or claims asserted against, such contributor by reason of your accepting any such warranty or additional liability end of terms and conditions appendix how to apply the apache license to your work to apply the apache license to your work, attach the following boilerplate notice, with the fields enclosed by brackets [] replaced with your own identifying information don't include the brackets! the text should be enclosed in the appropriate comment syntax for the file format we also recommend that a file or class name and description of purpose be included on the same “printed page” as the copyright notice for easier identification within third-party archives copyright [yyyy] [name of copyright owner] licensed under the apache license, version 2 0 the "license" ; you may not use this file except in compliance with the license you may obtain a copy of the license at http //www apache org/licenses/license-2 0 unless required by applicable law or agreed to in writing, software distributed under the license is distributed on an "as is" basis, without warranties or conditions of any kind, either express or implied see the license for the specific language governing permissions and limitations under the license bsd 2-caluse "simplified" license spdx short identifier bsd-2-clause note this license has also been called the “simplified bsd license” and the “freebsd license” see also the 3-clause bsd license copyright <year> <copyright holder> redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution this software is provided by the copyright holders and contributors “as is” and any express or implied warranties, including, but not limited to, the implied warranties of merchantability and fitness for a particular purpose are disclaimed in no event shall the copyright holder or contributors be liable for any direct, indirect, incidental, special, exemplary, or consequential damages including, but not limited to, procurement of substitute goods or services; loss of use, data, or profits; or business interruption however caused and on any theory of liability, whether in contract, strict liability, or tort including negligence or otherwise arising in any way out of the use of this software, even if advised of the possibility of such damage axios copyright c 2014-present matt zabriskie permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software bluebird the mit license mit copyright c 2013-2018 petka antonov permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software body-parser the mit license copyright c 2014 jonathan ong <me@jongleberry com> copyright c 2014-2015 douglas christopher wilson <doug@somethingdoug com> permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the 'software' , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided 'as is', without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software bootstrap the mit license mit copyright c 2011-2023 the bootstrap authors permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software bootstrap-select the mit license mit copyright c 2012-2018 snapappointments, llc permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software cheerio mit license copyright c 2022 the cheerio contributors permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software compression the mit license copyright c 2014 jonathan ong <me@jongleberry com> copyright c 2014-2015 douglas christopher wilson <doug@somethingdoug com> permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the 'software' , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided 'as is', without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software cookie-parser the mit license copyright c 2014 tj holowaychuk <tj@vision-media ca> copyright c 2015 douglas christopher wilson <doug@somethingdoug com> permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the 'software' , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided 'as is', without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software country-code-lookup mit license copyright c 2019 richard astbury permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software crypto-js # license [the mit license mit ] http //opensource org/licenses/mit copyright c 2009-2013 jeff mott copyright c 2013-2016 evan vosberg permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software csurf the mit license copyright c 2014 jonathan ong <me@jongleberry com> copyright c 2014-2016 douglas christopher wilson <doug@somethingdoug com> permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the 'software' , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided 'as is', without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software detectizr copyright 2013 baris aydinoglu permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software dotenv all rights reserved redistribution and use in source and binary forms, with or without modification, are permitted provided that the following conditions are met * redistributions of source code must retain the above copyright notice, this list of conditions and the following disclaimer * redistributions in binary form must reproduce the above copyright notice, this list of conditions and the following disclaimer in the documentation and/or other materials provided with the distribution this software is provided by the copyright holders and contributors "as is" and any express or implied warranties, including, but not limited to, the implied warranties of merchantability and fitness for a particular purpose are disclaimed in no event shall the copyright holder or contributors be liable for any direct, indirect, incidental, special, exemplary, or consequential damages including, but not limited to, procurement of substitute goods or services; loss of use, data, or profits; or business interruption however caused and on any theory of liability, whether in contract, strict liability, or tort including negligence or otherwise arising in any way out of the use of this software, even if advised of the possibility of such damage express the mit license copyright c 2009-2014 tj holowaychuk <tj@vision-media ca> copyright c 2013-2014 roman shtylman <shtylman+expressjs@gmail com> copyright c 2014-2015 douglas christopher wilson <doug@somethingdoug com> permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the 'software' , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided 'as is', without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software helmet the mit license copyright c 2012-2023 evan hahn, adam baldwin permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the 'software' , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided 'as is', without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software html-prettify copyright c 2020 dominik michal permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software jquery copyright openjs foundation and other contributors, https //openjsf org/ permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software json2csv copyright c 2022 [juanjo díaz] mailto juanjo diazmo@gmail com permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software json web token the mit license mit copyright c 2015 auth0, inc <support@auth0 com> http //auth0 com permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software mermaid the mit license mit copyright c 2014 - 2022 knut sveidqvist permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software modernizr the mit license mit copyright c 2021 the modernizr team | modernizr 4 0 0-alpha permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software moment copyright c js foundation and other contributors permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software multer copyright c 2014 hage yaapa <[http //www hacksparrow com] http //www hacksparrow com > permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software multer-s3 the mit license mit copyright c 2015 duncan wong permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software node js node js is licensed for use as follows """ copyright node js contributors all rights reserved permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software """ this license applies to parts of node js originating from the https //github com/joyent/node repository """ copyright joyent, inc and other node contributors all rights reserved permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software """ the node js license applies to all parts of node js that are not externally maintained libraries node-cache the mit license mit copyright c 2019 mpneuried permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software prism mit license copyright c 2012 lea verou permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software query-string mit license copyright c sindre sorhus <sindresorhus@gmail com> https //sindresorhus com permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software strip-comments the mit license mit copyright c 2014-present, jon schlinkert permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software url-polyfill the mit license copyright c 2017 valentin richard permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software vite mit license copyright c 2019-present, yuxi evan you and vite contributors permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software vue the mit license mit copyright c 2013-present, yuxi evan you permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software vue 3 slider the mit license mit copyright c 2020 adam berecz adam@vueform com permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software vue router the mit license mit copyright c 2019-present eduardo san martin morote permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software xml2js copyright 2010, 2011, 2012, 2013 all rights reserved permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software xss copyright c 2012-2018 zongmin lei 雷宗民 <leizongmin@gmail com> http //ucdok com the mit license permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software yamljs copyright c 2010 jeremy faivre permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files the "software" , to deal in the software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the software, and to permit persons to whom the software is furnished to do so, subject to the following conditions the above copyright notice and this permission notice shall be included in all copies or substantial portions of the software the software is provided "as is", without warranty of any kind, express or implied, including but not limited to the warranties of merchantability, fitness for a particular purpose and noninfringement in no event shall the authors or copyright holders be liable for any claim, damages or other liability, whether in an action of contract, tort or otherwise, arising from, out of or in connection with the software or the use or other dealings in the software
SDP DevOps
docsamsung developers privacy policy samsung electronics co , ltd “samsung,” knows how important privacy is to its customers and their employees and partners, and we strive to be clear about how we collect, use, disclose, transfer and store your information this privacy policy provides an overview of our information practices with respect to personal information collected through the samsung developers or other services that link or refer to this privacy policy collectively, the "business services" this privacy policy may be updated periodically to reflect changes in our personal information practices with respect to the business services or changes in the applicable law we will indicate at the top of this privacy policy when it was most recently updated if we update the privacy policy, we will let you know in advance about changes we consider to be material by placing a notice on the business services or by emailing you, where appropriate download what information do we collect about you? we may collect various types of personal information in connection with the business services for example we may collect personal information that you provide, such as your name, address, e-mail address and contact details, job title and position, company, country, language, registration details, and any communications you send or deliver to us; we may collect data about your use of the business services, including the time and duration, visited pages, clicked components and downloaded software development kits, application programming interfaces, and technical resources of your use; information stored in cookies that we have set on your device; and information about your device settings; we may collect information about the products and services you or your employer have used, bought or received and payment data and other information provided in connection with a transaction; we may collect information about your company such as company name, company address, company phone number and concepts, descriptions or portfolios of products or services that your company has been developing; we also may receive personal information about you from your employer or service provider or from publicly and commercially available sources as permitted by law , which we may combine with other information we receive from or about you how do we use your information? we may use information we collect for the following purposes to provide products and services that you or your employer requested and to register or authenticate you or your device; to respond to your questions or requests for information; to offer better and more customized products and services that take into account your company’s purchasing history and service record and other relevant information; subject to your consent where required by applicable law, to inform you about new products and services; for assessment and analysis of our market, customers, products, and services including asking you for your opinions on our products and services and carrying out customer surveys ; to understand the way companies use the business services so that we can improve them and develop new products and services; to provide maintenance services and to maintain a sufficient level of security on the business services; to protect the rights, property, or safety of samsung, or any of our respective affiliates, business partners, employees or customers, for example, in legal proceedings, internal investigations and investigations by competent authorities; otherwise with your consent or as described to at the time your information is collected through the business services, we may collect personal information about your online activities on websites and connected devices over time and across third-party websites, devices, apps and other online features and services we may use third-party analytics services on the business services, such as those of google analytics the service providers that administer these analytics services help us to analyze your use of the business services and improve the business services the information we obtain may be disclosed to or collected directly by these providers and other relevant third parties who use the information, for example, to evaluate use of the business services, help administer the business services and diagnose technical issues to learn more about google analytics, please visit http //www google com/analytics/learn/privacy html and https //www google com/policies/privacy/partners/ to whom do we disclose your information? we do not disclose your information to third parties for their own independent marketing or business purposes without your consent but we may share your information with the following entities samsung affiliates; third parties when necessary to provide you with requested products and services for example, we may disclose your payment data to financial institutions as appropriate to process transactions that you have requested; companies that provide services for or on behalf of us, such as companies that help us with the billing process; other parties i to comply with the law or respond to compulsory legal process such as a search warrant or other court order ; ii to verify or enforce compliance with the policies governing our business services; iii to protect the rights, property, or safety of samsung, or any of our respective affiliates, business partners, or customers; iv as part of a merger or transfer, or in the event of a bankruptcy; with other third parties when you consent to or request such sharing submissions that you make to public areas of a website, mobile application, or other online service, such as bulletin boards may be viewable to other users of the business services we do not control, and are not responsible for, how other users of the business services may use this information for example, personal information that you submit in public areas could be collected and used by others to send you unsolicited messages or for other purposes what do we do to keep your information secure? we have put in place reasonable physical and technical measures to safeguard the information we collect in connection with the business services however, please note that although we take reasonable steps to protect your information, no website, internet transmission, computer system or wireless connection is completely secure where do we transfer your information? your use or participation in the business services may involve transfer, storage and processing of your information outside of your country of residence, consistent with this policy please note that the data protection and other laws of countries to which your information may be transferred might not be as comprehensive as those in your country we will take appropriate measures, in compliance with applicable law, to ensure that your personal information remains protected can you access your information? under the laws of some jurisdictions, you may have the right to request details about the information we collect about you and to correct inaccuracies in that information we may decline to process requests that are unreasonably repetitive, require disproportionate technical effort, jeopardize the privacy of others, are extremely impractical, or for which access is not otherwise required by local law if you would like to make a request to access your information, please contact us by the methods outlined in the contact section of this privacy policy if you request deletion of personal information, you acknowledge that you may not be able to access or use the business services and that residual personal information may continue to reside in samsung's records and archives for some time, but samsung will not use that information for commercial purposes you understand that, despite your request for deletion, samsung reserves the right to keep your personal information, or a relevant part of it, if samsung has suspended, limited, or terminated your access to the website for violating the samsung terms of use, when necessary to protect the rights, property, or safety of samsung, or any of our respective affiliates, business partners, employees or customers how long do we keep your information? we take reasonable steps to ensure that we retain information about you only for so long as is necessary for the purpose for which it was collected, or as required under any contract or by applicable law third-party links and products on our services our business services may link to third-party websites and services that are outside our control we are not responsible for the security or privacy of any information collected by websites or other services you should exercise caution, and review the privacy statements applicable to the third-party websites and services you use cookies, beacons and similar technologies we, as well as certain third parties that provide content, advertising, or other functionality on our business services, may use cookies, beacons, and other technologies in certain areas of our business services cookies cookies are small files that store information on your device they enable the entity that put the cookie on your device to recognize you across different websites, services, devices, and/or browsing sessions cookies serve many useful purposes for example cookies can remember your sign-in credentials so you don’t have to enter those credentials each time you log on to a service cookies help us and third parties understand which parts of our business services are the most popular because they help us to see which pages and features visitors are accessing and how much time they are spending on the pages by studying this kind of information, we are better able to adapt the business services and provide you with a better experience cookies help us and third parties understand which ads you have seen so that you don’t receive the same ad each time you access the mss service cookies help us and third parties provide you with relevant content and advertising by collecting information about your use of our business services and other websites and apps when you use a web browser to access the business services, you can configure your browser to accept all cookies, reject all cookies, or notify you when a cookie is sent each browser is different, so check the “help” menu of your browser to learn how to change your cookie preferences the operating system of your device may contain additional controls for cookies please note, however, that some business services may be designed to work using cookies and that disabling cookies may affect your ability to use those business services, or certain parts of them other local storage we, along with certain third parties, may use other kinds of local storage technologies, such as local shared objects also referred to as “flash cookies” and html5 local storage, in connection with our business services these technologies are similar to the cookies discussed above in that they are stored on your device and can be used to store certain information about your activities and preferences however, these technologies may make use of different parts of your device from standard cookies, and so you might not be able to control them using standard browser tools and settings for information about disabling or deleting information contained in flash cookies, please click here beacons we, along with certain third parties, also may use technologies called beacons or “pixels” that communicate information from your device to a server beacons can be embedded in online content, videos, and emails, and can allow a server to read certain types of information from your device, know when you have viewed particular content or a particular email message, determine the time and date on which you viewed the beacon, and the ip address of your device we and certain third parties use beacons for a variety of purposes, including to analyze the use of our business services and in conjunction with cookies to provide content and ads that are more relevant to you by accessing and using our business services, you consent to the storage of cookies, other local storage technologies, beacons and other information on your devices you also consent to the access of such cookies, local storage technologies, beacons and information by us and by the third parties mentioned above your choices we offer you certain choices in connection with the personal information we obtain about you to update your preferences, limit the communications you receive from us, or submit a request, please contact us as specified in the contact section below the business services may offer choices related to the collection, deletion and sharing of certain information and communications about products, services and promotions you can access the settings to learn about choices that may be available to you when you use the business service if you decline to allow the business services to collect, store or share certain information, you may not be able to use all of the features available through the business services contact if you have any questions regarding this policy, please contact us at support@samsungdevelopers com
SDP DevOps
docsamsung developers privacy policy samsung electronics co , ltd “samsung,” knows how important privacy is to its customers and their employees and partners, and we strive to be clear about how we collect, use, disclose, transfer and store your information this privacy policy provides an overview of our information practices with respect to personal information collected through the samsung developersor other services that link or refer to this privacy policy collectively, the "business services" this privacy policy may be updated periodically to reflect changes in our personal information practices with respect to the business services or changes in the applicable law we will indicate at the top of this privacy policy when it was most recently updated if we update the privacy policy, we will let you know in advance about changes we consider to be material by placing a notice on the business services or by emailing you, where appropriate download what information do we collect about you? we may collect various types of personal information in connection with the business services for example we may collect personal information that you provide, such as your name, address, e-mail address and contact details, job title and position, company, country, language, registration details, and any communications you send or deliver to us; we may collect data about your use of the business services, including the time and duration, visited pages, clicked components and downloaded software development kits, application programming interfaces, and technical resources of your use; information stored in cookies that we have set on your device; and information about your device settings; we may collect information about the products and services you or your employer have used, bought or received and payment data and other information provided in connection with a transaction; we may collect information about your company such as company name, company address, company phone number and concepts, descriptions or portfolios of products or services that your company hasbeen developing; we also may receive personal information about you from your employer or service provider or from publicly and commercially available sources as permitted by law , which we may combine with other information we receive from or about you how do we use your information? we may use information we collect for the following purposes to provide products and services that you or your employer requested and to register or authenticate you or your device; to respond to your questions or requests for information; to offer better and more customized products and services that take into account your company’s purchasing history and service record and other relevant information; subject to your consent where required by applicable law, to inform you about new products and services; for assessment and analysis of our market, customers, products, and services including asking you for your opinions on our products and services and carrying out customer surveys ; to understand the way companies use the business services so that we can improve them and develop new products and services; to provide maintenance services and to maintain a sufficient level of security on the business services; to protect the rights, property, or safety of samsung, or any of our respective affiliates, business partners, employees or customers, for example, in legal proceedings, internal investigations and investigations by competent authorities; otherwise with your consent or as described to at the time your information is collected through the business services, we may collect personal information about your online activities on websites and connected devices over time and across third-party websites, devices, apps and other online features and services we may use third-party analytics services on the business services, such as those of google analytics the service providers that administer these analytics services help us to analyze your use of the business services and improve the business services the information we obtain may be disclosed to or collected directly by these providers and other relevant third parties who use the information, for example, to evaluate use of the business services, help administer the business services and diagnose technical issues to learn more about google analytics, please visit http //www google com/analytics/learn/privacy html and https //www google com/policies/privacy/partners/ to whom do we disclose your information? we do not disclose your information to third parties for their own independent marketing or business purposes without your consent but we may share your information with the following entities samsung affiliates; third parties when necessary to provide you with requested products and services for example, we may disclose your payment data to financial institutions as appropriate to process transactions that you have requested; companies that provide services for or on behalf of us, such as companies that help us with the billing process; other parties i to comply with the law or respond to compulsory legal process such as a search warrant or other court order ; ii to verify or enforce compliance with the policies governing our business services; iii to protect the rights, property, or safety of samsung, or any of our respective affiliates, business partners, or customers; iv as part of a merger or transfer, or in the event of a bankruptcy; with other third parties when you consent to or request such sharing submissions that you make to public areas of a website, mobile application, or other online service, such as bulletin boards may be viewable to other users of the business services we do not control, and are not responsible for, how other users of the business services may use this information for example, personal information that you submit in public areas could be collected and used by others to send you unsolicited messages or for other purposes what do we do to keep your information secure? we have put in place reasonable physical and technical measures to safeguard the information we collect in connection with the business services however, please note that although we take reasonable steps to protect your information, no website, internet transmission, computer system or wireless connection is completely secure can you access your information? under the laws of some jurisdictions, you may have the right to request details about the information we collect about you and to correct inaccuracies in that information we may decline to process requests that are unreasonably repetitive, require disproportionate technical effort, jeopardize the privacy of others, are extremely impractical, or for which access is not otherwise required by local law if you would like to make a request to access your information, please contact us by the methods outlined in the contact section of this privacy policy if you request deletion of personal information, you acknowledge that you may not be able to access or use the business services and that residual personal information may continue to reside in samsung's records and archives for some time, but samsung will not use that information for commercial purposes you understand that, despite your request for deletion, samsung reserves the right to keep your personal information, or a relevant part of it, if samsung has suspended, limited, or terminated your access to the website for violating the samsung terms of use, when necessary to protect the rights, property, or safety of samsung, or any of our respective affiliates, business partners, employees or customers third-party links and products on our services our business services may link to third-party websites and services that are outside our control we are not responsible for the security or privacy of any information collected by websites or other services you should exercise caution, and review the privacy statements applicable to the third-party websites and services you use cookies, beacons and similar technologies we, as well as certain third parties that provide content, advertising, or other functionality on our business services, may use cookies, beacons, and other technologies in certain areas of our business services cookies cookies are small files that store information on your device they enable the entity that put the cookie on your device to recognize you across different websites, services, devices, and/or browsing sessions cookies serve many useful purposes for example cookies can remember your sign-in credentials so you don’t have to enter those credentials each time you log on to a service cookies help us and third parties understand which parts of our business services are the most popular because they help us to see which pages and features visitors are accessing and how much time they are spending on the pages by studying this kind of information, we are better able to adapt the business services and provide you with a better experience cookies help us and third parties understand which ads you have seen so that you don’t receive the same ad each time you access the mss service cookies help us and third parties provide you with relevant content and advertising by collecting information about your use of our business services and other websites and apps when you use a web browser to access the business services, you can configure your browser to accept all cookies, reject all cookies, or notify you when a cookie is sent each browser is different, so check the “help” menu of your browser to learn how to change your cookie preferences the operating system of your device may contain additional controls for cookies please note, however, that some business services may be designed to work using cookies and that disabling cookies may affect your ability to use those business services, or certain parts of them other local storage we, along with certain third parties, may use other kinds of local storage technologies, such as local shared objects also referred to as “flash cookies” and html5 local storage, in connection with our business services these technologies are similar to the cookies discussed above in that they are stored on your device and can be used to store certain information about your activities and preferences however, these technologies may make use of different parts of your device from standard cookies, and so you might not be able to control them using standard browser tools and settings for information about disabling or deleting information contained in flash cookies, please click here beacons we, along with certain third parties, also may use technologies called beacons or “pixels” that communicate information from your device to a server beacons can be embedded in online content, videos, and emails, and can allow a server to read certain types of information from your device, know when you have viewed particular content or a particular email message, determine the time and date on which you viewed the beacon, and the ip address of your device we and certain third parties use beacons for a variety of purposes, including to analyze the use of our business services and in conjunction with cookies to provide content and ads that are more relevant to you by accessing and using our business services, you consent to the storage of cookies, other local storage technologies, beacons and other information on your devices you also consent to the access of such cookies, local storage technologies, beacons and information by us and by the third parties mentioned above your choices we offer you certain choices in connection with the personal information we obtain about you to update your preferences, limit the communications you receive from us, or submit a request, please contact us as specified in the contact section below the business services may offer choices related to the collection, deletion and sharing of certain information and communications about products, services and promotions you can access the settings to learn about choices that may be available to you when you use the business service if you decline to allow the business services to collect, store or share certain information, you may not be able to use all of the features available through the business services contact if you have any questions regarding this policy, please contact us at support@samsungdevelopers com
Develop Smart TV
docreservation of rights; modification samsung reserves all rights not expressly granted in these sdk terms samsung may modify these sdk terms at any time by providing such revised sdk terms to you or posting the revised sdk terms on the site your continued use of the samsung tv app sdk shall constitute your acceptance to be bound by the terms and conditions of such revised terms severability should any term or provision of these sdk terms be deemed invalid, void or unenforceable either in its entirety or in a particular application, the remainder of these sdk terms shall remain in full force and legal effect governing law; jurisdiction; waiver of claims these sdk terms shall be governed by and construed in accordance with the laws of the republic of korea, without regard to conflict of law rules thereof the parties hereto expressly understand and agree that any action brought by you against samsung arising out of these sdk terms shall be brought exclusively in the courts located in seoul, korea, and any action brought by samsung against you arising out of these sdk terms shall, at the election of samsung, be brought in either the courts located in seoul, korea, or the applicable courts of the jurisdiction in which you reside the parties hereby consent to, and irrevocably submit themselves to, the exclusive personal jurisdiction and venue of such courts as set forth in this section the application of the united nations convention on contracts for international sale of goods is expressly excluded miscellaneous terms you may not assign these sdk terms without samsung's prior written consent the waiver by samsung of any breach or default shall not be deemed to be a waiver of any other breach or default the exercise or failure to exercise any remedy by samsung shall not preclude the exercise of that remedy at another time or of any other remedy at any time if any provision of these sdk terms is held to be invalid or unenforceable, that term shall be interpreted as closely as possible to its original intent as is consistent with its validity and enforceability, and the other provisions shall not be affected the headings are used for the convenience of the parties only and shall not affect the construction or interpretation of these sdk terms you expressly acknowledge that you have read these sdk terms and understand the rights, obligations, terms and conditions set forth herein by accessing and continuing to use the samsung tv app sdk, you expressly consent to be bound by its terms and conditions and grant to samsung the rights set forth herein i agree to this sdk license agreement download
Develop Smart Signage
sdkreservation of rights; modification samsung reserves all rights not expressly granted in these sdk terms samsung may modify these sdk terms at any time by providing such revised sdk terms to you or posting the revised sdk terms on the site your continued use of the samsung tv app sdk shall constitute your acceptance to be bound by the terms and conditions of such revised terms severability should any term or provision of these sdk terms be deemed invalid, void or unenforceable either in its entirety or in a particular application, the remainder of these sdk terms shall remain in full force and legal effect governing law; jurisdiction; waiver of claims these sdk terms shall be governed by and construed in accordance with the laws of the republic of korea, without regard to conflict of law rules thereof the parties hereto expressly understand and agree that any action brought by you against samsung arising out of these sdk terms shall be brought exclusively in the courts located in seoul, korea, and any action brought by samsung against you arising out of these sdk terms shall, at the election of samsung, be brought in either the courts located in seoul, korea, or the applicable courts of the jurisdiction in which you reside the parties hereby consent to, and irrevocably submit themselves to, the exclusive personal jurisdiction and venue of such courts as set forth in this section the application of the united nations convention on contracts for international sale of goods is expressly excluded miscellaneous terms you may not assign these sdk terms without samsung's prior written consent the waiver by samsung of any breach or default shall not be deemed to be a waiver of any other breach or default the exercise or failure to exercise any remedy by samsung shall not preclude the exercise of that remedy at another time or of any other remedy at any time if any provision of these sdk terms is held to be invalid or unenforceable, that term shall be interpreted as closely as possible to its original intent as is consistent with its validity and enforceability, and the other provisions shall not be affected the headings are used for the convenience of the parties only and shall not affect the construction or interpretation of these sdk terms you expressly acknowledge that you have read these sdk terms and understand the rights, obligations, terms and conditions set forth herein by accessing and continuing to use the samsung tv app sdk, you expressly consent to be bound by its terms and conditions and grant to samsung the rights set forth herein cancel i agree and download
Develop Smart TV
sdkreservation of rights; modification samsung reserves all rights not expressly granted in these sdk terms samsung may modify these sdk terms at any time by providing such revised sdk terms to you or posting the revised sdk terms on the site your continued use of the samsung tv app sdk shall constitute your acceptance to be bound by the terms and conditions of such revised terms severability should any term or provision of these sdk terms be deemed invalid, void or unenforceable either in its entirety or in a particular application, the remainder of these sdk terms shall remain in full force and legal effect governing law; jurisdiction; waiver of claims these sdk terms shall be governed by and construed in accordance with the laws of the republic of korea, without regard to conflict of law rules thereof the parties hereto expressly understand and agree that any action brought by you against samsung arising out of these sdk terms shall be brought exclusively in the courts located in seoul, korea, and any action brought by samsung against you arising out of these sdk terms shall, at the election of samsung, be brought in either the courts located in seoul, korea, or the applicable courts of the jurisdiction in which you reside the parties hereby consent to, and irrevocably submit themselves to, the exclusive personal jurisdiction and venue of such courts as set forth in this section the application of the united nations convention on contracts for international sale of goods is expressly excluded miscellaneous terms you may not assign these sdk terms without samsung's prior written consent the waiver by samsung of any breach or default shall not be deemed to be a waiver of any other breach or default the exercise or failure to exercise any remedy by samsung shall not preclude the exercise of that remedy at another time or of any other remedy at any time if any provision of these sdk terms is held to be invalid or unenforceable, that term shall be interpreted as closely as possible to its original intent as is consistent with its validity and enforceability, and the other provisions shall not be affected the headings are used for the convenience of the parties only and shall not affect the construction or interpretation of these sdk terms you expressly acknowledge that you have read these sdk terms and understand the rights, obligations, terms and conditions set forth herein by accessing and continuing to use the samsung tv app sdk, you expressly consent to be bound by its terms and conditions and grant to samsung the rights set forth herein cancel i agree and download
Develop Smart Hospitality Display
sdkreservation of rights; modification samsung reserves all rights not expressly granted in these sdk terms samsung may modify these sdk terms at any time by providing such revised sdk terms to you or posting the revised sdk terms on the site your continued use of the samsung tv app sdk shall constitute your acceptance to be bound by the terms and conditions of such revised terms severability should any term or provision of these sdk terms be deemed invalid, void or unenforceable either in its entirety or in a particular application, the remainder of these sdk terms shall remain in full force and legal effect governing law; jurisdiction; waiver of claims these sdk terms shall be governed by and construed in accordance with the laws of the republic of korea, without regard to conflict of law rules thereof the parties hereto expressly understand and agree that any action brought by you against samsung arising out of these sdk terms shall be brought exclusively in the courts located in seoul, korea, and any action brought by samsung against you arising out of these sdk terms shall, at the election of samsung, be brought in either the courts located in seoul, korea, or the applicable courts of the jurisdiction in which you reside the parties hereby consent to, and irrevocably submit themselves to, the exclusive personal jurisdiction and venue of such courts as set forth in this section the application of the united nations convention on contracts for international sale of goods is expressly excluded miscellaneous terms you may not assign these sdk terms without samsung's prior written consent the waiver by samsung of any breach or default shall not be deemed to be a waiver of any other breach or default the exercise or failure to exercise any remedy by samsung shall not preclude the exercise of that remedy at another time or of any other remedy at any time if any provision of these sdk terms is held to be invalid or unenforceable, that term shall be interpreted as closely as possible to its original intent as is consistent with its validity and enforceability, and the other provisions shall not be affected the headings are used for the convenience of the parties only and shall not affect the construction or interpretation of these sdk terms you expressly acknowledge that you have read these sdk terms and understand the rights, obligations, terms and conditions set forth herein by accessing and continuing to use the samsung tv app sdk, you expressly consent to be bound by its terms and conditions and grant to samsung the rights set forth herein cancel i agree and download
Develop Smart TV
docreservation of rights; modification samsung reserves all rights not expressly granted in these sdk terms samsung may modify these sdk terms at any time by providing such revised sdk terms to you or posting the revised sdk terms on the site your continued use of the samsung tv app sdk shall constitute your acceptance to be bound by the terms and conditions of such revised terms severability should any term or provision of these sdk terms be deemed invalid, void or unenforceable either in its entirety or in a particular application, the remainder of these sdk terms shall remain in full force and legal effect governing law; jurisdiction; waiver of claims these sdk terms shall be governed by and construed in accordance with the laws of the republic of korea, without regard to conflict of law rules thereof the parties hereto expressly understand and agree that any action brought by you against samsung arising out of these sdk terms shall be brought exclusively in the courts located in seoul, korea, and any action brought by samsung against you arising out of these sdk terms shall, at the election of samsung, be brought in either the courts located in seoul, korea, or the applicable courts of the jurisdiction in which you reside the parties hereby consent to, and irrevocably submit themselves to, the exclusive personal jurisdiction and venue of such courts as set forth in this section the application of the united nations convention on contracts for international sale of goods is expressly excluded miscellaneous terms you may not assign these sdk terms without samsung's prior written consent the waiver by samsung of any breach or default shall not be deemed to be a waiver of any other breach or default the exercise or failure to exercise any remedy by samsung shall not preclude the exercise of that remedy at another time or of any other remedy at any time if any provision of these sdk terms is held to be invalid or unenforceable, that term shall be interpreted as closely as possible to its original intent as is consistent with its validity and enforceability, and the other provisions shall not be affected the headings are used for the convenience of the parties only and shall not affect the construction or interpretation of these sdk terms you expressly acknowledge that you have read these sdk terms and understand the rights, obligations, terms and conditions set forth herein by accessing and continuing to use the samsung tv app sdk, you expressly consent to be bound by its terms and conditions and grant to samsung the rights set forth herein cancel i agree and download
We use cookies to improve your experience on our website and to show you relevant advertising. Manage you settings for our cookies below.
These cookies are essential as they enable you to move around the website. This category cannot be disabled.
These cookies collect information about how you use our website. for example which pages you visit most often. All information these cookies collect is used to improve how the website works.
These cookies allow our website to remember choices you make (such as your user name, language or the region your are in) and tailor the website to provide enhanced features and content for you.
These cookies gather information about your browser habits. They remember that you've visited our website and share this information with other organizations such as advertisers.
You have successfully updated your cookie preferences.