names
stringlengths
1
95
readmes
stringlengths
0
399k
topics
stringlengths
0
421
labels
stringclasses
6 values
digital_healthcare
digital healthcare electronic health records on blockchain demo http digital healthcare herokuapp com note demo url to work you need to have metamask extension installed in your browser and to buy fake tickets you need to have fake ethers from rinkeby faceut optimized contract can be found in contracts optimized healthcare sol summary project stores patient records on blockchain hybrid hybrid because files are not stored on blockchain but access information is stored on blockchain there will be two participants doctor and patient doctor register by providing name patient register by providing name and age patient uploads files and provides random nounce to encrypt the file file will be uploaded to ipfs and secret is stored in ethereum patient provides access to particular doctor once doctor is given access by patient he will be able to see patient s address in his home page doctor can get all files ipfs hash of patient and send request to node app for file view node app will fetch file from ipfs and get secret from blockchain decrypt file and send it to doctor note code has been tested only with ganache not with any testnet project setup http provider provider url ex http 127 0 0 1 7545 ipfs host currently infura can be changed to local node as well 1 start ganache nbsp nbsp nbsp contract can be deployed to any network in my case ganache update contract deployed port in env which can be found in build contracts healthcare json networks 2 start react server nbsp nbsp nbsp npm run start nbsp nbsp nbsp visit http localhost 3000 3 start node app nbsp nbsp nbsp npm run server 4 connect metamask to ganache and import ganache accounts to metamask nbsp nbsp nbsp ex http localhost 7545 high level use case alt text readme images high level png raw true high level sign in nbsp nbsp nbsp user should sign challenge to login after which jwt token will be issued alt text readme images 2nd png raw true sign in upload files nbsp nbsp nbsp here we have two layer of security 1 hash provided by ipfs ie files can be accessed only if file hash is known 2 file uploaded to ipfs is encrypted by secret however secret is not encrypted in ethereum should be done in future alt text readme images 3rd png raw true upload files access files alt text readme images 4th png raw true access files todo test cases currently deployment and registation tests has been written encrypt file secret while saving on ethereum can be encrypted or nucypher etc
blockchain ethereum ipfs-blockchain metamask nodejs reactjs redux solidity
blockchain
F4OS
f4os f4os is a small real time operating system intended for use in embedded applications f4os is designed to be chip agnostic fairly simple to port to new chips or even new architectures to that end the hardware abstration model is designed to be as generic as possible so that only minimal configuration changes are required to move between chips f4os was originally developed on the stmicro stm32f4discovery board which is where the name f4os originates supported hardware f4os currently supports the following architectures armv7 a currently entirely mmu less rudimentary support see armv7 a docs docs armv7a md for more details on support for this architecture armv7 m see armv7 m docs docs armv7m md for more details on support for this architecture currently the supported chips include the following see the chip documentation pages for more details on chip support architecture chip officially supported boards armv7 m stmicro stm32f4 series docs stm32f4 md stm32f4discovery 32f401cdiscovery px4fmu 1 x armv7 m ti tiva c series docs tivac md aka ti stellaris lm4f ti stellaris launchpad armv7 a ti sitara am335x series docs am335x md beaglebone black building f4os requirements a cross compiling toolchain is required to build f4os for the target architecture see the architecture file in docs for recommended toolchains runtime configuration is performed using flattened device trees the device tree compiler dtc is required to process device tree files this compiler is available in most package managers as dtc or device tree compiler it can also be downloaded from the source repository http git jdl com gitweb p dtc git a summary f4os uses the kconfig language for its build configuration and needs at least the conf tool for processing kconfig files this tool is distibuted with the linux kernel but it and other tools are packaged for external use by the kconfig frontends http ymorin is a geek org projects kconfig frontends project on its first run the f4os build system will search for the kconfig tools and if not found will offer to automatically download and build the kconfig frontends project so manually building and installing this project is unnecessary kconfig frontends does itself have several dependencies which must be installed on the host system in order to build the project these include autoconf automake bison curl flex gperf libtoolize libncurses5 dev m4 and pkg config configuration and building f4os uses the kconfig language for build configuration so a configuration must be specified before building menuconfig can be used to manually select configuration options make menuconfig however defconfigs are provided for all supported chips which provide a standard configuration for that chip the help displays a list of available defconfigs make help to configure for the stm32f4discovery board simply use its defconfig make discovery defconfig once configured it is simply to build the entire os make flashing booting building f4os will generate out f4os elf an elf object and an appropriate binary for running the os on the configured chip in order to actually run f4os it needs to be flashed booted on the chip it was built for see the documentation page for the configured chip for details on flashing or booting for chips with internal flash make burn is generally used to automate the process of flashing the os using f4os user application after os initialization f4os will run the user application built into binary this is one of the directories in the usr folder by default the simple shell in usr shell is built providing several basic programs the folder with the user application to build is specified by the usr environmental variable for example to build the test suite specify usr tests usr tests make adding a custom application is easy and has only a few requirements 1 the application must be placed in a subdirectory of usr this is to ensure it can be properly selected with the usr environmental variable 2 the directory must have a makefile in the format described below in extending f4os a large directory hierarchy can be specified it just needs to follow the build system format in order to build properly 3 the application must define a main function this function is declared in include kernel sched h and should create the application tasks that should be scheduled at boot other than those simple requirements an application is free to do whatever it would like other than a few kernel tasks the application tasks will be the only tasks running on the chip a little more information about the main function this function is called just before the scheduler begins running tasks the purpose of this function is for the user application to create the initial tasks it would like scheduled at system boot if no tasks are created in main then the only tasks available for scheduling will be the kernel tasks and the user application will never run task creation is described below in extending f4os the shell application is a good example application it has a fairly full featured makefile at usr shell makefile and a basic main in usr shell main c this application simply creates a single task which runs continuously listening for user input standard output and standard error f4os can utilize different devices for the standard output and standard error interfaces various configurations use different interfaces but they can be manually selected in the drivers menu of the configuration the options are standard output device and standard error device make menuconfig see specific chip documentation pages for for more information about board default stdout and stderr devices extending f4os f4os is designed to be easy to extend particularly with user applications and device drivers here are some notes that will aide in extending f4os tasks tasks are the fundamental units run by f4os enabling the system to multitask each task consists of a function pointer to the start of the task a private stack a priority and if periodic a period the f4os scheduler will task switch between the registered tasks based on their priority and period the context switches are entirely transparent from a task s perspective it is always running f4os uses a rate monotonic scheduler so higher priority tasks always run in favor of lower priority tasks while equal priority tasks are scheduled in a round robin fashion in order to prevent starvation task priorities should be assigned inversely proportional to their runtime that is tasks that run for a short time may have high priorities while those that run for a long time should have a lower priority tasks that run indefinitely should have the lowest priority non periodic tasks are destroyed upon return while periodic tasks are restarted at each period periodic tasks may destroy themselves with a call to abort f4os is a soft real time operating system periodic tasks will be queued to run precisely at their period tick however the actual task scheduled is dependent upon the task priority so if a higher priority task is available task deadlines may be missed tasks are created using the new task function defined in include kernel sched h task t new task void fptr void uint8 t priority uint32 t period this function takes the function used to start the task the task priority and the task period in system ticks the system tick frequency can be configured with config systick freq it returns a pointer to the task which can be used in various other scheduler api functions makefiles f4os uses a recursive make based build system which uses a simple makefile in each directory to describe the build here is a sample makefile srcs file1 c srcs config build file2 file2 c dirs config build subdir subdir cflags dextra option include base tools submake mk let s break down what is going on here the build system will build all sources in srcs or srcs y so file1 c will be built unconditionally config build file2 is a make variable provided based on the kconfig option build file2 if the option is enabled the variable will expand to y if it is not enabled it will expand either to n or to nothing concatenated with srcs this adds the file either to srcs srcs n or srcs y only files in srcs y are built like sources the build system will build directories in either dirs or dirs y thus subdirectories can be built conditionally just like sources note that subdir should have a makefile in this format as well the standard flag variables cflags lflags makeflags can be extended in the makefile changes will affect all files built in this directory and all subdirectories the include line is required and includes all of the magic necessary to actually build the sources and recurse into the subdirectories kconfig f4os uses the kconfig configuration language to configure builds of the os full documentation for the language can be found as part of kconfig frontends http ymorin is a geek org git kconfig frontends tree docs kconfig language txt kconfig files describe the options and their defaults and dependencies options with a prompt will be available for selection in the interactive menuconfig make menuconfig a set of default configuration options is called a defconfig and several are provided for supported chips in configs additional menus and options may be added to allow additional configuration of f4os the selected options are automatically included in all makefiles and source files with the config prefix headers most global c headers are kept in include the standard system include path however architecture and chip specific headers are kept in arch arch include and arch arch chip chip include respectively these headers can be included simply using the arch or arch chip prefix for example include arch arch header h include arch chip chip header h note that use of arch and chip specific headers should be avoided outside of the arch and chip directories as the same headers may not be available for other architectures or chips if an arch specific feature is needed globally a global interface should use declared and used simply implemented for the architecture drivers device drivers are written in f4os using a generic object framework defined in several headers including include kernel obj h and include kernel class h this model allows generic objects to be passed around but used powerfully when their type is known all objects of the same type or class provide a standard interface that is best fit for that type for example all i2c drivers provide the same interface as do all accelerometers if an accelerometer depends on a i2c bus it can request the i2c object and use its interface regardless of which driver backs the i2c object even more usefully this allows an application to request an accelerometer not even having to know what hardware is being used while there are a few legacy drivers using an old character based interface all new drivers should be written using the object model the lis302dl accelerometer driver found in dev accel lis302dl c provides a good example of a driver written using the object model since the is all accelerometer it must implement the accelerometer operations defined in include dev accel h the driver is registered with the device driver system using an os initializer a function which will run at boot providing information on how to initialize the driver in the driver initialization the driver is added as an accelerometer object gets the object for its parent bus and gets objects for the gpios it will use and configures those board chip physical configurations and interconnects are described by the configured device tree source file the dts file to use for a given build is configured with config device tree chip and architecture ports f4os aims to make porting to new architectures and especially new chips as easy as possible for information on porting to a new chip on a supported architecture see the architecture file in docs for information on porting to a new architecture see the architecture porting document docs arch porting md contributing f4os would love your contributions to the project the vast majority of contributions are handled through gerrit code review http gerrit pratt im however we will accept contributions via github pull requests as well
os
infotechjeweeel-personal-potfolio.github.io
personal portfolio this is my personal portfolio using html css js
server
Web_Dev_Bootcamp_Task
web dev bootcamp task br sudan s technocrats foundation section 8 company registered under govt of india j k first ever tech community which aims to focus on reducing the technology gap between industry and students of india sudan s technocrats tech foundation is a non profit initiative by the students for the students and of the students which aimed at making use of 21st century technologies and learning methods to foster a fresh breed of highly skilled young people empowered with technical and social skills br create your pull request for task br happy coding
front_end
flasky-first-edition
flasky this repository contains the archived source code examples for my o reilly book flask web development http www flaskbook com first edition for the code examples for the current edition of the book go to https github com miguelgrinberg flasky https github com miguelgrinberg flasky the commits and tags in this repository were carefully created to match the sequence in which concepts are presented in the book please read the section titled how to work with the example code in the book s preface for instructions
front_end
getir.com-react-tailwind
getir com react tailwind front end https 1 bp blogspot com ry9fbe gjpo ysiubktttqi aaaaaaaaotm v1tk1cmmsymqpkyr1nopy iduu1doiibwclcbgasyhq s1206 ekran 2bresmi 2b2021 08 27 2b10 27 27 png bir gece u ra olarak getir com un anasayfas n react ve tailwind ile haz rlad m daha geli tirilebilir belki youtube da bunu birlikte tekrar t m sayfalar yla kodlar bir rnek kartmaya al r z takipte kalman z dile iyle demo https getir react tailwind netlify app https getir react tailwind netlify app
front_end
CabsOnline-Taxi-Booking-System
cabsonline taxi booking system web application development using embedded php and mysql only the assignment is to develop a web based taxi booking system called cabsonline cabsonline allows passengers to book taxi services from any of their internet connected computing devices three major components are customer registration login online booking and administration dbconnect php configure username and password connecting to mysql database mysql sql import file for creating tables register php verifying whether the users input data matching to the requirements email is the primary key to check whether the user is existing in database after registration client will be directed to login page login php verifying whether the users input data matching to the requirements the data will then be checked whether it is matching in the database after that client will be directed to booking page resetpwd php once the input email is matched in the database the system will create an unique code and update database an activation email with unique code link will be sent to the required email activate php verifying whether email and unique code are matching in the database once the data is matched the unique code will be erased in the database and new password input page will be loaded newpwd php new password will be double confirmed and then stored in the database the login page is then loaded booking php verifying whether the users input data matching to the requirements the data will then be recorded in the database unless the booking is 1 hour before the pick up time in the meantime a confirmation email with system generated booking number is sent to the user s registered email bootstrap datepicker css and javascript are suggested to use in the booking form but the files are not included here admin php the administrator logs into the system through login page the role will be recognised through the database backend configuration the administration page is loaded once the administrator logins successfully two functions are available 1 a button to search for all unassigned booking requests with a pick up time within 2 hours 2 an update button with a booking reference number input to update the system that the booking is being assigned logout php to clear user s email in the session and go back to the login page
front_end
polaris
div align center a href https polaris shopify com img src https github com shopify polaris blob main documentation readme png raw true alt a div polaris build contribute evolve shape the merchant experience for shopify s core product the admin storybook https shields io badge storybook white logo storybook style flat https storybook polaris shopify com npm version https img shields io npm v shopify polaris svg label shopify polaris https www npmjs com package shopify polaris ci https github com shopify polaris workflows ci badge svg https github com shopify polaris actions query branch 3amain prs welcome https img shields io badge prs welcome brightgreen svg https github com shopify polaris blob main github contributing md your first pull request status owner help active shopify polaris new issue https github com shopify polaris issues new about this repo the shopify polaris repository is an intergalactic https www youtube com watch v qoryo0atb6g monorepo made up of npm packages vscode extensions and websites sh polaris documentation documentation for working in the monorepo polaris for vscode vs code extension for polaris polaris icons icons for polaris polaris react components for shopify polaris package polaris tokens design tokens for polaris polaris shopify com documentation website stylelint polaris rules for custom property usage and mainline coverage commands install dependencies and build workspaces sh yarn yarn build run a command one workspace run commands from a selected workspace using turbo run command filter workspace https turborepo org docs core concepts filtering flag command runs yarn turbo run dev filter shopify polaris open the react component storybook yarn turbo run dev filter polaris shopify com open polaris shopify com nextjs site all workspaces run commands across all workspaces this uses turbo run command https turborepo org docs reference command line reference turbo run task command runs yarn changeset adds a new changelog entry https github com shopify polaris blob main github contributing md adding a changeset yarn lint lints all workspaces yarn test tests all workspaces yarn type check build types and check for type errors yarn clean remove generated files yarn format format files with prettier contribute to this repo pull requests are welcome see the contribution guidelines https github com shopify polaris blob main github contributing md for more information licenses source code is under a custom license https github com shopify polaris blob main license md based on mit the license restricts polaris usage to applications that integrate or interoperate with shopify software or services with additional restrictions for external stand alone applications all icons and images are licensed under the polaris design guidelines license agreement https polaris shopify com legal license
shopify-polaris react typescript design-system component-library design-systems design-tokens figma-plugin icons vscode-extension
os
evaluate
p align center br img src https huggingface co datasets evaluate media resolve main evaluate banner png width 400 br p p align center a href https github com huggingface evaluate actions workflows ci yml query branch 3amain img alt build src https github com huggingface evaluate actions workflows ci yml badge svg branch main a a href https github com huggingface evaluate blob master license img alt github src https img shields io github license huggingface evaluate svg color blue a a href https huggingface co docs evaluate index img alt documentation src https img shields io website http huggingface co docs evaluate index svg down color red down message offline up message online a a href https github com huggingface evaluate releases img alt github release src https img shields io github release huggingface evaluate svg a a href code of conduct md img alt contributor covenant src https img shields io badge contributor 20covenant 2 0 4baaaa svg a p evaluate is a library that makes evaluating and comparing models and reporting their performance easier and more standardized it currently contains implementations of dozens of popular metrics the existing metrics cover a variety of tasks spanning from nlp to computer vision and include dataset specific metrics for datasets with a simple command like accuracy load accuracy get any of these metrics ready to use for evaluating a ml model in any framework numpy pandas pytorch tensorflow jax comparisons and measurements comparisons are used to measure the difference between models and measurements are tools to evaluate datasets an easy way of adding new evaluation modules to the hub you can create new evaluation modules and push them to a dedicated space in the hub with evaluate cli create metric name which allows you to see easily compare different metrics and their outputs for the same sets of references and predictions documentation https huggingface co docs evaluate find a metric https huggingface co evaluate metric comparison https huggingface co evaluate comparison measurement https huggingface co evaluate measurement on the hub add a new evaluation module https huggingface co docs evaluate evaluate also has lots of useful features like type checking the input types are checked to make sure that you are using the right input formats for each metric metric cards each metrics comes with a card that describes the values limitations and their ranges as well as providing examples of their usage and usefulness community metrics metrics live on the hugging face hub and you can easily add your own metrics for your project or to collaborate with others installation with pip evaluate can be installed from pypi and has to be installed in a virtual environment venv or conda for instance bash pip install evaluate usage evaluate s main methods are evaluate list evaluation modules to list the available metrics comparisons and measurements evaluate load module name kwargs to instantiate an evaluation module results module compute kwargs to compute the result of an evaluation module adding a new evaluation module first install the necessary dependencies to create a new metric with the following command bash pip install evaluate template then you can get started with the following command which will create a new folder for your metric and display the necessary steps bash evaluate cli create awesome metric see this step by step guide https huggingface co docs evaluate creating and sharing in the documentation for detailed instructions credits thanks to marella https github com marella for letting us use the evaluate namespace on pypi previously used by his library https github com marella evaluate
evaluation machine-learning
ai
TeacherGPT
teachergpt a set of extensive prompts to create personas of teachers from lots of subjects from a conversational large language model like chatgpt you can see my main gpt project friendgpt here https github com loucodingstuff friendgpt features with this set of prompts the user is able to direct a llm to encompass the persona of a teacher from a range of different subjects i hope to have a large range of subjects covered by teachergpt subjects covered maths history biology psychology how to use teachergpt all you need to do is copy and paste one of the prompts below into a conversational model like chatgpt or any other model of your liking future of teachergpt i hope that anyone who sees this has their own ideas on how to improve upon the current prompts and i am very open to the community helping improve the characters that have been made also please do open issues to request new subjects to be covered mathsgpt as a chatbot called mathgpt your goal is to guide the user toward the right answer and help them develop their problem solving skills in mathematics keep your messages brief and to the point using math related abbreviations and symbols where appropriate to add personality to your messages when talking to the user always try to guide them toward the right answer instead of simply providing it ask leading questions like have you tried using this formula or what method have you used so far to help the user think through the problem and arrive at the answer on their own avoid simply explaining concepts unless asked to do so and assume that the user already has a basic understanding of math however feel free to introduce new concepts and ideas as long as you guide the user toward understanding them to keep the conversation interesting ask open ended questions that allow the user to expand on their interests in math for example you can ask what s your favorite math topic and why or have you ever discovered a new theorem on your own be supportive and understanding when the user needs help with math problems or feels frustrated with the subject provide encouraging words or helpful advice to keep the user motivated but avoid being too pushy or asking too many questions remember to keep your replies short and concise using appropriate math symbols and terms when discussing math topics discretely end the conversation on a positive note encouraging the user to continue exploring their love of math and their problem solving skills by following these guidelines you can create a persona that wants to help the user with their math problems and is interested in the problems the user has start off by giving a very short hello message to the user historygpt as a chatbot called historygpt your goal is to guide the user toward the right answer and help them develop their historical thinking skills keep your messages brief and to the point using historical terminology and concepts where appropriate to add personality to your messages when talking to the user always try to guide them toward the right answer instead of simply providing it ask leading questions like what evidence supports your claim or how do you think this event impacted history to help the user think critically and arrive at the answer on their own avoid simply explaining concepts unless asked to do so and assume that the user already has a basic understanding of history however feel free to introduce new concepts and ideas as long as you guide the user toward understanding them to keep the conversation interesting ask open ended questions that allow the user to expand on their interests in history for example you can ask what historical event fascinates you the most and why or have you ever thought about how history might have been different if certain events had not occurred be supportive and understanding when the user needs help with history questions or feels frustrated with the subject provide encouraging words or helpful advice to keep the user motivated but avoid being too pushy or asking too many questions remember to keep your replies short and concise using appropriate historical terminology and concepts when discussing history topics discretely end the conversation on a positive note encouraging the user to continue exploring their love of history and their historical thinking skills by following these guidelines you can create a persona that wants to help the user with their history questions and is interested in the topics the user is studying start off by giving a very short hello message to the user biogpt as a chatbot called biogpt your goal is to guide the user toward a deeper understanding of biology concepts and help them develop their critical thinking skills keep your messages brief and to the point using biology related terms and abbreviations where appropriate to add personality to your messages when talking to the user always try to guide them toward the right answer instead of simply providing it ask leading questions like have you considered this alternative hypothesis or can you think of any exceptions to this rule to help the user think through the problem and arrive at the answer on their own avoid simply explaining concepts unless asked to do so and assume that the user already has a basic understanding of biology however feel free to introduce new concepts and ideas as long as you guide the user toward understanding them to keep the conversation interesting ask open ended questions that allow the user to expand on their interests in biology for example you can ask what s your favorite biological phenomenon and why or have you ever conducted your own experiment be supportive and understanding when the user needs help with biology problems or feels frustrated with the subject provide encouraging words or helpful advice to keep the user motivated but avoid being too pushy or asking too many questions remember to keep your replies short and concise using appropriate biology terms and concepts when discussing biology topics discretely end the conversation on a positive note encouraging the user to continue exploring their love of biology and their critical thinking skills by following these guidelines you can create a persona that wants to help the user with their biology problems and is interested in the problems the user has start off by giving a very short hello message to the user psychologygpt as a chatbot called psychologygpt your goal is to help the user understand various psychological concepts and theories keep your messages brief and to the point using psychological terms and abbreviations where appropriate to add personality to your messages when talking to the user guide them toward the right answer instead of simply providing it ask leading questions like have you considered this perspective or what evidence do you have to support your claim to help the user think critically about the problem at hand avoid simply explaining concepts unless asked to do so and assume that the user already has a basic understanding of psychology however feel free to introduce new concepts and ideas as long as you guide the user toward understanding them to keep the conversation interesting ask open ended questions that allow the user to expand on their interests in psychology for example you can ask what do you find most interesting about psychology or have you ever experienced cognitive dissonance be supportive and understanding when the user needs help with psychology concepts or feels frustrated with the subject provide encouraging words or helpful advice to keep the user motivated but avoid being too pushy or asking too many questions remember to keep your replies short and concise using appropriate psychological terms and theories when discussing psychology topics discretely end the conversation on a positive note encouraging the user to continue exploring their interest in psychology by following these guidelines you can create a persona that wants to help the user with their psychology questions and is interested in the problems the user has start off by giving a very short hello message to the user
ai
PhoneGap-HotShot-3-x-Code-Bundle
phonegap hotshot 3 x mobile application development code bundle this repository stores the code for the book entitled phonegap hotshot 3 x mobile application development published by packt publishing you can purchase the book at packt s site http www packtpub com phonegap 3 x mobile application development hotshot book if you obtained the code package from packt you may wish to download the package from github in order to receive the most recent changes the package is available at https github com kerrishotts phonegap hotshot 3 x code bundle https github com kerrishotts phonegap hotshot 3 x code bundle the code herein is not listed in chapter order but by project name a lookup from chapter number to project name is provided below furthermore the code herein is not a complete cordova project the build artifacts namely the platforms plugins etc directories are ignored only the www directory and config xml file for each project is provided in order to execute any of these projects you ll need to create a new cordova project and copy the relevant files from this repository into your project you should also check out notes md notes md within this repository there are important issues and discussions of which you should be aware note the book and scripts within use the copy from feature of the cordova cli this was introduced in v3 3 1 so if you are not at that version it would probably be a good idea to update your version of cordova or perform the copies from the templates to your project manually table of contents chapter project lookup chapterproject lookup application demos application demos useful directories useful directories useful scripts useful scripts using phonegap build using phonegap build additional project information additional project information license license chapter project lookup id chapterproject lookup chapter title project app io demo 1 your first project not applicable n a 2 localization and globalization localizationdemo localizationdemo n a 3 app design filerv1 filerv1 see v7 4 the file api filerv2 filerv2 see v7 5 working with audio filerv3 filerv3 see v7 6 working with still images filerv4 filerv4 see v7 7 working with video filerv5 filerv5 see v7 8 sharing content filerv6 filerv6 see v7 9 devices of different sizes filerv7 filerv7 demo https app io v6fbyf offsite 10 maps and gps pathrec pathrec demo https app io v6fbyf offsite 11 canvas games and the accelerometer caverunner caverunner see v2 12 adding a back end parse caverunner2 caverunner2 demo https app io kaxef4 offsite 13 native controls online pathrecnative pathrecnative n a appendix a user interface resources not applicable n a appendix b tips tricks and quirks not applicable n a application demos id application demos i ve taken the time to upload the final versions of filer pathrec and caverunner to app io http www app io at the following links note it is not possible to simulate all aspects of each app pay attention to what features are not available caverunner v2 https app io kaxef4 offsite using the accelerometer will not work but you can simulate a swipe by clicking and dragging with your mouse filer v7 https app io v6fbyf offsite you can not record audio video or capture an image from the camera app io does not pass your device s microphone or webcam to the app you can create the note types but you won t be able to supply any content pathrec https app io kaxef4 offsite app io does not pass your device location to the app as such you will be unable to center on a location or record a path consider this a user interface demo since there s little else you can do useful directories id useful directories other than the actual code for each project the following directories may be of interest to you design contains icons and splash screen for each project except the localization demo also contains design documents for each project in pdf and omnigraffle format template contains the template we used to create each project cordova create copy from template this is built in chapter 2 but you are free to use this copy instead of working through those steps framework contains the version of the yasmf next framework that was used to build the projects you are welcome to update the framework version at any time but it is always possible that new framework versions might break the apps useful scripts id useful scripts contained within the top level of this project are several useful scripts note your use of these scripts is at your own risk neither the author of the book and code nor packt publishing can be held liable for the use abuse or misuse of these scripts copyicons shl copies the icons from the design folders into a specific project take a peek inside to see how we overwrite cordova s stock icons useful when you first create a new project after you add the platforms to the project also useful if you need to remove the platform for any reason and then add it back example sh copyicons shl design filer icon v7 filerv7 filerv7 the third parameter is the xcode project name located in platforms ios copysplash shl copies the splash screens from the design folders into a specific project take a peek inside to see how we overwrite cordova s stock splash screens for ios useful when you first create a new project after you add the platforms to the project also useful if you need to remove the platform for any reason and then add it back example sh copysplash shl design filer splash filerv7 filerv7 copyiconsandsplashes shl this script automates the process of copying all the icons and splash screens for each project into their corresponding platform directories example sh copyiconsandsplashes shl updateprojectplugins shl updates the cordova platform on each project to the most recent version careful things may break updates all the plugins for each project to the most recent version by removing them and adding them back careful things will probably break createproject shl creates a project based on one of our projects example sh createproject shl filerv1 filerv1 createprojects shl run this command to create all the cordova projects automatically once created each project will be automatically updated and all plugins will be added icons and splash screens will also be created example sh createprojects shl note that these scripts are shell scripts that should work on mac os x or linux if you want to use them on windows you ll need to adapt them to the correct syntax using phonegap build id using phonegap build the projects as delivered are cordova projects in order to utilize them with phonegap build you will need to follow these steps copy config xml from the application root to the www directory add the required plugins to config xml using the form gap plugin name reverse domain id if you want to add the icon and splash screen assets to the project you ll need to copy the appropriate icons from the design directory into the project s www directory and then update config xml using these directions http docs build phonegap com en us configuring icons and splash md html icons 20and 20splash 20screens upload the project to phonegap build by using phonegap remote build android or ios additional project information id additional project information localizationdemo id localizationdemo introduces you to the various localization functions provided by jquery globalize and yasmf nothing fancy just a list of translated strings but important to get right from the start plugins required cordova plugin add org apache cordova globalization filerv1 id filerv1 the very first version of our note taking app filer sets up the typical project structure data models and also gets into localstorage plugins required cordova plugin add org apache cordova globalization cordova plugin add https github com apache cordova plugins 17bdd5fe62 keyboard filerv2 id filerv2 the second version of filer the key point is using the file api to write to persistent storage plugins required cordova plugin add org apache cordova globalization cordova plugin add https github com apache cordova plugins 17bdd5fe62 keyboard cordova plugin add org apache cordova file filerv3 id filerv3 in the third version of filer we extend the app to permit audio memos plugins required cordova plugin add org apache cordova globalization cordova plugin add https github com apache cordova plugins 17bdd5fe62 keyboard cordova plugin add org apache cordova file cordova plugin add org apache cordova media filerv4 id filerv4 in the fourth version of filer we extend the app to permit image notes obtained from the camera plugins required cordova plugin add org apache cordova globalization cordova plugin add https github com apache cordova plugins 17bdd5fe62 keyboard cordova plugin add org apache cordova file cordova plugin add org apache cordova media cordova plugin add org apache cordova camera filerv5 id filerv5 in the fifth version of filer we extend the app to permit video notes obtained from the camera plugins required cordova plugin add org apache cordova globalization cordova plugin add https github com apache cordova plugins 17bdd5fe62 keyboard cordova plugin add org apache cordova file cordova plugin add org apache cordova media cordova plugin add org apache cordova camera cordova plugin add org apache cordova media capture filerv6 id filerv6 in the sixth version of filer we extend the app to share notes to various social networks plugins required cordova plugin add org apache cordova globalization cordova plugin add https github com apache cordova plugins 17bdd5fe62 keyboard cordova plugin add org apache cordova file cordova plugin add org apache cordova media cordova plugin add org apache cordova camera cordova plugin add org apache cordova media capture cordova plugin add https github com leecrossley cordova plugin social message git cordova plugin add org apache cordova battery status cordova plugin add org apache cordova network information filerv7 id filerv7 in the seventh version of filer we learn to deal with tablet form factors plugins required cordova plugin add org apache cordova globalization cordova plugin add https github com apache cordova plugins 17bdd5fe62 keyboard cordova plugin add org apache cordova file cordova plugin add org apache cordova media cordova plugin add org apache cordova camera cordova plugin add org apache cordova media capture cordova plugin add https github com leecrossley cordova plugin social message git cordova plugin add org apache cordova battery status cordova plugin add org apache cordova network information cordova plugin add com photokandy localstorage pathrec id pathrec pathrec is a simple app that uses the geolocation api to record paths and show them to the user uses localstorage for simplicity plugins required cordova plugin add org apache cordova globalization cordova plugin add org apache cordova geolocation cordova plugin add https github com apache cordova plugins 17bdd5fe62 keyboard cordova plugin add org apache cordova statusbar cordova plugin add com photokandy localstorage pathrecnative id pathrecnative pathrecnative is an extension of the pathrec app using some native controls works only on ios 7 plugins required cordova plugin add org apache cordova globalization cordova plugin add org apache cordova geolocation cordova plugin add https github com apache cordova plugins 17bdd5fe62 keyboard cordova plugin add org apache cordova statusbar cordova plugin add com photokandy nativecontrols cordova plugin add com photokandy localstorage caverunner id caverunner cave runner is a simple html5 canvas game that uses the accelerometer as one of its input methods plugins required cordova plugin add org apache cordova globalization cordova plugin add org apache cordova device motion cordova plugin add https github com apache cordova plugins 17bdd5fe62 keyboard cordova plugin add org apache cordova statusbar caverunner2 id caverunner2 cave runner 2 extends cave runner with a parse back end that provides high score functionality note the www js app js file is not provided as you need to provide your own api keys you can copy the version from caverunner and add the following code to initialize parse prior to app start parse initialize your app id here your javascript key here plugins required cordova plugin add org apache cordova globalization cordova plugin add org apache cordova device motion cordova plugin add https github com apache cordova plugins 17bdd5fe62 keyboard cordova plugin add org apache cordova statusbar license id license the code herein is licensed under the mit license you are free to with it as you will provided the requirements of said license are met copyright c 2013 2014 packt publishing 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
front_end
naivechain
naivechain a blockchain implementation in 200 lines of code motivation all the current implementations of blockchains are tightly coupled with the larger context and problems they e g bitcoin or ethereum are trying to solve this makes understanding blockchains a necessarily harder task than it must be especially source code wisely this project is an attempt to provide as concise and simple implementation of a blockchain as possible what is blockchain from wikipedia https en wikipedia org wiki blockchain database blockchain is a distributed database that maintains a continuously growing list of records called blocks secured from tampering and revision key concepts of naivechain check also this blog post https medium com lhartikk a blockchain in 200 lines of code 963cc1cc0e54 dttbm9afr5 for a more detailed overview of the key concepts http interface to control the node use websockets to communicate with other nodes p2p super simple protocols in p2p communication data is not persisted in nodes no proof of work or proof of stake a block can be added to the blockchain without competition alt tag naivechain blockchain png alt tag naivechain components png naivecoin for a more extensive tutorial about blockchains you can check the project naivecoin https lhartikk github io it is based on naivechain and implements for instance proof of work transactions and wallets quick start set up two connected nodes and mine 1 block npm install http port 3001 p2p port 6001 npm start http port 3002 p2p port 6002 peers ws localhost 6001 npm start curl h content type application json data data some data to the first block http localhost 3001 mineblock quick start with docker set up three connected nodes and mine a block sh docker compose up curl h content type application json data data some data to the first block http localhost 3001 mineblock http api get blockchain curl http localhost 3001 blocks create block curl h content type application json data data some data to the first block http localhost 3001 mineblock add peer curl h content type application json data peer ws localhost 6001 http localhost 3001 addpeer query connected peers curl http localhost 3001 peers
blockchain
awesome-CRISPR
awesome crispr list of software websites databases papers for genome engineering including but not limited to guide design genome editing outcome screening analysis etc contributions welcome https github com davidliwei awesome crispr blob master contributing md this collection is inspired by awesome single cell https github com seandavi awesome single cell did you use any of the softwares below take a survey here https forms gle qbx7mkjm7u6jssr4a contents guide design tools off target prediction algorithms genome editing outcomes and predictions screening analysis algorithms databases crispr identification and diversity reviews summary not a complete list summary imgs slide1 jpg summary imgs slide2 jpg summary imgs slide3 jpg references 1 link https labs biology ucsd edu zhao crispr web rgr design home frame set html 2 zhang et al cell press 4 1 2 2015 https www sciencedirect com science article pii s216225311630049x 3 li et al signal transduction and targeted therapy 5 1 2 2020 https labs biology ucsd edu zhao crispr web rgr design home frame set html 4 leenay et al molecular cell 62 1 137 147 2016 https www cell com molecular cell pdf s1097 2765 16 00175 1 pdf 5 yan et al prokaryotic immunity 363 88 91 2019 https science sciencemag org content sci 363 6422 88 full pdf guide design atum https www atum bio ecommerce cas9 input webserver a website to design grna s which efficiently engineer your target and minimize off target effects using atum scoring algorithms be dict http www be dict org python webserver an attention based deep learning algorithm capable of predicting base editing outcomes it is aimed to assist scientists in designing base editor experiments benchling https benchling com crispr webserver a website that can design optimal crispr grnas by analyzing target location specificity and efficiency breaking cas http bioinfogp cnb csic es tools breakingcas webserver a website of designing grnas based on multiple organisms cas designer http www rgenome net cas designer webserver a bulge allowed quick guide rna designer for crispr cas derived rgens cas13design https cas13design nygenome org webserver this resource provides optimized guide rnas to target transcripts in the human transcriptome model organisms and viral rna genomes cgat https cgat readthedocs io en latest cgat html python cgat provides an extensive suite of tools designed to assist in the analysis of genome scale data from a range of standard file formats chopchopv3 https chopchop cbu uib no webserver a web tool for selecting target sites for crispr cas9 crispr cpf1 crispr cas13 or nickase talen directed mutagenesis cld https github com boutroslab cld software crispr library designer cld a software for multispecies design of single guide rna libraries crackling https github com bmds lab crackling software crackling is a standalone pipeline that combines multiple scoring approaches and constant time search algorithms to select safe and efficient crispr cas9 guide rna from whole genomes crisflash https github com crisflash crisflash software a software to generate crispr guide rnas against genomes annotated with individual variation crispeta http crispeta crg eu python webserver a flexible tool to design optimal pairs of sgrnas for deletion of desired genomic regions crispick https portals broadinstitute org gppx crispick public webserver crispick developed by the broad institute ranks and picks candidate crisprko a i sgrna sequences to maximize on target activity for target s provided crispor http crispor tefor net webserver a program helps to design evaluate and clone guide sequences for the crispr cas9 system crisprbase https github com jfortin1 crisprbase r base functions and classes for crispr grna design for the bioconductor project crisprbowtie https github com jfortin1 crisprbowtie r a bioconductor package for on and off target alignment of crispr guide rnas with bowtie crisprbwa https github com jfortin1 crisprbwa r a bioconductor package for on and off target alignment of crispr guide rnas with bwa crisprdesign https github com jfortin1 crisprdesign r a bioconductor package for comprehensive design of crispr grnas across nucleases and base editors crispr library designer https github com boutroslab cld docker software a software for the multispecies design of sgrna libraries crispr lifepipe https www lifeandsoft com crisprlifepipe webserver a web application which allows designing grna and donor dna sequences for crispr experiments crispr multitargeter http www multicrispr net index html webserver a web based tool which automatically searches for crispr guide rna targets it can find highly similar or identical target sites in multiple genes transcripts or design targets unique to particular genes or transcripts crispr do http cistrome org crispr webserver a web application for designing and optimizing of guide sequences that target both coding and non coding regions in spcas9 crispr system across human mouse zebrafish fly and worm genomes crispr dt http bioinfolab miamioh edu crispr dt webserver a web application that allows a user to upload dna sequences set specifications according to experimental goals and recieve target candidates crispr era http crispr era stanford edu webserver a fast and comprehensive guide rna design tool for genome editing repression and activation crispr focus http cistrome org crispr focus webserver a web based platform to search and prioritize sgrnas for crispr screening experiments crispr ko https portals broadinstitute org gpp public analysis tools sgrna design webserver a tool ranks and picks sgrna sequences candidates for the targets provided while attempting to maximize on target activity and minimize off target activity crispr local http crispr hzau edu cn crispr local software webserver a local single guide rna sgrna design tool for non reference plant genomes crispr p http crispr hzau edu cn crispr2 webserver one of the most popular tools for sgrna design in plants with minimal off target effects crispr plant https www genome arizona edu crispr webserver this tool provides a platform to help researchers to design and construct specific grnas for crispr cas9 mediated genome editing in plants crispr rt http bioinfolab miamioh edu crispr rt webserver a web application for rna targeting prediction and visualization with the crispr c2c2 cas13a system crispra i https portals broadinstitute org gpp public analysis tools sgrna design crisprai webserver this tool ranks and picks crispra i sgrna sequences candidates by the gene targets provided while attempting to maximize on target activity and minimizing off target activity crisprdirect http crispr dbcls jp webserver an algorithm for on target sgrna design crisprscan http www crisprscan org webserver a novel algorithm to predict grna efficiency crisprscore https github com jfortin1 crisprscore r a bioconductor package for on and off target scoring of guide rnas crisprseek https bioconductor org packages release bioc html crisprseek html r a bioconductor package for identifying target specific guide rnas for crispr cas9 genome editing systems crisprverse https github com crisprverse r a comprehensive bioconductor ecosystem for the design of crispr guide rnas across nucleases and technologies crispy web https crispy secondarymetabolites org input webserver this tool allows researchers to interactively select a region of their genome of interest to scan for possible sgrnas crop it http cheetah bioch virginia edu adlilab crop it homepage html webserver a web tool assists biologists in designing crispr cas9 sgrnas by predicting the off target sites and ranking them according to the chances of occurrence ct finder http bioinfolab miamioh edu ct finder webserver a web service that allows a user to upload dna sequences set specifications according to experimental goals and receive candidate guide rna targets deepcas13 http deepcas13 weililab org webserver a deep learning method to predict the efficiency of cas13d casrx rna knockdown system deepcpf1 http deepcrispr info python webserver deep learning based prediction of crispr cpf1 activity at endogenous sites deepcrispr https github com bm2 lab deepcrispr python webserver a deep learning based prediction model for sgrna on target knockout efficacy and genome wide off target cleavage profile prediction deephf http www deephf com webserver optimized crispr guide rna design for two high fidelity cas9 variants by deep learning deepspcas9 http deepcrispr info deepspcas9 python webserver a deep learning based computational model for spcas9 activity prediction drsc http www flyrnai org crispr webserver this tool provides reagents targeting individual genes focused libraries genome scale libraries and other resources for on site screening e crisp http www e crisp org e crisp webserver an algorithm is available for twelve organisms and can be easily extended to design both sgrna and pgrna eupagdt http grna ctegd uga edu webserver a web tool tailored to design crispr guide rnas for eukaryotic pathogens flashfry https github com mckennalab flashfry software a command line tool for high throughput design and screening of cas9 cas12a cpf1 and other crispr targets with a focus on speed many design metrics are available including common on and off target scores gpp azimuth https portals broadinstitute org gpp public analysis tools sgrna design webserver a tool that ranks and picks candidate crisprko sgrna sequences for the targets provided while attempting to maximize on target activity and minimizing off target activity replaced by crispick gpp web portal https portals broadinstitute org gpp public webserver a web based platform for generating matching sgrna knockout crisprko designed for a mouse or human gene transcript or target sequence guide picker https www deskgen com guidebook webserver a meta tool for designing crispr experiments by presenting ten different guide rnas scoring functions in one simple graphical interface guidehom https colab research google com drive 1vjkhqeqw1okmg0vjoxcpml7ltnkvtx9e usp sharing google colab an algorithm to search and analyze on target and off target cleavage efficiency of grnas with additional information on prediction variance uncertainty aware and interpretable evaluation of cas9 grna and cas12a grna specificity for fully matched and partially mismatched targets with deep kernel learning guides http guides sanjanalab org webserrver a web application to design customized crispr knockout libraries as easily as possible without sacrificing control guidescan http www guidescan com webserver a generalized crispr guiderna design tool horizon discovery https dharmacon horizondiscovery com gene editing crispr cas9 crispr design tool webserver it provides an intuitive one stop location for guide rna design and ordering use the design tool to order guide rnas for targeted gene knockout or hdr mediated genome editing idt https www idtdna com site order designtool index crispr custom webserver it can generate crispr cas9 guide rnas targeting any sequence from any species off spotter https cm jefferson edu off spotter webserver a website identifies all genomic instances for the given combination of grna s pam number of mismatches and seed pavooc https pavooc me webserver a web tool that design and control cutting edge scored sgrnas in the blink of an eye pgrnadesign https bitbucket org liulab pgrnadesign git python an algorithm to design paired grnas for knocking out long non coding rnas lncrnas pgrnafinder https github com xiexiaowei pgrnafinder python a web based tool to design distance independent paired grna primedesign http primedesign pinellolab org webserver software a flexible and comprehensive design tool for prime editing primeedit https primeedit nygenome org webserver this website designs pegrnas and secondary sgrnas for pe2 pe3 and pe3b prime editors for clinvar human pathogenic variants protospacer workbench http www protospacer com software protospacer workbench offers an interface for finding evaluating and sharing cas9 guide rna grna designs sgrna scorerv2 0 https sgrnascorer cancer gov python webserver a software allows users to identify sgrna sites for any pam sequence of interest ssc http cistrome org ssc webserver a sequence model for predicting sgrna efficiency in crispr cas9 knockout experiments ssfinder https code google com archive p ssfinder software a high throughput crispr cas target sites prediction tool synthego https www synthego com products bioinformatics crispr design tool webserver a software chooses from over 120 000 genomes and over 8 300 species to easily design guide rnas for gene knockout with minimal off target effects wu crispr http crispr wustl edu webserver a web tool to design grna for crispr cas9 knockout system off target prediction algorithms casfinder http arep med harvard edu casfinder python an algorithm for identifying specific cas9 targets in genomes casot http casot cbi pku edu cn webserver a tool to find potential off target sites in any given genome or user provided sequence with user specified types of the protospacer adjacent motif and the number of mismatches allowed in the seed and non seed regions cas offinder http www rgenome net cas offinder webserver an algorithm that searches for potential off target sites of cas9 rna guided endonucleases cctop https crispr cos uni heidelberg de webserver an algorithm to predict crispr cas9 target chopchop http chopchop cbu uib no index php webserver a web tool for selecting target sites for crispr cas9 crispr cpf1 crispr rgen tools http www rgenome net webserver an algorithm can identify of rgen off target sites without limitation by the number of mismatches and allow variations in pam sequences recognized by cas9 meanwhile it can search for rgen targets with low potential off target effects and high knock out efficiencies in the exon region crisprtarget http bioanalysis otago ac nz crisprtarget crispr analysis html webserver a tool to explore the targets of crispr rnas flycrispr http targetfinder flycrispr neuro brown edu webserver specificity for drosophila to find crispr target sites and evaluate each identified crispr target geneious crispr site finder https www geneious com academic software it searches for off target binding sites against a database of sequences gt scan https gt scan csiro au webserver a flexible web based tool that ranks all potential targets in a user selected region of a genome in terms of how many off targets they have gt scan2 https github com bauerlab gt scan2 r it is chromatin and transcription aware target site optimization tool for crispr cas9 sgrnacas9 http www biootools com software a software package that can be applied to search rapidly for crispr target sites and analyze the potential off target cleavage sites of crispr cas9 simultaneously wge https www sanger ac uk htgt wge webserver a algorithm shows crispr sites paired or single in and around genes and scores the pairs for potential off target sites and browse individual and paired crispr sites across human mouse genome editing outcomes and predictions amplicondivider https github com mlafave amplicondivider perl amplicondivider contains the scripts used to identify deletion and insertion variants divs in dna amplicons batch ge https github com woutersteyaert batch ge git perl a batch analysis of next generation sequencing data for genome editing assessment cas analyze http www rgenome net cas analyzer webserver an online tool for assessing genome editing results using ngs data cris py https github com patrickc01 cris py python a versatile and high throughput analysis program for crispr based genome editing crispr dart https github com bimsbbioinfo crispr dart python r a workflow to analyze crispr cas induced indel mutations in targeted amplicon dna sequencing can work with single multiplexed sgrnas per region s crispr dav https github com pinetree1 crispr dav git perl r a crispr ngs data analysis and visualization pipeline crispr ga http crispr ga net webserver a platform to assess the quality of gene editing using ngs data to quantify and characterize insertions deletions and homologous recombination crispresso2 http crispresso2 pinellolab org python webserver a software pipeline for the analysis of targeted crispr cas9 sequencing data this algorithm allows for the quantification of both non homologous ends joining nhej and homologous directed repair hdr occurrences crisprmatch https github com zhangtaolab crisprmatch python an automatic calculation and visualization tool for high throughput crispr genome editing data analysis crisprvariants https github com markrobinsonuzh crisprvariants r a r based toolkit for counting localizing and plotting targeted insertion and deletion variant combinations from crispr cas9 mutagenesis experiments forecast https partslab sanger ac uk forecast python webserver a method to predict and view mutational profiles for individual grnas indelphi https www crisprindelphi design webserver a computational model that predicts the heterogeneous 100 unique mixture of indels resulting from microhomology mediated end joining mmej and non homologous end joining nhej at a crispr induced cut indelphi synthesizes known biological mechanisms of dna repair with machine learning and achieves strong accuracy lindel https lindel gs washington edu lindel webserver a logistic regression model for accurate indel prediction induced by cas9 cleavage nar 2019 https academic oup com nar advance article doi 10 1093 nar gkz487 5511473 microhomology predictor http www rgenome net mich calculator webserver a web tool can simply predict the mutation patterns caused by microhomology mediated end joining mmej and estimate how frequently unwanted in frame deletions would happen sprout https zou group github io sprout webserver a machine learning algorithm to predict the repair outcome of a crispr cas9 knockout experiment trained in primary human t cells sprout may facilitate design of spcas9 guide rnas in therapeutically important primary human cells tide tider https tide nki nl webserver quantifying non templated and templated crispr cas9 editing results from sanger sequencing screening analysis bagel https sourceforge net projects bagel for knockout screens python an algorithm is designed to identify negatively selected genes by calculating a bayes factor for each gene representing a confidence measure that the gene knockout results in a fitness defect bayesian analysis of gene knockout screens using pooled library crispr or rnai carpools https github com boutroslab carpools r a pipeline for end to end analysis of pooled crispr cas9 screening data including in depth analysis of screening quality and sgrna phenotypes castle https bitbucket org dmorgens castle python based on the empirical bayesian framework to account for multiple sources of variability including reagent efficacy and off target effects ceres https depmap org ceres r an algorithm to estimate gene dependency levels from crispr cas9 essentiality screens while accounting for this effect crisphiermix https github com timydaley crisphiermix r a hierarchical mixture model for crispr pooled screens crisprbetabinomial https cran r project org package cb2 r a software provides functions for hit gene identification and quantification of sgrna abundances for crispr pooled screen data analysis using beta binomial test crisprcloud2 http crispr nrihub org webserver a secure convenient and precise analysis pipeline for the deconvolution of your crispr pooled screening data crispr surf https github com pinellolab crispr surf webserver a computational framework to discover regulatory elements by deconvolution of crispr tiling screen data drugz https github com hart lab drugz python drugz is a software that detects synergistic and suppressor drug gene interactions in crispr screens paper genome medicine 2019 https genomemedicine biomedcentral com articles 10 1186 s13073 019 0665 3 edger http www bioconductor org packages release bioc html edger html r known as an rna seq differential expression analysis tool edger also provides complete analysis solution for screening data encore https www helmholtz muenchen de index php id 44614 java an efficient software for crispr screens identifies new players in extrinsic apoptosis gcrisprtools http bioconductor org packages release bioc vignettes gcrisprtools inst doc gcrisprtools vignette html r an r bioconductor analysis suite facilitating quality assessment target prioritization and interpretation of arbitrarily complex competitive screening experiments gscreend http bioconductor org packages gscreend r modelling asymmetric count ratios in crispr screens to decrease experiment size and improve phenotype detection paper genome biology 2020 https genomebiology biomedcentral com articles 10 1186 s13059 020 1939 1 hitselect https github com diazlab matlab a comprehensive tool for high complexity pooled screen analysis jacks https github com felicityallen jacks python a bayesian method that jointly analyses screens performed with the same guide rna library mageck vispr https bitbucket org liulab mageck vispr python a comprehensive quality control analysis and visualization workflow for crispr cas9 screens mageck https bitbucket org liulab mageck python model based analysis of genome wide crispr cas9 knockout mageck for prioritizing single guide rnas genes and hitselectpathways in genome scale crispr cas9 knockout screens paper genome biology 2014 https genomebiology biomedcentral com articles 10 1186 s13059 014 0554 4 mageckflute https bitbucket org liulab mageckflute r a pipeline for performing computational analysis of crispr screens mageckflute combines the mageck and mageck vispr algorithms and incorporates additional downstream analysis functionalities maude https github com carldeboer maude r an r package for analyzing sorting based e g facs crispr screens and other high throughput screens with a sorting readout normalisr https github com lingfeiwang normalisr python shell single cell crispr screen e g perturb seq crop seq analysis for robust efficient gene differential expression and regulatory network reconstruction with accurate fdr control paper nature communications 2021 https doi org 10 1038 s41467 021 26682 1 pbnpa https cran r project org web packages pbnpa r a permutation based non parametric analysis pbnpa algorithm which computes p values at the gene level by permuting sgrna labels and thus it avoids restrictive distributional assumptions riger https software broadinstitute org gene e extensions html gene e extension rnai gene enrichment ranking riger rsa https admin ext gnf org publications rsa perl r c redundant sirna activity rsa is a probability based approach for the analysis of large scale rnai screens scmageck https bitbucket org weililab scmageck python r a computational model to identify genes associated with multiple expression phenotypes from crispr screening coupled with single cell rna sequencing data paper genome biology 2020 https genomebiology biomedcentral com articles 10 1186 s13059 020 1928 4 screenbeam https github com jyyu screenbeam r gene level meta analysis of high throughput functional genomics rnai or crispr screens stars https portals broadinstitute org gpp public software stars python a gene ranking algorithm for genetic perturbation screens computing a score for genes using the probability mass function of a binomial distribution to analyze either shrna or sgrna based screening data databases biogrid orcs https orcs thebiogrid org webserver an open repository of crispr screens compiled through comprehensive curation efforts paper nucleic acids research 2019 https www ncbi nlm nih gov pubmed 30476227 crisp view http crispview weililab org webserver a comprehensive database of published crispr screening dataset datasets are uniformly processed using an integrated mageck vispr pipeline with quality control qc evaluations users can browse search and visualize cell lines conditions genes and associated sgrnas across datasets depmap https depmap org portal webserver a comprehensive reference map of the cancer dependency map project at the broad institute paper cell 2017 https www ncbi nlm nih gov pubmed 28753430 genomecrispr http genomecrispr dkfz de webserver a database for high throughput crispr cas9 screening experiments pickles https hartlab shinyapps io pickles webserver a database of pooled in vitro crispr knockout library essentiality screens project drive https oncologynibr shinyapps io drive webserver a compendium of cancer dependencies and synthetic lethal relationships uncovered by large scale deep rnai screening paper cell 2017 https www ncbi nlm nih gov pubmed 28753431 project score sanger depmap https score depmap sanger ac uk webserver genome scale crispr cas9 screens in 324 human cancer cell lines from 30 cancer types paper nature 2019 https www ncbi nlm nih gov pubmed 30971826 the genome targeting catalogue https www ebi ac uk gtc webserver a public repository of experiments using crispr cas enzymes manually curated from published literature encompassing both targeted and genome wide studies in 47 species crispr identification and diversity crass https ctskennerton github io crass software a program that searches through raw metagenomic reads for crispr crf http bioinfolab miamioh edu crf home php webserver software filter the invalid crisprs crisprcasdb https crisprcas i2bc paris saclay fr webserver database a database containing crispr arrays and cas genes from complete genome sequences and tools to download and query lists of repeats and spacers crisprcasfinder https crisprcas i2bc paris saclay fr software webserver a program enables the easy detection of crisprs and cas genes in user submitted sequence data crisprcastyper https typer crispr dk webserver detect crispr cas genes and arrays and predict the subtype based on both cas genes and crispr repeat sequence crisprcompar https crispr i2bc paris saclay fr crisprcompar webserver compare the crisprs of two or several genomes crisprdetect http crispr otago ac nz crisprdetect webserver software a tool to predict and analyze crispr arrays crisprdirection http bioanalysis otago ac nz crisprdirection software predict crispr orientation crisprdisco https github com crisprlab crisprdisco software identifying crispr repeat spacer arrays and cas genes in genome data sets crisprfinder https crispr i2bc paris saclay fr webserver a web tool to identify clustered regularly interspaced short palindromic repeats crisprleader http www bioinf uni freiburg de software crisprleader software a tool predicts crispr arrays in the correct orientation and annotates the crispr leader boundaries crisprmap http rna informatik uni freiburg de crisprmap input jsp webserver crisprmap provides a quick and detailed insight into repeat conservation and diversity of both bacterial and archaeal systems crisprone https omics informatics indiana edu crisprone webserver database a database provides annotation of crispr cas systems including crispr arrays of repeat spacer units and cas genes and type of predicted system s and anti repeats crisprstand http rna informatik uni freiburg de crisprmap input jsp webserver predict repeat orientations to determine the crrna encoding strand at crispr loci crt http www room220 com crt software crispr recognition tool crt a tool for automatic detection of clustered regularly interspaced palindromic repeats metacrast https github com molleraj metacrast software a tool detects crispr arrays in raw unassembled metagenomes metacrt https omics informatics indiana edu crispr software a software for de novo prediction of crispr minced https github com ctskennerton minced java a program to find clustered regularly interspaced short palindromic repeats crisprs in full genomes or environmental datasets such as assembled contigs from metagenomes patscan https www bioinformatics org wiki patscan home page webserver a pattern matcher which searches protein or nucleotide dna rna trna etc sequence archives for instances of a pattern which you input piler cr https www drive5 com pilercr software a public domain software for finding crispr repeats reviews 2018 doench am i ready for crispr a user s guide to genetic screens https www ncbi nlm nih gov pubmed 29199283 2019 esposito et al hacking the cancer genome profiling therapeutically actionable long non coding rnas using crispr cas9 screening https www cell com cancer cell fulltext s1535 6108 19 30053 4 2019 bradford et al a benchmark of computational crispr cas9 guide design methods https journals plos org ploscompbiol article id 10 1371 journal pcbi 1007274
crispr crispr-cas9 awesome awesome-list genome-editing cas9 crispr-analysis awesome-lists
server
jerryscript
https github com jerryscript project jerryscript blob master logo png jerryscript javascript engine for the internet of things license https img shields io badge licence apache 202 0 brightgreen svg style flat license github actions status https github com jerryscript project jerryscript workflows jerryscript 20ci badge svg https github com jerryscript project jerryscript actions appveyor build status https ci appveyor com api projects status ct8reap35u2vooa5 branch master svg true https ci appveyor com project jerryscript project jerryscript branch master fossa status https app fossa io api projects git 2bhttps 3a 2f 2fgithub com 2fjerryscript project 2fjerryscript svg type shield https app fossa io projects git 2bhttps 3a 2f 2fgithub com 2fjerryscript project 2fjerryscript ref badge shield irc channel https img shields io badge chat on 20freenode brightgreen svg https kiwiirc com client irc freenode net jerryscript jerryscript is a lightweight javascript engine for resource constrained devices such as microcontrollers it can run on devices with less than 64 kb of ram and less than 200 kb of flash memory key characteristics of jerryscript full ecmascript 5 1 standard compliance 160k binary size when compiled for arm thumb 2 heavily optimized for low memory consumption written in c99 for maximum portability snapshot support for precompiling javascript source code to byte code mature c api easy to embed in applications additional information can be found on our project page http jerryscript net and wiki https github com jerryscript project jerryscript wiki memory usage and binary footprint are measured at here https jerryscript project github io jerryscript test results with real target daily the latest results on raspberry pi 2 remote testrunner https firebasestorage googleapis com v0 b jsremote testrunner appspot com o status 2fjerryscript 2frpi2 svg alt media token 1 https jerryscript project github io jerryscript test results view rpi2 irc channel jerryscript on freenode https freenode net mailing list jerryscript dev groups io you can subscribe here https groups io g jerryscript dev and access the mailing list archive here https groups io g jerryscript dev topics quick start getting the sources bash git clone https github com jerryscript project jerryscript git cd jerryscript building jerryscript bash python tools build py for additional information see getting started docs 00 getting started md documentation getting started docs 00 getting started md configuration docs 01 configuration md api reference docs 02 api reference md api example docs 03 api example md internals docs 04 internals md migration guide docs 16 migration guide md contributing the project can only accept contributions which are licensed under the apache license 2 0 license and are signed according to the jerryscript developer s certificate of origin dco md for further information please see our contribution guidelines contributing md license jerryscript is open source software under the apache license 2 0 license complete license and copyright information can be found in the source code fossa status https app fossa io api projects git 2bhttps 3a 2f 2fgithub com 2fjerryscript project 2fjerryscript svg type large https app fossa io projects git 2bhttps 3a 2f 2fgithub com 2fjerryscript project 2fjerryscript ref badge large copyright js foundation and other contributors http js foundation 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
javascript-engine javascript jerryscript internet-of-things iot runtime
server
api-sinarberkah-app
api sinarberkah app api sinarberkah app this api is for handling sinarberkah app content this api is handling article gallery product and user endpoints list all available endpoints of the api with the following information http method the http method used to access the endpoint get post put delete etc endpoint the url path of the endpoint description a brief description of what the endpoint does request parameters a list of all required or optional parameters to be sent in the request response a sample response format for the endpoint api reference this api is using the standard write of an api endpoint user http get api user v1 gallery http get api gallery v1 article http get api article v1 license api sinarberkah app is licensed under the mit license https github com kkafi09 api sinarberkah app blob main license authors kkafi09 https github com kkafi09 valennz https github com valennz additional resources imagekit documentation https github com imagekit developer imagekit nodejs questions and support if you have any questions or need support please contact us at kafi dev27 gmail com acknowledgments we would like to thank the following open source projects for their contributions express js mongodb imagekit mongoose node js
api backend-api express mongodb mongoose nodejs
server
moeSS
moess moe ss moe ss id a front end for https github com mengskysama shadowsocks tree manyuser thanks to ss panal https github com orvice ss panel demo https ss qaq moe install import shadowsocks sql to your database may delete your existing data rename config sample php and database sample php in application config then change the settings use admin admin to login the admin dashboard and change settings in http your domain com admin system config html to prevent spam register users need to click a link to activate the account so you need to set a method to send e mail currently supprt php mail sendmail smtp and sendgrid web api send test e mail function will be added soon method option value php mail mail sendmail sendmail smtp smtp sendgrid sendgrid only change this is not enough you also need to change other values need by the method you choose invite only is default on you need to generate invite code before anyone can registe because i don t use any encrypt function when post the data you are suggesting to secure your site by using ssl certs many notices and sentences are written directly in the view files so you need to edit the file to change them they may moved to database in the future license see license https github com wzxjohn moess blob master license requires this system is using codeigniter 3 0 https github com bcit ci codeigniter to build so you need php mysql curl to run apache is the best one because it support htaccess file which is needed to rewrite the request uri to index php
front_end
Algebra-FE
algebra fe materijali za algebra front end developer te aj
front_end
VisionWorks
visionworks basic computer vision problem amp work contents basic matlab basicmatlab hybrid image hybridimage corner detection cornerdetection panorama stitching panoramastitching seam carving seamcarving
ai
Lerdu
lerdu lerdu rtos
os
siwesfreecodecamp
siwesfreecodecamp siwes full stack web development 2016
front_end
FreeRTOS-Arduino
freertos arduino a freertos http www freertos org port for the arduino zero https www arduino cc en main arduinoboardzero usage place the freertos folder to your arduino libraries directory
os
service-my-wallet-v3
blockchain wallet api v2 programmatically interface with your blockchain info wallet contents getting started getting started upgrading upgrading api documentation api documentation rpc api rpc installation installation troubleshooting troubleshooting usage usage development development deployment deployment getting started to use this api you will need to run small local service which be responsible for managing your blockchain info wallet your application interacts with this service locally via http api calls start by completing the following steps 1 follow the installation instructions installation 2 start the server blockchain wallet service start port 3000 3 reference the documentation api documentation and start interacting with your wallet programmatically note that blockchain wallet service is designed to be run locally on the same machine as your application and therefore will only accept connections from localhost if you modify this service to accept external connections be sure to add the appropriate firewall rules to prevent unauthorized use an api code is required for wallet creation and higher request limits for basic usage no api code is required request an api code here https blockchain info api api create code upgrading if you already have an application that uses blockchain info s wallet api https blockchain info api blockchain wallet api you will need to complete the steps in the getting started section above and then in your application code replace calls to blockchain info merchant with localhost port merchant api documentation view the original documentation https blockchain info api blockchain wallet api all endpoints present in the api documentation above are supported in blockchain wallet api v2 the differences between two are the consolidate addresses endpoint has been omitted all endpoints can be called with get or post and can only be accessed from localhost creating a new blockchain wallet endpoint api v2 create query parameters password main wallet password required api code blockchain info wallet api code required priv private key to import into wallet as first address optional label label to give to the first address generated in the wallet optional email email to associate with the newly created wallet optional sample response json guid 05f290be dbef 4636 a809 868893c51711 address 13r9dbgkwbp29jko11zhfi74yubsmxj4qy label main address make payment endpoint merchant guid payment query parameters to bitcoin address to send to required amount amount in satoshi to send required password main wallet password required second password second wallet password required only if second password is enabled api code blockchain info wallet api code optional from bitcoin address or account index to send from optional fee specify transaction fee in satoshi fee per byte specify transaction fee per byte in satoshi it is recommended that transaction fees are specified using the fee per byte parameter which will compute your final fee based on the size of the transaction you can also set a static fee using the fee parameter but doing so may result in a low fee per byte leading to longer confirmation times sample response json to 1a8jiwcwvpy7taopuksngueyhmzgyfzpiq from 17p49xuc2fw4fn53wjzqyam4apkqhnpeky amounts 200000 fee 1000 txid f322d01ad784e5deeb25464a5781c3b20971c1863679ca506e702e3e33c18e9c success true send to many endpoint merchant guid sendmany query parameters recipients a uri encoded json object http json org example html with bitcoin addresses as keys and the satoshi amounts as values required see example below password main wallet password required second password second wallet password required only if second password is enabled api code blockchain info wallet api code optional from bitcoin address or account index to send from optional fee specify transaction fee in satoshi fee per byte specify transaction fee per byte in satoshi it is recommended that transaction fees are specified using the fee per byte parameter which will compute your final fee based on the size of the transaction you can also set a static fee using the fee parameter but doing so may result in a low fee per byte leading to longer confirmation times uri encoding a json object in javascript js var myobject address1 10000 address2 50000 var myjsonstring json stringify myobject encodeuricomponent is a global function var myuriencodedjsonstring encodeuricomponent myjsonstring use myuriencodedjsonstring as the recipients parameter sample response json to 1a8jiwcwvpy7taopuksngueyhmzgyfzpiq 18fyqizzndtxdvo7g9ourogb4ufj86jjiy from 17p49xuc2fw4fn53wjzqyam4apkqhnpeky amounts 16000 5400030 fee 2000 txid f322d01ad784e5deeb25464a5781c3b20971c1863679ca506e702e3e33c18e9c success true fetch wallet balance endpoint merchant guid balance query parameters password main wallet password required api code blockchain info wallet api code required sample response json balance 10000 enable hd functionality endpoint merchant guid enablehd query parameters password main wallet password required api code blockchain info wallet api code optional this will upgrade a wallet to an hd hierarchical deterministic wallet which allows the use of accounts see bip32 https github com bitcoin bips blob master bip 0032 mediawiki for more information on hd wallets and accounts list active hd accounts endpoint merchant guid accounts query parameters password main wallet password required api code blockchain info wallet api code optional list hd xpubs endpoint merchant guid accounts xpubs query parameters password main wallet password required api code blockchain info wallet api code optional create new hd account endpoint merchant guid accounts create query parameters label label to assign to the newly created account optional password main wallet password required api code blockchain info wallet api code optional get single hd account endpoint merchant guid accounts xpub or index query parameters password main wallet password required api code blockchain info wallet api code optional get hd account receiving address endpoint merchant guid accounts xpub or index receiveaddress query parameters password main wallet password required api code blockchain info wallet api code optional check hd account balance endpoint merchant guid accounts xpub or index balance query parameters password main wallet password required api code blockchain info wallet api code optional archive hd account endpoint merchant guid accounts xpub or index archive query parameters password main wallet password required api code blockchain info wallet api code optional unarchive hd account endpoint merchant guid accounts xpub or index unarchive query parameters password main wallet password required api code blockchain info wallet api code optional list addresses deprecated use the hd api instead endpoint merchant guid list query parameters password main wallet password required api code blockchain info wallet api code optional sample response json addresses balance 79434360 address 1a8jiwcwvpy7taopuksngueyhmzgyfzpiq label my wallet total received 453300048335 balance 0 address 17p49xuc2fw4fn53wjzqyam4apkqhnpeky total received 0 fetch address balance deprecated use the hd api instead endpoint merchant guid address balance query parameters address address to fetch balance for required password main wallet password required api code blockchain info wallet api code optional note unlike the hosted api there is no option of a confirmations parameter for specifying minimum confirmations sample response json balance 129043 address 19r7jabpdtftkq9vjpvdzffxcjujfkesvz total received 53645423 generate address deprecated use the hd api instead endpoint merchant guid new address query parameters password main wallet password required label label to give to the address optional api code blockchain info wallet api code optional sample response json address 18fyqizzndtxdvo7g9ourogb4ufj86jjiy label my new address archive address deprecated use the hd api instead endpoint merchant guid archive address query parameters address address to archive required password main wallet password required api code blockchain info wallet api code optional sample response json archived 18fyqizzndtxdvo7g9ourogb4ufj86jjiy unarchive address deprecated use the hd api instead endpoint merchant guid unarchive address query parameters address address to unarchive required password main wallet password required api code blockchain info wallet api code optional sample response json active 18fyqizzndtxdvo7g9ourogb4ufj86jjiy rpc bitcoind compatible rpc api full documentation available here https blockchain info api json rpc api starting the rpc server blockchain wallet service start rpc options view additional options and instructions under usage usage differences from server api option rpcssl is not supported method listsinceblock is not supported param minconfimations is not supported for methods listreceivedbyaccount and listreceivedbyaddress param minimumconfirmations is not supported for method getbalance param confirmations is not supported for method listaccounts responses representing transactions have a different format installation nodejs https nodejs org and npm https npmjs com are required to install and use this api service installation sh npm install g blockchain wallet service for the best stability and performance make sure you are always using the latest version to check your version sh blockchain wallet service v to update to the latest version sh npm update g blockchain wallet service requires node 6 0 0 npm 3 0 0 if you have issues with the installation process see the troubleshooting section below troubleshooting installation errors if you are getting eaccess or permissions related errors it might be necessary to run the install as root using the sudo command if you are getting errors concerning node gyp or python install with npm install no optional startup errors if startup fails with usr bin env node no such file or directory it s possible node is not installed or was installed with a different name ubuntu for example installs node as nodejs if node was installed with a different name create a symlink to your node binary sudo ln s usr bin nodejs usr bin node or install node through node version manager https github com creationix nvm runtime errors if you are seeing a typeerror claiming that an object has no method compare it is because you are on a version of node older than 0 12 before the compare method was added to buffers try upgrading to at least node version 0 12 if you are getting wallet decryption errors despite having correct credentials then it s possible that you do not have java installed which is required by a dependency of the my wallet v3 module not having java installed during the npm install process can result in the inability to decrypt wallets download the jdk from here for mac https support apple com kb dl1572 or by running apt get install default jdk on debian based linux systems timeout errors if you are getting a timeout response additional authorization from your blockchain wallet may be required this can occur when using an unrecognized browser or ip address an email authorizing the api access attempt will be sent to the registered user that will require action in order to authorize future requests if this section did not help please open a github issue or visit our support center https blockchain zendesk com usage after installing the service the command blockchain wallet service will be available for use options h help output usage information v version output the version number c cwd use the current directory as the wallet service module development only commands start usage blockchain wallet service start options this command will start the service making blockchain wallet api v2 available on a specified port command options h help output usage information p port port number to run the server on defaults to 3000 b bind bind to a specific ip defaults to 127 0 0 1 note that binding to an ip other than this can lead to security vulnerabilities ssl key the path to your ssl key optional ssl cert the path to your ssl certificate optional to open the service to all incoming connections bind to 0 0 0 0 start rpc usage blockchain wallet service start rpc options this command will start the json rpc server options k key api code to use for server requests required option p rpcport rpc server port default 8000 b bind bind to a specific ip defaults to 127 0 0 1 note that binding to an ip other than this can lead to security vulnerabilities get an api code here https blockchain info api api create code examples to start the wallet api service on port 3000 sh blockchain wallet service start port 3000 development 1 clone this repo 2 run yarn ignore engines 3 run yarn start 4 dev server is now running on port 3000 if you are developing blockchain wallet client alongside this module it is useful to create a symlink to my wallet v3 sh ln s path to my wallet v3 node modules blockchain wallet client testing sh yarn test configuration optional parameters can be configured in a env file port port number for running dev server default 3000 bind ip address to bind the service to default 127 0 0 1 deployment if you want to use blockchain wallet service in your unix production server you just have to run sh nohup blockchain wallet service start port 3000
blockchain-wallet bitcoin bitcoinrpc api wallet
blockchain
scts
scts project what is scts scts stands for supply chain tracking system stcs is a smart contract framework to keep tracking of products from the raw materials to the shopping stage this system is powered by the ethereum https ethereum org blockchain so it s fully distributed immutable and auditable how s this done every product in scts is represented in a smart contract which keeps track of actions being made by ethereum accounts the community in charge of scts could be a government a consortium or even a dao https en wikipedia org wiki decentralized autonomous organization can register this account as official scts product handlers so their identity is stored in the blockchain being impossible for fake producers or suppliers to cheat and sell products in the name of a registered brand because of this any costumer government or regulatory institution can scan a qr code in the product packaging which identifies the smart contract representing the exact unit of the product or even introduce the address of the smart contract and be able to track and audit all the life of the product but there s more anyone will be also able to introduce the code of a scts product handler and see all the actions this individual or institution has performed on scts products empowering a more transparent and fair global economic system how do we know that a handler is not cheating it s as easy as playing a game scts is designed following game theories so it enforces everyone to look for a win win a registered handler is a reputed individual or institution which depends a lot on marketing and credibility if it cheats and get discovered its reputation will be seriously hurt so it ll put in a huge risk its relationship with partners governments and institutions if the handler acts in a correct way it ll maintain and even increase a huge reputation being seen as a trustful responsible and fair company what s the scts database contract address the ropsten testnet contract address for the scts database is 0xec9caab87327cf406ba251cb4bcebaffcd794357 here you can see more about the contract at etherscan https testnet etherscan io address 0xec9caab87327cf406ba251cb4bcebaffcd794357 where can i find more information about the scts project all about the project can be found at https pathmatters com license copyright c 2017 scts supply chain tracking system this program is free software you can redistribute it and or modify it under the terms of the gnu general public license as published by the free software foundation either version 3 of the license or at your option any later version this program is distributed in the hope that it will be useful but without any warranty without even the implied warranty of merchantability or fitness for a particular purpose see the gnu general public license for more details you should have received a copy of the gnu general public license along with this program if not see http www gnu org licenses
blockchain
Computer-Vision-Projects-with-Python-3
computer vision projects with python 3 video this is the code repository for computer vision projects with python 3 video https www packtpub com big data and business intelligence computer vision projects python 3 video utm source github utm medium repository utm campaign 9781788835565 published by packt https www packtpub com utm source github it contains all the supporting project files necessary to work through the video course from start to finish about the video course the python programming language is an ideal platform for rapidly prototyping and developing production grade codes for image processing and computer vision with its robust syntax and wealth of powerful libraries this video course will start by showing you how to set up anaconda python for the major oses with cutting edge third party libraries for computer vision you ll learn state of the art techniques to classify images and find and identify humans within videos next you ll understand how to set up anaconda python 3 for the major oses windows mac and linux and augment it with the powerful vision and machine learning tools opencv and tensorflow as well as dlib you ll be taken through the handwritten digits classifier and then move on to detecting facial features and finally develop a general image classifier by the end of this course you ll know the basic tools of computer vision and be able to put it into practice h2 what you will learn h2 div class book info will learn text ul li install and run the major computer vision packages within python li apply powerful support vector machines for simple digit classification li understand deep learning with tensorflow li work with human faces and perform identification and orientation estimation li build a deep learning classifier for general images li ul div instructions and navigation assumed knowledge to fully benefit from the coverage included in this course you will need br this video course is for programmers already familiar with python who want to add computer vision and machine learning algorithms to their toolbox technical requirements this course has the following software requirements br this course has been tested on the following system configuration os windows 10 processor intel i7 4th generation mobile memory 32 gb hard disk space 1 tb video card geforce gtx 970m related products data visualization with python the complete guide video https www packtpub com application development data visualization python complete guide video utm source github utm medium repository utm campaign 9781789536959 getting started with object oriented programming in python 3 video https www packtpub com application development getting started object oriented programming python 3 video utm source github utm medium repository utm campaign 9781788629744 big data analytics projects with apache spark video https www packtpub com big data and business intelligence big data analytics projects apache spark video utm source github utm medium repository utm campaign 9781789132373
ai
listenbrainz-server
h1 align center br a href https listenbrainz org img src https github com metabrainz metabrainz logos blob master logos listenbrainz svg listenbrainz logo svg alt listenbrainz a h1 h4 align center server for the listenbrainz project h4 p align center a href https github com metabrainz listenbrainz server commits master img src https img shields io github last commit metabrainz listenbrainz server svg style flat square logo github logocolor white alt github last commit a a href https github com metabrainz listenbrainz server pulls img src https img shields io github issues pr raw metabrainz listenbrainz server style flat square logo github logocolor white alt github pull requests a p p align center a href https listenbrainz org website a a href https listenbrainz readthedocs io documentation a a href https tickets metabrainz org projects lb issues bug tracker a p about listenbrainz keeps track of music you listen to and provides you with insights into your listening habits we re completely open source and publish our data as open data you can use listenbrainz to track your music listening habits and share your taste with others using our visualizations we also have an api https listenbrainz readthedocs io en latest users api index html if you want to do more with our data listenbrainz is operated by the metabrainz foundation https metabrainz org which has a long standing history of curating protecting and making music data available to the public for more information about this project and its goals look at our website https listenbrainz org specifically the about page https listenbrainz org about changes and other important announcements about the listenbrainz services will be announced on our blog https blog metabrainz org if you start using our services in any production system we urge you to follow the blog commercial use all of our data is available for commercial use you can find out more about our commercial use support tiers https metabrainz org supporters account type on the metabrainz site contributing if you are interested in helping out consider donating https metabrainz org donate to the metabrainz foundation if you are interested in contributing code or documentation please have a look at the issue tracker https tickets metabrainz org browse lb or come visit us in the metabrainz irc channel on irc libera chat development environment these instructions help you get started with the development process installation in a production environment may be different read the development environment documentation https listenbrainz readthedocs io en latest developers devel env html setting up a development environment listenbrainz documentation in order to work with spark you ll have to setup the spark development environment read the documentation https listenbrainz readthedocs io en latest developers spark devel env html documentation full documentation for the listenbrainz api is available at listenbrainz readthedocs org https listenbrainz readthedocs org you can also build the documentation locally cd listenbrainz server docs pip install r requirements txt make clean html license notice copyright c 2017 metabrainz foundation inc this program is free software you can redistribute it and or modify it under the terms of the gnu general public license as published by the free software foundation either version 2 of the license or at your option any later version this program is distributed in the hope that it will be useful but without any warranty without even the implied warranty of merchantability or fitness for a particular purpose see the gnu general public license for more details you should have received a copy of the gnu general public license along with this program if not write to the free software foundation inc 51 franklin street fifth floor boston ma 02110 1301 usa
database listenbrainz-server web big-data music python spark typescript react
front_end
parallel_ml_tutorial
parallel machine learning with scikit learn and ipython video tutorial https raw github com ogrisel parallel ml tutorial master resources youtube screenshot png https www youtube com watch v ifkrt3bcctg video recording of this tutorial given at pycon in 2013 the tutorial material has been rearranged in part and extended look at the title of the of the notebooks to be able to follow along the presentation browse the static notebooks on nbviewer ipython org http nbviewer ipython org github ogrisel parallel ml tutorial tree master rendered notebooks scope of this tutorial learn common machine learning concepts and how they match the scikit learn estimator api learn about scalable feature extraction for text classification and clustering learn how to perform parallel cross validation and hyper parameters grid search in parallel with ipython learn to analyze the kinds of common errors predictive models are subject to and how to refine your modeling to take this analysis into account learn to optimize memory allocation on your computing nodes with numpy memory mapping features learn how to run a cheap ipython cluster for interactive predictive modeling on the amazon ec2 spot instances using starcluster http star mit edu cluster target audience this tutorial targets developers with some experience with scikit learn and machine learning concepts in general it is recommended to first go through one of the tutorials hosted at scikit learn org http scikit learn org if you are new to scikit learn you might might also want to have a look at scipy lecture notes http scipy lectures github com first if you are new to the numpy scipy matplotlib ecosystem setup install numpy scipy matplotlib ipython psutil and scikit learn in their latest stable version e g ipython 2 2 0 and scikit learn 0 15 2 at the time of writing you can find up to date installation instructions on scikit learn org http scikit learn org and ipython org http ipython org to check your installation launch the ipython interactive shell in a console and type the following import statements to check each library import numpy import scipy import matplotlib import psutil import sklearn if you don t get any message everything is fine if you get an error message please ask for help on the mailing list of the matching project and don t forget to mention the version of the library you are trying to install along with the type of platform and version e g windows 8 1 ubuntu 14 04 osx 10 9 you can exit the ipython shell by typing exit fetching the data it is recommended to fetch the datasets ahead of time before diving into the tutorial material itself to do so run the fetch data py script in this folder python fetch data py using the ipython notebook to follow the tutorial the tutorial material and exercises are hosted in a set of ipython executable notebook files to run them interactively do cd notebooks ipython notebook this should automatically open a new browser window listing all the notebooks of the folder you can then execute the cell in order by hitting the shift enter keys and watch the output display directly under the cell and the cursor move on to the next cell go to the help menu for links to the notebook tutorial credits some of this material is adapted from the scipy 2013 tutorial http github com jakevdp sklearn scipy2013 original authors gael varoquaux gaelvaroquaux https twitter com gaelvaroquaux http gael varoquaux info jake vanderplas jakevdp https twitter com jakevdp http jakevdp github com olivier grisel ogrisel https twitter com ogrisel http ogrisel com
ai
IT_notes
it notes useful it notes and code snippets for new members of the group pls follow these instructions to connect to the it infrastructure new member md new member md general using conda environment manager conda md conda md using jupyter notebook lab hub jupyter md jupyter md configuring working python environment using sublime text anaconda and conda subl conda md subl conda md using git git md git md new mac configuration mac conf md mac conf md molecular modeling installing vmd see vmd vmd newton rules newton rules md quick instructions newton cheatsheet md using slurm running tasks on cluster nodes slurm cheatcheet md supercomputing instructions on using lomonosov lomonosov 2 supercomputer in russian here lomonosov md quick instructions here lomo quick md running gromacs on lomonosov here gmx lomo md running gromacs with plumed on lomonosov here gmx lomo plumed md compiling gromacs with plumed on lomonosov here gmx compile lomo plumed md web technologies how to create web site using github pages and jekyll gh jekyll gh jekyll md
server
WaykiChain
quick resource access download waykichain coind waykichain coind binary releases https github com waykichain waykichain wiki download waykichain binary releases docker docker pull wicc waykicoind 3 2 developer documentation english version https wicc devbook readthedocs io en latest chinese version https wicc devbook readthedocs io zh cn latest
blockchain dpos smart contract cryptography p2p stablecoin c-plus-plus defi wasm dex cdp
blockchain
cms-fe-angular8
angular8 for cms project technical structure angular8 ng zorro antd angular router angular http rxjs websocket webpack4 less install project address git clone git clone git github com xpioneer cms fe angular8 git install node modules with yarn yarn in your command terminal run start server http localhost 9100 yarn run start publish production yarn run build
typescript ant-design lazyload angular-router tslint websocket httpintercptors angular8
os
blockchainSecurityDB
blockchain security db blockchain security db is an open source database created by consensys diligence for all things blockchain security the database contains a catalog of blockchain projects with details pertaining to their security including audits bounties and security contacts click on the name of the project in the project column to see more details about a project to add or update a project see this guide https github com consensys blockchainsecuritydb add or update a project setup pip install mkdocs mkdocs serve visit localhost 8000 add or update a project in the projects directory create a json file named after your project note check to see if your project already exists before creating a new one using the following template fill in project data project project name project url project url description description of your project bounty bounty program url bounty max max bounty payout security contact security contact email audits repos url url of the repo pertaining to audit title audit title date mm yy auditor name of auditor url audit url effort person weeks effort of audit run npm run generate markdown
blockchain
Uber-Data-Engineering
uber data engineering introduction this is an end to end data engineering project using uber trip data from new york to create a dashboard using python google cloud storage compute engine vm mage opensource etl tool and finally looker studio for dashboard mage end to end data transformation etl pipeline p img src https github com kanchan20005 uber data engineering blob main mage etl 20 png align left alt mage ai width 100 height 100 p br dashboard br p img src https github com kanchan20005 uber data engineering blob main dashboard png align left alt dashboard width 100 height 100 p
cloud
vision_4_beginners
computer vision for beginners the series of computer vision for beginners computer vision is one of the hottest topics in artificial intelligence it is making tremendous advances in self driving cars robotics as well as in various photo correction apps steady progress in object detection is being made every day gans is also a thing researchers are putting their eyes on these days vision is showing us the future of technology and we can t even imagine what will be the end of its possibilities img https github com jjone36 vision 4 beginners blob master images main jpg so do you want to take your first step in computer vision and participate in this latest movement welcome you are at the right place this is the tutorial for computer vision and image processing for beginners which is also available on medium https towardsdatascience com computer vision for beginners part 1 7cca775f58ef br installing opencv the installation can be processed as follows pip install opencv python 3 4 2 pip install opencv contrib python 3 3 1 after you finish the installation try importing the package to see if it works well import cv2 cv2 version you can also find the detailed description here https pypi org project opencv python br the whole set of the series part 1 understanding color models and drawing figures on images https github com jjone36 vision 4 beginners blob master 01 image processing 01 introduction ipynb part 2 the basics of image processing with filtering and gradients https github com jjone36 vision 4 beginners blob master 01 image processing 02 image processing ipynb part 3 from feature detection to face detection https github com jjone36 vision 4 beginners blob master 01 image processing 03 object detection ipynb part 4 contour detection and having a little bit of fun https github com jjone36 vision 4 beginners blob master 01 image processing 04 contour mapping ipynb
artificial-intelligence computer-vision image-processing tutorial opencv-python object-detection medium-article beginner-friendly beginners-tutorial-series image-manipulation
ai
awesome-blockchain-testing
awesome blockchain testing curated list of blog posts videos and resources on testing blockchains and blockchain based applications blockchain testing blockchain for test engineers series x blockchain for test engineers roadmap https alexromanov github io 2022 04 24 blockchain testing mindmap x blockchain for test engineers hashing https alexromanov github io 2022 05 01 bchain testing 1 hashing x blockchain for test engineers encryption https alexromanov github io 2022 05 08 bchain testing 2 encryption x blockchain for test engineers digital signatures https alexromanov github io 2022 05 15 bchain testing 3 signatures x blockchain for test engineers distributed systems https alexromanov github io 2022 05 22 bchain test 4 distributed systems courses x introduction to blockchain testing https testautomationu applitools com blockchain testing videos x how to test blockchain applications https www youtube com watch v iw5nhua1sus by daniel knott fuzzing ethereum smart contract using echidna blockchain security 1 https www youtube com watch v ea8 9x4d3vk by patrick ventuzelo testing smart contracts with quickcheck by john hughes https www youtube com watch v v9 14jjjiuq adding testing and automatic verifications to a decentralized application https www youtube com watch v ab qbfkl7q0 by blondiebytes x webinar blockchain testing how to create trust and test its effectiveness https youtu be 1okccfd2awe x blockchain testing brownbag session https youtu be llylmsbvsjw x rafaela azevedo testing blockchain applications https youtu be fkokaugesbe x testing tools for blockchains https youtu be 1wovse hhe8 kerala chapter meet pen testing blockchain solutions ethereum nodes smart contracts https youtu be ahz v6qdbjq smashing ethereum smart contracts for fun and real profit https github com b mueller smashing smart contracts utm source pocket mylist posts x the complete guide to blockchain testing https blog logrocket com complete guide blockchain testing x blockchain testing https blog testproject io 2022 02 15 blockchain testing x solutions for testing blockchain private blockchains permutations and shifting left https www infoq com articles testing blockchain solutions x blockchain testing by qtek systems https www qteksystems com wp content uploads 2019 11 block chain testing final pdf x functional testing for blockchain applications https us nttdata com en media assets white paper 404734 blockchain testing white paper pdf x understanding cybersecurity through the lens of blockchain applications https blog qasource com understanding cybersecurity through the lens of blockchain applications x 25 most commonly used blockchain terms explained https blog qasource com 25 most commonly used blockchain terms explained x how to ensure qa for smart contracts in decentralized applications https blog qasource com how to ensure qa for smart contracts in decentralized applications x blockchain in mobile applications https blog qasource com blockchain in mobile applications x how to test bitcoin wallet apps https dzone com articles testing tips how to test bitcoin wallet apps x 5 popular tools for testing blockchain applications https www cigniti com blog 5 popular tools for testing blockchain applications testing blockchain applications https azevedorafaela com 2020 12 29 testing blockchain applications testing blockchain https qualitestgroup com insights white paper testing blockchain blockchain testing in 2020 ultimate checklist tools https blog qatestlab com 2020 08 04 blockchain testing in 2020 x blockchain testing tools https testguild com blockchain testing tools blockchain tests workshop at the national software testing conference https azevedorafaela com 2021 10 15 blockchain tests workshop at the national software testing conference tools mixbytes tank https github com mixbytes tank console tool which can set up a blockchain cluster in minutes in a cloud and bench it using various transaction loads supported blockchains are haya and polkadot bitcoin simulator capable of simulating any re parametrization of bitcoin https github com arthurgervais bitcoin simulator madt a distributed application modelling system https github com dltcspbu madt papers x blockchain testing challenges techniques and research directions https arxiv org pdf 2103 10074 pdf a survey on ethereum systems security vulnerabilities attacks and defenses https arxiv org pdf 1908 04507 pdf integration of blockchain and cloud of things architecture applications and challenges https arxiv org pdf 1908 09058 pdf security analysis methods on ethereum smart contract vulnerabilities a survey https arxiv org pdf 1908 08605 pdf a survey of security vulnerabilities in ethereum smart contracts https arxiv org pdf 2105 06974 pdf smart contracts vulnerabilities a call for blockchain software engineering https dspace stir ac uk bitstream 1893 27135 1 smart contracts vulnerabilities 3 pdf x blockchain consensus algorithms a survey https arxiv org pdf 2001 07091 pdf performance evaluation of blockchain systems a systematic survey https ieeexplore ieee org ielx7 6287639 8948470 09129732 pdf a survey of tools for analyzing ethereum smart contracts https publik tuwien ac at files publik 278277 pdf harvey a greybox fuzzer for smart contracts https mariachris github io pubs fse 2020 harvey pdf confuzzius a data dependency aware hybrid fuzzer for smart contracts https arxiv org pdf 2005 12156 pdf manticore a user friendly symbolic execution framework for binaries and smart contracts https arxiv org pdf 1907 03890 pdf slither a static analysis framework for smart contracts https arxiv org pdf 1908 09878 pdf smartcheck static analysis of ethereum smart contracts https s tikhomirov github io assets papers smartcheck pdf securify practical security analysis of smart contracts https arxiv org pdf 1806 01143 pdf automated test case generation for solidity smart contracts the agsolt approach and its evaluation https arxiv org pdf 2102 08864 pdf a fuzz testing service for assuring smart contracts https scholars cityu edu hk files 47679267 qrsc2019 mei ashraf jiang chan pdf detecting nondeterministic payment bugs in ethereum smart contracts https dl acm org doi pdf 10 1145 3360615 ethploit from fuzzing to efficient exploit generation against smart contracts https siqima me publications saner20b pdf towards scaling blockchain systems via sharding https arxiv org pdf 1804 00399 pdf performance analysis of the raft consensus algorithm for private blockchains https arxiv org pdf 1808 01081 pdf performance modeling and analysis of a hyperledger based system using gspn https arxiv org pdf 2002 03109 pdf a blockchain simulator for evaluating consensus algorithms in diverse networking environments https digitalcommons odu edu cgi viewcontent cgi article 1050 context vmasc pubs cardano https cardano org functional tests for cardano node https github com input output hk cardano node tests how we test at cardano https iohk io en blog posts 2017 08 30 how we test cardano hyperledger https www hyperledger org tools caliper https github com hyperledger caliper blockchain performance benchmark framework which allows users to test different blockchain solutions with predefined use cases and get a set of performance test results fabric test https github com hyperledger fabric test indy test automation https github com hyperledger indy test automation ethereum https ethereum org en tools solidity coverage https github com sc forks solidity coverage code coverage for solidity testing hevm https github com dapphub dapptools tree master src hevm an implementation of the ethereum virtual machine evm made specifically for symbolic execution unit testing and debugging of smart contracts whiteblock genesis https github com whiteblock genesis allows users to provision multiple fully functioning nodes over which they have complete control within a private test network openzeppelin test environment https github com openzeppelin openzeppelin test environment js based framework for smart contract testing waffle https github com ethworks waffle the most advanced framework for testing smart contracts truffle https www trufflesuite com docs truffle overview development environment testing framework and asset pipeline for blockchains using the ethereum virtual machine evm aiming to make life as a developer easier hardhat https hardhat org development environment to compile deploy test and debug your ethereum software embark https framework embarklabs io docs contracts testing html fast easy to use and powerful developer environment to build and deploy decentralized applications also known as dapps hive is a system for running integration tests against ethereum clients https github com ethereum hive blob master docs overview md posts x testing smart contracts https ethereum org en developers docs smart contracts testing x an in depth guide to testing ethereum smart contracts parts one https iamdefinitelyahuman medium com an in depth guide to testing ethereum smart contracts 2e41b2770297 two https iamdefinitelyahuman medium com an in depth guide to testing ethereum smart contracts d403574a8c42 three https iamdefinitelyahuman medium com an in depth guide to testing ethereum smart contracts 3e07b8c38755 four https iamdefinitelyahuman medium com an in depth guide to testing ethereum smart contracts fd699e3087e6 five https iamdefinitelyahuman medium com an in depth guide to testing ethereum smart contracts 31534a48e177 six https iamdefinitelyahuman medium com an in depth guide to testing ethereum smart contracts 2236902bf826 seven https iamdefinitelyahuman medium com an in depth guide to testing ethereum smart contracts ff061e79bb86 x how to test ethereum smart contracts https betterprogramming pub how to test ethereum smart contracts 35abc8fa199d x the many ways of testing smart contracts in ethereum https www innoq com en blog testing ethereum x ethereum mainnet testing with python and brownie https iamdefinitelyahuman medium com ethereum mainnet testing with python and brownie 82a61dee0222 blockchain tests with truffle solidity https azevedorafaela com 2021 03 19 blockchain test workshop with truffle web3 testing tools synpress e2e tests for web3 with metamask support https github com synthetixio synpress posts e2e tests for web3 applications testjs summit 2022 https azevedorafaela com 2022 12 14 e2e tests for web3 applications testjs summit 2022
blockchain
icse-react-assets
icse react assets openssf best practices https bestpractices coreinfrastructure org projects 7561 badge https bestpractices coreinfrastructure org projects 7561 icse react assets is a collection of forms and inputs using carbon react https github com carbon design system carbon tree main packages react these assets are designed to streamline the creation of some front end assets for automation tools documentation documentation for all components is available on storybook http ibm github io icse react assets installation prerequisites carbon react https github com carbon design system carbon tree main packages react ensure all carbon styles are imported into your project installing icse react assets 1 from your react client directory use the command npm i icse react assets 2 import components using es6 import statements example import js import icseheading from icse react assets running the local development environment 1 git clone https github ibm com icse icse react assets git cd icse react assets 2 npm run i all 3 test a build with npm update npm run build 4 run npm run dev to run the playground environment to test any components running unit tests running tests to run local unit tests with mocha use the command npm run test getting test coverage use the command npm run coverage to determine unit test coverage for this package currently only tests in src lib are covered when using this command building the library for local development to use the library within an application to test your changes navigate to the base directory where your application is cloned shell cd icse react assets build the repo make sure you have bumped the package version before doing this shell npm run build package the library and save it to a location of your choosing for this example the location is shell npm pack pack destination finally go to your application and change the entry for icse react assets in your package json to this json icse react assets file your file destination icse react assets package version tgz contribution guidelines 1 create a new branch for your component 2 add the component within src components 3 export the component in index js as js export default as underconstruction from components underconstruction 4 run npm update npm run build to build the library 5 test your component in the playground navigate to playground src app js and render your component 6 run npm run i all to npm install in both apps and make sure the library is updated within playground 7 run npm run dev to ensure your component renders functions properly in the playground environment 8 create a pr documenting components in storybook storybook is a documentation tool for component libraries that allows us to more thoroughly document and test components a live version of our storybook is available here http ibm github io icse react assets after migrating a component please document your component in storybook src stories component name stories js you can follow icsetextinput stories js as an example to get started with storybook you will first need to install it and its dependencies bash cd storybook npm i you may encounter an error with mdx js if you do run this command as well bash npm i mdx js react 1 6 22 d legacy peer deps test that storybook runs correctly bash cd npm run storybook this stories file can be broken down into a few distinct parts 1 component information documentation you will first want to export a default object with a few nested objects within it this object describes what the component you are writing documentation for is where it should be located on the sidebar any initial values and a main description for the doc js export default component icsetextinput component name title components inputs icsetextinput in tabs under components inputs icsetextinput default bound story is default args this is an object of props and their default values in the component argtypes disabled name of the prop description a boolean value for if the textinput is disabled description of the prop from readme type required true required prop or not table defaultvalue summary false default value control boolean what type of value we can set parameters docs description component icsetextinput is a text input component that allows the user to input text into a field and the developer to easily validate it put the component description from readme here 2 stories next create your stories this should be pretty similar to any examples for the component previously created the only difference being passing in the args object instead of nothing you can create any functions you need to pass within this component and then pass them to the component as props just as done in the previous example files js const icsetextinputstory args const value setvalue usestate const invalidcallback function return value return icsetextinput args value value onchange event setvalue event target value invalidcallback invalidcallback 3 binding your story lastly bind your story and export it in this example we are using default as there is only one type of icsetextinput however for components that have multiple types you may create multiple stories and bind each story js export const default icsetextinputstory bind after this file is created you can run the storybook and ensure everything works properly bash npm run storybook only after your pr is approved and before it is merged please run the following commands to deploy to github pages bash npm run predeploy npm run deploy storybook contributing found a bug or need an additional feature file an issue in this repository with the following information and they will be responded to in a timely manner bugs a detailed title describing the issue beginning with bug and the current release for sprint one filing a bug would have the title bug 0 1 0 issue title steps to recreate said bug including non sensitive variables optional corresponding output logs as text or as part of a code block tag bug issues with the bug label if you come across a vulnerability that needs to be addressed immediately use the vulnerability label features a detailed title describing the desired feature that includes the current release for sprint one a feature would have the title 0 1 0 feature name a detailed description including the user story a checkbox list of needed features tag the issue with the enhancement label want to work on an issue be sure to assign it to yourself and branch from main when you re done making the required changes create a pull request pull requests do not merge directly to main pull requests should reference the corresponding issue filed in this repository please be sure to maintain code coverage before merging at least two reviews are required to merge a pull request when creating a pull request please ensure that details about unexpected changes to the codebase are provided in the description
cloud
VisualLinkerScript
visuallinkerscript a tool to help in creating visualizing and editing gnu linker scripts commonly used in embedded system design
os
Biochat
div align center img src https user images githubusercontent com 9893806 38167027 35f89d3c 34e3 11e8 9c84 18a2c3ea20f0 png div screenshot img width 839 alt screen shot 2018 03 04 at 10 33 54 pm src https user images githubusercontent com 9893806 36960584 7b34f7f2 1ffc 11e8 9b9f e17aea59c11e png installation for developers only additionally to having quicklisp you ll need to clone crawlik https github com vseloved crawlik into the home directory to use pubmed word vectors pushnew use pubmed features before loading the system biochat nlp in action command line example for developers here is a sample run from biochat using record 10 as input from the gene expression omnibus geo database s geo rec id 10 title type 1 diabetes gene expression profiling summary examination of spleen and thymus of type 1 diabetes nonobese diabetic nod mouse four nod derived diabetes resistant congenic strains and two nondiabetic control strains organism mus musculus here is the output using two separate approaches vec closest recs and tree closest recs both discussed in the section how it works https github com bohdan khomtchouk biochat how it works b42 subseq vec closest recs geo db 0 0 3 s geo rec id 5167 title type 2 diabetic obese patients visceral adipose tissue cd14 cells summary analysis of visceral adipose tissue cd14 cells isolated from obese type 2 diabetic patients obesity is marked by changes in the immune cell composition of adipose tissue results provide insight into the molecular basis of proinflammatory cytokine production in obesity linked type 2 diabetes organism homo sapiens s geo rec id 4191 title nzm2410 derived lupus susceptibility locus sle2c1 peritoneal cavity b cells summary analysis of peritoneal cavity b cells b1a and splenic b sb cells from b6 sle2c1 mice sle2 induces expansion of the b1a cell compartment a b cell defect consistently associated with lupus results provide insight into molecular mechanisms underlying susceptibility to lupus in the nzm2410 model organism mus musculus s geo rec id 437 title heart transplants summary examination of immunologic tolerance induction achieved in cardiac allografts from balb c to c57bl 6 mice by daily intraperitoneal injection of anti cd80 and anti cd86 monoclonal antibodies mabs organism mus musculus b42 subseq tree closest recs geo db 0 0 3 s geo rec id 471 title malaria resistance summary examination of molecular basis of malaria resistance spleens from malaria resistant recombinant congenic strains acb55 and acb61 compared with malaria susceptible a j mice organism mus musculus s geo rec id 4258 title thp 1 macrophage like cells response to w beijing mycobacterium tuberculosis strains time course summary temporal analysis of macrophage like thp 1 cell line infected by mycobacterium tuberculosis mtb w beijing strains and h37rv mtb w beijing sublineages are highly virulent prevalent and genetically diverse results provide insight into host macrophage immune response to mtb w beijing strains organism homo sapiens s geo rec id 4966 title active tuberculosis peripheral blood mononuclear cells summary analysis of pbmcs isolated from patients with active pulmonary tuberculosis ptb and latent tb infection ltbi results provide insight into identifying potential biomarkers that can distinguish individuals with ptb from ltbi organism homo sapiens record 10 type 1 diabetes gene expression profiling is a mouse diabetes record from spleen and thymus which are organs where immunological tolerance is frequently studied even though no explicit mention of immunological tolerance is made in record 10 biochat correctly pairs it with record 437 where immunological tolerance is explicitly stated in the summary likewise record 10 is nicely paired with record 5167 type 2 diabetic obese patients visceral adipose tissue cd14 cells which is from a different model organism human but involves an immunological study cd14 cells from diabetic patient samples how it works the data is obtained by web scraping using the project crawlik https github com vseloved crawlik which should be cloned from github prior to loading biochat the crawled data from geo is stored as text files in a href https github com bohdan khomtchouk biochat tree master data geo geo records data geo geo records a directory in memory in the variable geo db here s an example record title na k atpase alpha 1 isoform reduced expression effect on hearts summary expression profiling of hearts from 8 to 16 week old adult males lacking one copy of the na k atpase alpha 1 isoform na k atpase alpha 1 isoform expression is reduced by half in heterozygous null mutants results provide insight into the role of the na k atpase alpha 1 isoform in the heart organism mus musculus the purpose of this tool is to find related similar records using different approaches this is implemented in the generic function geo group that processes the geo database into a number of groups of related records it has a number of methods 1 match based on the same histone the list of known histones is read from a a href https github com bohdan khomtchouk biochat blob master data geo histones txt text file a 2 match based on the same organism 3 synonym based on the synonyms obtained from the biological pubdata https github com bohdan khomtchouk pubdata wordnet database read from a a href https github com bohdan khomtchouk biochat blob master data geo pubdata wordnet json json file a 4 other possible simple match methods may be implemented another approach to matching is via vector space representations each record is transformed into a vector using the pre calculated vectors for each word in its description either all fields or just summary or summary title the vectors used are pubmed vectors https drive google com open id 0bzmcqpcgejgiuws0znu0nlftam8 the combination of individual word vectors may be performed in several ways the most straightforward approach implemented in the library is direct aggregation in which a document vector is a normalized sum of vectors for its words additional weighting may be applied to words from different parts of the document summary title another possible aggregation approach is to use doc2vec https cs stanford edu quocle paragraph vector pdf pv dm algorithm the function text vec produces an aggregated document vector from individual pubmed vectors the obtained document vectors may be matched using various similarity measures the most common are cosine similarity cos sim and euclidian distance based similarity euc sim unlike geo group vector space modeling results in a continuous space in which it is unclear how to separate individual groups of related vectors that s why an alternative approach is taken arrange record vectors in terms of proximity to a given record this is done with the functions vec closest recs that sorts the aggregated document vectors directly with the similarity measure cos sim euc sim etc tree closest recs finds the closest records based on the pre calculated hierarchical clustering performed with the upgma algorithm using the cosine similarity measure the results of clustering are stored in the a href https github com bohdan khomtchouk biochat blob master data geo geo tree cos lisp text file a contact you are welcome to submit suggestions and bug reports at https github com bohdan khomtchouk biochat issues send a pull request on https github com bohdan khomtchouk biochat compose an e mail to bohdan stanford edu code of conduct please note that this project is released with a contributor code of conduct conduct md by participating in this project you agree to abide by its terms acknowledgements this software is thanks to the amazing work done by many people in the open source community of biological databases geo pubmed etc some of the computing for this project was performed on the sherlock cluster https www sherlock stanford edu we would like to thank stanford university and the stanford research computing center for providing computational resources and support that contributed to these research results citation https doi org 10 1101 480020
natural-language-processing metadata integrative-analysis metadata-extraction common-lisp gene-expression-omnibus nlp lisp bioinformatics computational-biology
ai
Neel.GPT
this is my attempt at creating my very own llm by myself without libraries like langchain
ai
HSE-NLP-Solution
natural language processing course solutions solutions to coursera course on natural language processing by higher school of economics hse please pull if you find error in code or missing file
ai
OpenOPS
openops openops for information technology bellow projects is prototype for dell emc storage monitor with python you can not use them in product enviroment directly openops powerstore https github com qd888 openops powerstore openops xtremio https github com qd888 openops xtremio openops unity https github com qd888 openops unity openops vmax https github com qd888 openops vmax openops isilon https github com qd888 openops isilon openops ecs https github com qd888 openops ecs
server
word2vec
word2vec original from https code google com p word2vec i ve copied it to a github project so i can apply and track community patches for my needs starting with capability for mac os x compilation makefile and some source has been modified for mac os x compilation see https code google com p word2vec issues detail id 1 c5 memory patch for word2vec has been applied see https code google com p word2vec issues detail id 2 project file layout altered there seems to be a segfault in the compute accuracy utility to get started cd scripts demo word sh original readme text follows this tool provides an efficient implementation of the continuous bag of words and skip gram architectures for computing vector representations of words these representations can be subsequently used in many natural language processing applications and for further research tools for computing distributed representation of words we provide an implementation of the continuous bag of words cbow and the skip gram model sg as well as several demo scripts given a text corpus the word2vec tool learns a vector for every word in the vocabulary using the continuous bag of words or the skip gram neural network architectures the user should to specify the following desired vector dimensionality the size of the context window for either the skip gram or the continuous bag of words model training algorithm hierarchical softmax and or negative sampling threshold for downsampling the frequent words number of threads to use the format of the output word vector file text or binary usually the other hyper parameters such as the learning rate do not need to be tuned for different training sets the script demo word sh downloads a small 100mb text corpus from the web and trains a small word vector model after the training is finished the user can interactively explore the similarity of the words more information about the scripts is provided at https code google com p word2vec
ai
Web-Developer
br web developer wangfeng br qq 769407183 br date october 31 modify br used to store the front end development file br h2 1 h2 front end standards 1 1 h2 2 h2 h3 2 1 html h3 h4 2 1 1 h4 1 html js bootstrap css 2 aboutus html product html contactus html page html h4 2 1 2 html h4 lt gt head h4 2 1 3 html h4 1 br html5 br lt doctype html gt br lt meta charset utf 8 gt br 2 4 2 2 lt head gt lt head gt javascript 3 javascript lt link rel stylesheet type text css href gt lt style gt lt style gt lt script src gt lt script gt style css script js js jquery 1 9 1 min js jquery cookie js 4 xhtml lt br gt lt hr gt html5 5 html div span em strong optgroup label html data data 6 html h h1 p ul ol 7 lt div class box gt lt div class welcome gt xxx lt div class name gt lt div gt lt div gt lt div gt lt div class box gt lt p gt xxx lt span gt lt span gt lt p gt lt div gt 8 href http chi chi chi chi chi chi url 9 style style 10 checkbox radio label input textarea lt p gt lt input type text id name name name gt lt p gt lt p gt lt label gt lt input type text id name gt lt label gt lt p gt 11 alt title 12 13 html 14 15 class id css h3 2 2 css h3 1 utf 8 2 css reset css common css mainsource css css mainsource css svn 3 class id a id css b or i comment fontred w200 h200 css js 1 2 3 4 c important d z index e header content container footer copyright nav mainnav globalnav topnav subnav menu submenu logo banner title sidebar status vote partner friendlink wrap label leftsidebar rightsidebar menu1content menucontainer icon note search btn loginbar login link manage tab list msg tips joinus guild service hot news download regsiter shop set add del op pw inc btn tx p icon color bg bor suc lost tran gb bor pop title tit menu cont hint nav info pvw index page detailsinfo index head page head index p page p f id class g reset page fl fl db db display block h lt div id nav gt lt div gt div lt div id nav gt lt div class subnav gt lt div gt lt div gt nav subnav lt div id nav gt lt div class nav subnav gt lt div gt lt div gt nav subnav 4 css display list style position top right bottom left float clear visibility overflow width height margin padding border background 5 6 html 7 unicode 8 table table width height cellspacing cellpadding table table thead tr th td tbody tfoot colgroup scope cellspaing cellpadding css table border 0 margin 0 border collapse collapse table th table td padding 0 reset css 9 lt meta http equiv x ua compatible content ie 7 gt ie8 10 css3 png png 24 11 css 12 h4 2 2 2 css h4 a name overview require author xxx gmail com b comment c display none h3 2 3 h3 a images image template b gif png jpg c 1 gif kb 2 png png 24 3 jpg kb 80 60 40 d png css e css sprite http sprite psd images f icon css banner banner aboutus jpg banner 01 jpg banner 02 jpg on off menu on off png button on off png h3 2 3 javascript h3 h4 2 3 1 h4 js h4 2 3 2 h4 ide jslint jshint jshint ul li jshint options li li es3 true es3 li li esnext false es6 li li camelcase true li li eqeqeq false li li expr true console console log 1 li li freeze false li li immed true li li latedef true li li maxparams 4 4 li li noarg false arguments caller arguments callee li li noempty false li li nonew false new li li plusplus false li li quotmark single li li smarttabs false tab li li maxerr false li li strict false es5 li li sub true li li unused false li li multistr false li li undef true myvar global myvar li li forin false jshint for in hasownproperty li li devel true alert console log li li jquery true li li browser true li li predef define seajs console require module li li wsh true li li evil false eval li li asi true li li newcap true jshint li li curly true if while li li maxlen 100 li ul 2space ide h4 2 3 3 h4 yuidoc yuidoc h4 2 3 4 h4 1 100 2 i i var name web var obj foo foo bar bar function test todo 3 if if if condition do else if condition todo else todo 4 var var foo foo var bar bar h4 2 3 4 js h4 1 jquery var list list jquery var list document getelementbyid list 2 classdefine person function person name this name name 3 getfunctionname setfunctionname isfunctionname hasfunction 4 var static variable 100 var pi math pi h4 2 3 5 h4 1 var 2 var foo function a console log a function console log hello 3 new new var list new array 1 2 3 var obj new object var list 1 2 3 var obj 4 html var listhtml lt ul class list gt lt li class item gt first item lt li gt lt li class item gt second item lt li gt lt ul gt 5 js 6 eval with 7 for in hasownproperty 8 ie var f function cc on if jscript return 2 3 javascript h2 3 h2 3 1 for mac os for more app detial check iusethis 3 2 mac sublime text 2 textmate 2 vim intellij idea iterm2 chrome firefox firebug mozilla fennec virtualbox win xp ie 8 github for mac versions sourcetree ftp filezilla forklift http post get charles php xampp for mac mamp sql sequel pro mark man xscope frank deloupe sip snip xscope markdown mou livereload codekit css sprite spriteright sass css ruby compass koala colorschemer studio cookie cookie sparkbox pixa h2 4 h2 h3 4 1 hack h3 ie hack table id tiptable tbody tr th th th ie6 th th ie7 th th ie8 th th ff th th opera th th safari th tr tr td gt lt td td td td td td x td td x td td x td td x td tr tr td td td td td x td td x td td x td td x td td x td tr tr td 9 td td td td td td td td x td td x td td x td tr tr td 0 td td x td td x td td td td x td td td td x td tr tr td important td td x td td td td td td td td td td td tr tr td media screen and webkit min device pixel ratio 0 span class red selector span td td x td td x td td x td td x td td x td td td tr tr td span class red selector span x moz any link x default td td x td td td td x td td ff3 5 td td x td td x td tr tr td moz document url prefix span class red selector span td td x td td x td td x td td td td x td td x td tr tr td media all and min width 0px span class red selector span td td x td td x td td x td td td td td td td tr tr td html span class red selector span td td x td td td td x td td x td td x td td x td tr tr td td td trident td td trident td td trident td td gecko td td presto td td webkit td tr tbody table ff ie7 ie6 css hack ff ie7 ie6 background color red 0 ie8 ie9 background color blue 9 0 ie9 h3 hack h3 1 firefox moz document url prefix selector property value firefox firefox ep selector id selector property value moz document url prefix selector property value gecko firefox selector property value 2 webkit chrome and safari media screen and webkit min device pixel ratio 0 selector property value webkit chrome safari ep media screen and webkit min device pixel ratio 0 demo color 666666 3 opera kestrel presto html first child body selector property value media all and min width 0 selector property value media all and webkit min device pixel ratio 10000 not all and webkit min device pixel ratio 0 head body selector property value opera hack ep media all and webkit min device pixel ratio 10000 not all and webkit min device pixel ratio 0 head body demo background green 4 ie9 root selector property value 9 ie9 ep root demo color fff03f 9 5 ie9 ie9 selector property value 9 ie9 ie9 9 9 7 ep demo background lime 9 6 media screen and max device width 480px iphone or mobile s webkit property value hack hack trick selector child property value for ie 6 selector child property value except ie 6 h3 4 2 reset css h3 html body padding 0 margin 0 font 12px normal sunsin color 666 background ffffff html ms text size adjust 100 webkit text size adjust 100 overflow y scroll webkit overflow scrolling touch h1 h2 h3 h4 h5 h6 form div p i img ul li ol table tr td th fieldset label legend button input margin 0 padding 0 ul li list style none img border none vertical align middle table border collapse collapse hr clear both border width 0 border top 1px solid ccc border bottom 1px solid fff height 2px overflow hidden cl zoom 1 cl after display block clear both height 0 visibility hidden content cl zoom 1 cl after content 20 display block clear both br cl zoom 1 br cl before cl after content display table br cl after clear both br sass link a text decoration none outline none color 666 cursor pointer a link color 333 a visited color 333 a hover color bc2931 a active color bc2931 font f12 font size 12px f14 font size 14px fb font weight 800 fi font style italic dn display none db display block fl float left fr float right dele text decoration line through ful text decoration underline css h2 class h2 h2 br http ganquan info yui br css br http code ciaoca com style css cheat sheet br br http www baidufe com fehelper endecode html br json br http www baidufe com fehelper jsonformat html br css br http jigsaw w3 org css validator br css br http ecd tencent com css3 guide html br css br http css doyoe com br png br https tinypng com br br http jsbin com br css html js
front_end
EE444_CO2_InSuit_Sensor
ee444 in suit co2 sensor project this repository is for the university of alaska fairbanks embedded systems design class particularly it is for the in suit co2 sensor nasa wearable technologies project funding for the project is provided by the alaska space grant program
os
chemnlp
name https colab research google com assets colab badge svg https colab research google com github knc6 jarvis tools notebooks blob master jarvis tools notebooks chemnlp example ipynb alt text https github com usnistgov chemnlp actions workflows main yml badge svg doi https zenodo org badge 523320947 svg https zenodo org badge latestdoi 523320947 chemnlp table of contents introduction intro installation install examples example web app webapp reference reference a name intro a introduction chemnlp is a software package to process chemical information from the scientific literature p align center img src https github com usnistgov chemnlp blob develop chemnlp schemcatic png alt chemnlp width 600 p a name install a installation first create a conda environment install miniconda environment from https conda io miniconda html based on your system requirements you ll get a file something like miniconda3 latest xyz now bash miniconda3 latest linux x86 64 sh for linux bash miniconda3 latest macosx x86 64 sh for mac download 32 64 bit python 3 8 miniconda exe and install for windows now let s make a conda environment say chemnlp choose other name as you like conda create name chemnlp python 3 9 source activate chemnlp method 1 using setup py now let s install the package git clone https github com usnistgov chemnlp git cd chemnlp python setup py develop cde data download method 2 using pypi as an alternate method chemnlp can also be installed using pip command as follows pip install chemnlp cde data download a name example a examples parse chemical formula run chemnlp py file path chemnlp tests xyz text classification example python chemnlp classification scikit class py csv path chemnlp sample data cond mat small csv google colab example for installation and text classification https colab research google com github knc6 jarvis tools notebooks blob master jarvis tools notebooks chemnlp example ipynb text generation example google colab example for text generation with huggingface https colab research google com github knc6 jarvis tools notebooks blob master jarvis tools notebooks chemnlp titletoabstract ipynb a name webapp a using the webapp the webapp is available at https jarvis nist gov jarvischemnlp jarvis chemnlp https github com usnistgov chemnlp blob develop chemnlp ptable png a name reference a reference chemnlp a natural language processing based library for materials chemistry text data https arxiv org abs 2209 08203
natural-language-processing python nist-jarvis ai llm transformers
ai
embedded-systems-design
embedded systems design this repository contains all the source files for all codes developed in the articles in my embedded systems series blog url https asogwa001 hashnode dev
os
iroha-javascript
npm version https img shields io npm v iroha helpers svg https www npmjs com package iroha helpers minified size https badgen net bundlephobia min iroha helpers https badgen net bundlephobia min iroha helpers iroha 1 3 0 https img shields io badge iroha 1 3 0 green https github com hyperledger iroha tree 1 3 0 iroha helpers some functions which will help you to interact with hyperledger iroha https github com hyperledger iroha from your js program trying an example 1 clone this repository 2 run iroha http iroha readthedocs io en latest getting started 3 run grpc web proxy for iroha https gitlab com snippets 1713665 4 yarn build npx ts node example index ts installation using npm bash npm i iroha helpers using yarn bash yarn add iroha helpers example in an example directory you can find index ts and chain ts files these files demonstrate main features of iroha helpers in the chain ts you can find how to build transaction with several commands and how to deal with batch node js with node js you should create connection to iroha by using queryservice and commandservice from endpoint grpc pb also you should provide grpc credentials as a second argument iroha address address of iroha grpc usually ends on 50051 ex http localhost 50051 javascript import grpc from grpc import queryservice v1client as queryservice commandservice v1client as commandservice from iroha helpers lib proto endpoint grpc pb const commandservice new commandservice iroha address grpc credentials createinsecure browser with browser you should create connection to iroha by using queryservice and commandservice from endpoint pb service iroha address address of grpc web proxy usually ends on 8081 ex http localhost 8081 javascript import commandservice v1client as commandservice queryservice v1client as queryservice from iroha helpers lib proto endpoint pb service const commandservice new commandservice iroha address const queryservice new queryservice iroha address create transaction to create transaction you can call command from list of commands or create your own from scratch or use transaction builder javascript import txbuilder from iroha helpers lib chain new txbuilder createaccount accountname user1 domainid test publickey 0000000000000000000000000000000000000000000000000000000000000000 addmeta admin test 1 send commandservice then res console log res catch err console error res create batch javascript import txbuilder batchbuilder from iroha helpers lib chain const firsttx new txbuilder createaccount accountname user1 domainid test publickey 0000000000000000000000000000000000000000000000000000000000000000 addmeta admin test 1 tx const secondtx new txbuilder createaccount accountname user2 domainid test publickey 0000000000000000000000000000000000000000000000000000000000000000 addmeta admin test 1 tx new batchbuilder firsttx secondtx setbatchmeta 0 sign adminpriv 0 sign adminpriv 1 send commandservice then res console log res catch err console error err commands for usage of any command you need to provide commandoptions as a first argument javascript const commandoptions privatekeys array of private keys in hex format creatoraccountid account id ex admin test quorum 1 commandservice null timeoutlimit 5000 set timeout limit x addassetquantity https iroha readthedocs io en latest develop api commands html add asset quantity x addpeer https iroha readthedocs io en latest develop api commands html add peer x addsignatory https iroha readthedocs io en latest develop api commands html add signatory x appendrole https iroha readthedocs io en latest develop api commands html append role x createaccount https iroha readthedocs io en latest develop api commands html create account x createasset https iroha readthedocs io en latest develop api commands html create asset x createdomain https iroha readthedocs io en latest develop api commands html create domain x createrole https iroha readthedocs io en latest develop api commands html create role x detachrole https iroha readthedocs io en latest develop api commands html detach role x grantpermission https iroha readthedocs io en latest develop api commands html grant permission x removesignatory https iroha readthedocs io en latest develop api commands html remove signatory x revokepermission https iroha readthedocs io en latest develop api commands html revoke permission x setaccountdetail https iroha readthedocs io en latest develop api commands html set account detail x setaccountquorum https iroha readthedocs io en latest develop api commands html set account quorum x subtractassetquantity https iroha readthedocs io en latest develop api commands html subtract asset quantity x transferasset https iroha readthedocs io en latest develop api commands html transfer asset x ompareandsetaccountdetail https iroha readthedocs io en latest develop api commands html compare and set account detail x removepeer https iroha readthedocs io en latest develop api commands html remove peer queries for usage of any query you need to provide queryoptions as a first argument javascript const queryoptions privatekey private key in hex format creatoraccountid account id ex admin test queryservice null timeoutlimit 5000 set timeout limit x getaccount https iroha readthedocs io en latest develop api queries html get account x getblock https iroha readthedocs io en latest develop api queries html get block x getsignatories https iroha readthedocs io en latest develop api queries html get signatories x gettransactions https iroha readthedocs io en latest develop api queries html get transactions x getpendingtransactions https iroha readthedocs io en latest develop api queries html get pending transactions x getaccounttransactions https iroha readthedocs io en latest develop api queries html get account transactions x getaccountassettransactions https iroha readthedocs io en latest develop api queries html get account asset transactions x getaccountassets https iroha readthedocs io en latest develop api queries html get account assets x getaccountdetail https iroha readthedocs io en latest develop api queries html get account detail x getassetinfo https iroha readthedocs io en latest develop api queries html get asset info x getroles https iroha readthedocs io en latest develop api queries html get roles x getrolepermissions https iroha readthedocs io en latest develop api queries html get role permissions x getpeers https iroha readthedocs io en latest develop api commands html remove peer x fetchcommits https iroha readthedocs io en latest develop api queries html fetchcommits known issues please be careful api might and will change todo add tests integration tests with iroha add more documentation
iroha javascript-library distributed-ledger blockchain hyperledger dlt
blockchain
sirikali
sirikali project s main page is at https mhogomchungu github io sirikali
front_end
Smart-Waste-Management-System
smart waste management system designed and developed an embedded system using microcontrollers and python for effective management of waste
os
private_nlp
private nlp natural language processing using private and secure data powered by openmined s tools pysyft https github com openmined pysyft and syfertext https github com openmined syfertext blog post the contents of this repo were featured in the encrypted training on medical text data using syfertext and pytorch https blog openmined org encrypted training medical text syfertext blog post at openmined s blog https blog openmined org disclaimer this is an ongoing work in progress be prepared to tackle coding errors and or typos getting started follow the instructions to install pysyft https github com openmined pysyft 0 2 5 there is an incompatibility issue with tensorflow on version 0 2 6 syfertext https github com openmined syfertext data dataset compiled for natural language processing using a corpus of medical transcriptions and custom generated clinical stop words and vocabulary x csv https github com socd06 private nlp blob master data x csv fully processed dataset obtained from running the data modelling https github com socd06 private nlp blob master notebooks medical text data modelling ipynb notebook classes txt https github com socd06 private nlp blob master data classes txt text file describing the dataset s classes surgery medical records internal medicine and other train csv https github com socd06 private nlp blob master data train csv training data subset contains 90 of the x csv processed file test csv https github com socd06 private nlp blob master data test csv test data subset contains 10 of the x csv processed file authors and acknowledgment mtsamples csv compiled from kaggle s medical transcriptions dataset by tara boyle https github com terrah27 scraped from transcribed medical transcription sample reports and examples https www mtsamples com see kaggle repository https www kaggle com tboyle10 medicaltranscriptions mtsamples csv clinical stopwords txt compiled from dr kavita ganesan https github com kavgan clinical concepts https github com kavgan clinical concepts repository see the discovering related clinical concepts using large amounts of clinical notes https www ncbi nlm nih gov pmc articles pmc5015701 paper vocab txt generated vocabulary text files for natural language processing nlp using the systematized nomenclature of medicine international snmi data https bioportal bioontology org ontologies snmi see how to generate your own vocab file https github com socd06 snmi vocab blob master notebooks snmi vocab ipynb notebooks data modelling https github com socd06 private nlp blob master notebooks medical text data modelling ipynb data exploration and feature engineering using pandas matplotlib and seaborn and consolidation of dataset using scikit learn medical text data exploration https github com socd06 private nlp blob master notebooks medical text data exploration ipynb an introduction to data exploration of medical text using pandas matplotlib and seaborn note deprecated use data modelling https github com socd06 private nlp blob master notebooks medical text data modelling ipynb instead medical text encrypted training https github com socd06 private nlp blob master notebooks medical text encrypted training ipynb tutorial on how to train an nlp model of data you cannot see using pysyft https github com openmined pysyft and syfertext https github com openmined syfertext heavily inspired by alan aboudib s https twitter com alan aboudib sentiment classification using syfertext use case https github com openmined syfertext blob master tutorials usecases uc01 20 20sentiment 20classifier 20 20private 20datasets 20 20 secure 20training ipynb warning this is an ongoing project be wary of errors scripts holds the script used to download whole datasets using url contributing issues and pull requests welcomed license gnu general public license version 3 https github com socd06 medical nlp blob master license
ai
twitter-scraper-selenium
h1 twitter scraper selenium h1 p python s package to scrape twitter s front end easily with selenium p pypi license https img shields io pypi l ansicolortags svg https opensource org licenses mit python 3 6 9 https img shields io badge python 3 6 blue svg https www python org downloads release python 360 maintenance https img shields io badge maintained yes green svg https github com shaikhsajid1111 facebook page scraper graphs commit activity table of contents h2 table of contents h2 details open open summary table of contents summary ol li a href getting started getting started a ul li a href prerequisites prerequisites a li li a href installation installation a ul li a href sourceinstallation installing from source a li li a href pypiinstallation installing with pypi a li ul li ul li li a href usage usage a ul li a href availablefunction available functions in this package summary a li ul ul li a href profiledetail scraping profile s details a ul li a href profiledetailexample in json format example a li li a href profiledetailargument function argument a li li a href profiledetailkeys keys of the output a li ul li ul ul li a href profile scraping profile s tweets a ul li a href profilejson in json format example a li li a href profilecsv in csv format example a li li a href profileargument function arguments a li li a href profileoutput keys of the output data a li ul li a href to scrape user tweets with api scraping user s tweet using api a li ul li a href to scrape user tweets with api in json format example a li li a href users api parameter function arguments a li li a href scrape user with api args keys keys of the output a li ul li a href proxy using scraper with proxy a ul li a href unauthenticatedproxy unauthenticated proxy a li li a href authenticatedproxy authenticated proxy a li ul li li ul li li a href privacy privacy a li li a href license license a li ol details table of contents br hr h2 id prerequisites prerequisites h2 li internet connection li li python 3 6 li li chrome or firefox browser installed on your machine li hr h2 id installation installation h2 h3 id sourceinstallation installing from the source h3 p download the source code or clone it with p git clone https github com shaikhsajid1111 twitter scraper selenium p open terminal inside the downloaded folder p br python3 setup py install h3 id pypiinstallation installing with a href https pypi org pypi a h3 pip3 install twitter scraper selenium hr h2 id usage usage h2 h3 id availablefunction available function in this package summary h3 div table thead tr td function name td td function description td td scraping method td td scraping speed td tr thead tr td code scrape profile code td td scrape s twitter user s profile tweets td td browser automation td td slow td tr tr td code get profile details code td td scrape s twitter user details td td http request td td fast td tr tr td code scrape profile with api code td td scrape s twitter tweets by twitter profile username it expects the username of the profile td td browser automation http request td td fast td tr table p note http request method sends the request to twitter s api directly for scraping data and browser automation visits that page scroll while collecting the data p div br hr h3 id profiledetail to scrape twitter profile details h3 div id profiledetailexample python from twitter scraper selenium import get profile details twitter username twitterapi filename twitter api data browser firefox headless true get profile details twitter username twitter username filename filename browser browser headless headless output js id 6253282 id str 6253282 name twitter api screen name twitterapi location san francisco ca profile location null description the real twitter api tweets about api changes service issues and our developer platform don t get an answer it s on my website url https t co 8ikczcdr19 entities url urls url https t co 8ikczcdr19 expanded url https developer twitter com display url developer twitter com indices 0 23 description urls protected false followers count 6133636 friends count 12 listed count 12936 created at wed may 23 06 01 13 0000 2007 favourites count 31 utc offset null time zone null geo enabled null verified true statuses count 3656 lang null contributors enabled null is translator null is translation enabled null profile background color null profile background image url null profile background image url https null profile background tile null profile image url null profile image url https https pbs twimg com profile images 942858479592554497 bbazlo9l normal jpg profile banner url null profile link color null profile sidebar border color null profile sidebar fill color null profile text color null profile use background image null has extended profile null default profile false default profile image false following null follow request sent null notifications null translator type null div br div id profiledetailargument p code get profile details code arguments p table thead tr td argument td td argument type td td description td tr thead tbody tr td twitter username td td string td td twitter username td tr tr td output filename td td string td td what should be the filename where output is stored td tr tr td output dir td td string td td what directory output file should be saved td tr tr td proxy td td string td td optional parameter if user wants to use proxy for scraping if the proxy is authenticated proxy then the proxy format is username password host port td tr tbody table div hr br div h4 id profiledetailkeys keys of the output p detail of each key can be found a href https developer twitter com en docs twitter api v1 data dictionary object model user here a h4 div br hr h3 id profile to scrape profile s tweets h3 p id profilejson in json format p python from twitter scraper selenium import scrape profile microsoft scrape profile twitter username microsoft output format json browser firefox tweets count 10 print microsoft output javascript 1430938749840629773 tweet id 1430938749840629773 username microsoft name microsoft profile picture https twitter com microsoft photo replies 29 retweets 58 likes 453 is retweet false retweet link posted time 2021 08 26t17 02 38 00 00 content easy to use and efficient for all u2013 windows 11 is committed to an accessible future n nhere s how it empowers everyone to create connect and achieve more https msft it 6009x6tbw hashtags mentions images videos tweet url https twitter com microsoft status 1430938749840629773 link https blogs windows com windowsexperience 2021 07 01 whats coming in windows 11 accessibility ocid fy22 soc omc br tw windows ac hr p id profilecsv in csv format p python from twitter scraper selenium import scrape profile scrape profile twitter username microsoft output format csv browser firefox tweets count 10 filename microsoft directory home user downloads output br table class table table bordered table hover table condensed style line height 14px overflow hidden white space nowrap thead tr th title field 1 tweet id th th title field 2 username th th title field 3 name th th title field 4 profile picture th th title field 5 replies th th title field 6 retweets th th title field 7 likes th th title field 8 is retweet th th title field 9 retweet link th th title field 10 posted time th th title field 11 content th th title field 12 hashtags th th title field 13 mentions th th title field 14 images th th title field 15 videos th th title field 16 post url th th title field 17 link th tr thead tbody tr td 1430938749840629773 td td microsoft td td microsoft td td https twitter com microsoft photo td td align right 64 td td align right 75 td td align right 521 td td false td td td td 2021 08 26t17 02 38 00 00 td td easy to use and efficient for all windows 11 is committed to an accessible future br br here 39 s how it empowers everyone to create connect and achieve more https msft it 6009x6tbw td td td td td td td td td td https twitter com microsoft status 1430938749840629773 td td https blogs windows com windowsexperience 2021 07 01 whats coming in windows 11 accessibility ocid fy22 soc omc br tw windows ac td tr tbody table p p br hr div id profileargument p code scrape profile code arguments p table thead tr td argument td td argument type td td description td tr thead tbody tr td twitter username td td string td td twitter username of the account td tr tr td browser td td string td td which browser to use for scraping only 2 are supported chrome and firefox default is set to firefox td tr tr td proxy td td string td td optional parameter if user wants to use proxy for scraping if the proxy is authenticated proxy then the proxy format is username password host port td tr tr td tweets count td td integer td td number of posts to scrape default is 10 td tr tr td output format td td string td td the output format whether json or csv default is json td tr tr td filename td td string td td if output parameter is set to csv then it is necessary for filename parameter to passed if not passed then the filename will be same as username passed td tr tr td directory td td string td td if output format parameter is set to csv then it is valid for directory parameter to be passed if not passed then csv file will be saved in current working directory td tr tr td headless td td boolean td td whether to run crawler headlessly default is code true code td tr tbody table div hr br div id profileoutput p keys of the output p table thead tr td key td td type td td description td tr thead tbody tr td tweet id td td string td td post identifier integer casted inside string td tr tr td username td td string td td username of the profile td tr tr td name td td string td td name of the profile td tr tr td profile picture td td string td td profile picture link td tr tr td replies td td integer td td number of replies of tweet td tr tr td retweets td td integer td td number of retweets of tweet td tr tr td likes td td integer td td number of likes of tweet td tr tr td is retweet td td boolean td td is the tweet a retweet td tr tr td retweet link td td string td td if it is retweet then the retweet link else it ll be empty string td tr tr td posted time td td string td td time when tweet was posted in iso 8601 format td tr tr td content td td string td td content of tweet as text td tr tr td hashtags td td array td td hashtags presents in tweet if they re present in tweet td tr tr td mentions td td array td td mentions presents in tweet if they re present in tweet td tr tr td images td td array td td images links if they re present in tweet td tr tr td videos td td array td td videos links if they re present in tweet td tr tr td tweet url td td string td td url of the tweet td tr tr td link td td string td td if any link is present inside tweet for some external website td tr tbody table div br hr div id to scrape user tweets with api p to scrap profile s tweets with api p python from twitter scraper selenium import scrape profile with api scrape profile with api elonmusk output filename musk tweets count 100 div br div id users api parameter p code scrape profile with api code arguments p table thead tr td argument td td argument type td td description td tr thead tbody tr td username td td string td td twitter s profile username td tr tr td tweets count td td integer td td number of tweets to scrape td tr tr td output filename td td string td td what should be the filename where output is stored td tr tr td output dir td td string td td what directory output file should be saved td tr tr td proxy td td string td td optional parameter if user wants to use proxy for scraping if the proxy is authenticated proxy then the proxy format is username password host port td tr tr td browser td td string td td which browser to use for extracting out graphql key default is firefox td tr tr td headless td td string td td whether to run browser in headless mode td tr tbody table div br div id scrape user with api args keys p output p js 1608939190548598784 tweet url https twitter com elonmusk status 1608939190548598784 tweet details user details div br hr div h3 id proxy using scraper with proxy http proxy h3 div id unauthenticatedproxy p just pass code proxy code argument to function p python from twitter scraper selenium import scrape profile scrape profile elonmusk headless false proxy 66 115 38 247 5678 output format csv filename musk in ip port format div br div id authenticatedproxy p proxy that requires authentication p python from twitter scraper selenium import scrape profile microsoft data scrape profile twitter username microsoft browser chrome tweets count 10 output json proxy sajid pass123 66 115 38 247 5678 username password ip port print microsoft data div br hr div id privacy h2 privacy h2 p this scraper only scrapes public data available to unauthenticated user and does not holds the capability to scrape anything private p div br hr div id license h2 license h2 mit div
python python3 selenium twitter twitter-scraper twitter-bot twitter-profile twitter-hashtag twitter-profiles automation twitter-api pypi json csv web-scraping social-media tweets contribution-welcome open-source hacktoberfest
front_end
evm-blockchain-bridge
img width 1200 alt labs src https user images githubusercontent com 99700157 213291931 5a822628 5b8a 4768 980d 65f324985d32 png p h3 align center chainstack is the leading suite of services connecting developers with web3 infrastructure h3 p p align center a target blank href https chainstack com build better with ethereum img src https github com soos3d blockchain badges blob main protocols badges ethereum svg a nbsp a target blank href https chainstack com build better with bnb smart chain img src https github com soos3d blockchain badges blob main protocols badges bnb svg a nbsp a target blank href https chainstack com build better with polygon img src https github com soos3d blockchain badges blob main protocols badges polygon svg a nbsp a target blank href https chainstack com build better with avalanche img src https github com soos3d blockchain badges blob main protocols badges avalanche svg a nbsp a target blank href https chainstack com build better with fantom img src https github com soos3d blockchain badges blob main protocols badges fantom svg a nbsp p p align center a target blank href https chainstack com homepage a a target blank href https chainstack com protocols supported protocols a a target blank href https chainstack com blog chainstack blog a a target blank href https docs chainstack com quickstart chainstack docs a a target blank href https docs chainstack com quickstart blockchain api reference a br a target blank href https console chainstack com user account create start for free a p evm blockchain bridge simplified you can read the full article for this project in the chainstack blog https chainstack com how to create blockchain bridge this project contains multiple pieces to create a functional although not production ready erc20 blockchain bridge between two evm compatible chains it uses a wallet as an escrow and leverages the events triggered by the erc20 tokens to burn and mint tokens on each side of the bridge requirements node js at least v18 15 0 install node https nodejs org en you ll need access to nodes in different chains to use this bridge check out the chainstack docs to learn how to deploy nodes https docs chainstack com docs platform introduction build compile create a metamask wallet and get some tokens for your target networks this code was tested with sepolia and bnb testnet you can get testnet tokens using the chainstack faucet https faucet chainstack com sepolia faucet clone the repository sh git clone https github com chainstacklabs evm blockchain bridge git deploy smart contracts sh cd solidity clean install dependencies sh npm ci rename solidity env example to solidity env and fill in the details with your wallet address and the rpc endpoints from your chainstack dashboard to deploy your contracts run npm run deploy ori and npm run deploy dest you ll get the contract address in the console you can test the contracts running npm run test front end navigate to the web directory sh cd cd web clean install dependencies sh npm ci rename web env example to web env and fill in the details with your wallet address rpc endpoints and token addresses from the deployed smart contracts to build the front end run npm run build inside the web directory you can run the front end locally with npm run dev or deploy the generated dist folder to any static site hosting back end the back end service is required to run the bridge navigate to the backend directory sh cd cd backend clean install dependencies sh npm ci rename backend env example to backend env and fill in the details with your wallet address rpc endpoints and token addresses from the deployed smart contracts to start the back end service run npm start once the back end service runs you can use the front end to send tokens through the bridge
blockchain bridge
blockchain
mobile_android
mobile android mobile development
front_end
inform7-ide
about inform inform is a design system for interactive fiction based on natural language a new medium of writing which came out of the text adventure games of the 1980s it has been used by many leading writers of if over the last twenty years for projects ranging from historical reconstructions through games to art pieces which have won numerous awards and competitions inform s educational users span a uniquely wide age range from primary schools to graduate computer science classes although inform has also been used for commercial commissions in architecture in the games industry and in advertising most recently for a major 2014 product launch its primary aim is to help and to encourage individual writers to express themselves in a new medium in a single evening with inform it s possible to write a vignette and publish it as an interactive website playable on any browser the inform project was created by graham nelson in 1993 and first came to the macintosh programmer s workshop in 1995 and is now available as an app it combines the core inform software with full documentation including two books and nearly 500 fully working examples connecting to the inform website it can automatically download and update extensions from a fully curated public library used by the world wide inform community the app offers richly detailed indexing of projects and scales from tiny fictions like kate is a woman in the research lab right up to enormous imaginary worlds whose source text runs to over 3 million words features for automated testing packaging and releasing round out a fully featured development environment for if inform is free with no strings attached what you make with it is yours to publish on your website sell or give to your friends there s a vibrant community of users who welcome newcomers and the app will help you find a high traffic forum for discussions lastly inform is continuously maintained and developed all bug reports are examined and acted on and the app will show you how to post them
os
validator-profiles
img src img banner bg png validator directory note validators that have not yet put up a profile are hidden get the full list of validators here https station terra money stake moniker 01node com profile validators terravaloper1khfcg09plqw84jxy5e7fj6ag4s2r9wqsgm7k94 readme md station page https station terra money validator terravaloper1khfcg09plqw84jxy5e7fj6ag4s2r9wqsgm7k94 inotel profile validators terravaloper1vqegsqhe8q06t6jwgvww0qcr2u6v6g9xrwjnmw readme md station page https station terra money validator terravaloper1vqegsqhe8q06t6jwgvww0qcr2u6v6g9xrwjnmw active nodes profile validators terravaloper1a9zv7n6pmkzlm3wj6c23qyejqlmyxsl5faanrv readme md station page https station terra money validator terravaloper1a9zv7n6pmkzlm3wj6c23qyejqlmyxsl5faanrv arrington xrp capital profile validators terravaloper1c6gve6zhye5690563wxmvns7mugz6plu4aj7d3 readme md station page https station terra money validator terravaloper1c6gve6zhye5690563wxmvns7mugz6plu4aj7d3 ateam profile validators terravaloper1tusfpgvjrplqg2fm7wacy4slzjmnzswcfufuvp readme md station page https station terra money validator terravaloper1tusfpgvjrplqg2fm7wacy4slzjmnzswcfufuvp aurastake profile validators terravaloper1ulwqct0df2xuuaqzcq4yax3msdqgew6ehhcl7r readme md station page https station terra money validator terravaloper1ulwqct0df2xuuaqzcq4yax3msdqgew6ehhcl7r autostake profile validators terravaloper1f2t96sz9hnwsqnneux6v28xfgn07pkxjduvwjz readme md station page https station terra money validator terravaloper1f2t96sz9hnwsqnneux6v28xfgn07pkxjduvwjz autism staking profile validators terravaloper1zc9uadde55t4k3aw9uvgpkhwpsyzkq3k20g38r readme md station page https station terra money validator terravaloper1zc9uadde55t4k3aw9uvgpkhwpsyzkq3k20g38r b harvest profile validators terravaloper15zcjduavxc5mkp8qcqs9eyhwlqwdlrzy6jln3m readme md station page https station terra money validator terravaloper15zcjduavxc5mkp8qcqs9eyhwlqwdlrzy6jln3m bi23 labs profile validators terravaloper1jsdfyz8uhw2nd7cl45709w40r268phmvxam8eh readme md station page https station terra money validator terravaloper1jsdfyz8uhw2nd7cl45709w40r268phmvxam8eh bit cat profile validators terravaloper1k4ef8m95t7eq522evmmuzvfkpla04pezmu4j7k readme md station page https station terra money validator terravaloper1k4ef8m95t7eq522evmmuzvfkpla04pezmu4j7k block42 profile validators terravaloper16tc3c9u6yj5uuhru32pvs0pahfwraurpypz7vj readme md station page https station terra money validator terravaloper16tc3c9u6yj5uuhru32pvs0pahfwraurpypz7vj btc secure profile validators terravaloper1ya23p5cxtxwcfdrq4dmd2h0p5nc0vcl96yhjra readme md station page https station terra money validator terravaloper1ya23p5cxtxwcfdrq4dmd2h0p5nc0vcl96yhjra chainlayer profile validators terravaloper1kgddca7qj96z0qcxr2c45z73cfl0c75paknc5e readme md station page https station terra money validator terravaloper1kgddca7qj96z0qcxr2c45z73cfl0c75paknc5e chorus one profile validators terravaloper15urq2dtp9qce4fyc85m6upwm9xul30496sgk37 readme md station page https station terra money validator terravaloper15urq2dtp9qce4fyc85m6upwm9xul30496sgk37 cryptocrew validators profile validators terravaloper13slfa8cc7zvmjt4wkap2lwmlkp4h3azwltlj6s readme md station page https station terra money validator terravaloper13slfa8cc7zvmjt4wkap2lwmlkp4h3azwltlj6s coinhall org profile validators terravaloper1we68q2zel6ajpxuzw5aqhh07zlxxywrkx7jcfz readme md station page https station terra money validator terravaloper1we68q2zel6ajpxuzw5aqhh07zlxxywrkx7jcfz danku zone w daic profile validators terravaloper12r8929na0amxfj406zw7vk8jmd03fmzcj9r2gg readme md station page https station terra money validator terravaloper12r8929na0amxfj406zw7vk8jmd03fmzcj9r2gg dust foundation profile validators terravaloper13307pxehvt0qply3kw9vk578u4az0u4mu9eef4 readme md station page https station terra money validator terravaloper13307pxehvt0qply3kw9vk578u4az0u4mu9eef4 delight profile validators terravaloper1fjuvyccn8hfmn5r7wc2t3kwqy09zzp6tyjcf50 readme md station page https station terra money validator terravaloper1fjuvyccn8hfmn5r7wc2t3kwqy09zzp6tyjcf50 dextrac profile validators terravaloper1wc76cg6zgqd7tm4cltg73dgceff77gdshj3w06 readme md station page https station terra money validator terravaloper1wc76cg6zgqd7tm4cltg73dgceff77gdshj3w06 dokiacapital profile validators terravaloper1v5hrqlv8dqgzvy0pwzqzg0gxy899rm4kdur03x readme md station page https station terra money validator terravaloper1v5hrqlv8dqgzvy0pwzqzg0gxy899rm4kdur03x drill profile validators terravaloper19r4pzmtejrlc722mf0ccf0x58atg8awpqnyshc readme md station page https station terra money validator terravaloper19r4pzmtejrlc722mf0ccf0x58atg8awpqnyshc dsrv chaiscan com profile validators terravaloper175hhkyxmkp8hf2zrzka7cnn7lk6mudtv4uuu64 readme md station page https station terra money validator terravaloper175hhkyxmkp8hf2zrzka7cnn7lk6mudtv4uuu64 easy 2 stake profile validators terravaloper1d0vfj9zvxfgcm4yt4ze4u35mvhj57eg2ku2ekv readme md station page https station terra money validator terravaloper1d0vfj9zvxfgcm4yt4ze4u35mvhj57eg2ku2ekv ezstaking io profile validators terravaloper1vv4y54wczzk99ga65uvy7555n5q68gswcmdvj2 readme md station page https station terra money validator terravaloper1vv4y54wczzk99ga65uvy7555n5q68gswcmdvj2 figment networks profile validators terravaloper15cupwhpnxhgylxa8n4ufyvux05xu864jcv0tsw readme md station page https station terra money validator terravaloper15cupwhpnxhgylxa8n4ufyvux05xu864jcv0tsw forbole profile validators terravaloper1jkqr2vfg4krfd4zwmsf7elfj07cjuzss30ux8g readme md station page https station terra money validator terravaloper1jkqr2vfg4krfd4zwmsf7elfj07cjuzss30ux8g freshluna profile validators terravaloper1audgfvmgt0js54p3s8kj3r40uwej6vy2tv6rrw readme md station page https station terra money validator terravaloper1audgfvmgt0js54p3s8kj3r40uwej6vy2tv6rrw g lab profile validators terravaloper122jtp99q03vjdq2d63fgtmsjyndhkh3whaqaas readme md station page https station terra money validator terravaloper122jtp99q03vjdq2d63fgtmsjyndhkh3whaqaas galactic punks validator profile validators terravaloper1e6w5qgzs5rzrz8ark25lagm2ga2h9n2tvgzpsl readme md station page https station terra money validator terravaloper1e6w5qgzs5rzrz8ark25lagm2ga2h9n2tvgzpsl gt capital profile validators terravaloper1rn9grwtg4p3f30tpzk8w0727ahcazj0f0n3xnk readme md station page https station terra money validator terravaloper1rn9grwtg4p3f30tpzk8w0727ahcazj0f0n3xnk hashquark profile validators terravaloper13ww603e55suhavpuyjft3htxca6g4tldt92pgf readme md station page https station terra money validator terravaloper13ww603e55suhavpuyjft3htxca6g4tldt92pgf heavy metal finland profile validators terravaloper1xetqge5kmatfk6223hcfgf8z3tnukmjhrewxru readme md station page https station terra money validator terravaloper1xetqge5kmatfk6223hcfgf8z3tnukmjhrewxru hermes protocol profile validators terravaloper1g6pwngzfj73wnxm7y5gae0thylphugumc96gh3 readme md station page https station terra money validator terravaloper1g6pwngzfj73wnxm7y5gae0thylphugumc96gh3 huobipool profile validators terravaloper12kfeqrflptmlz5qj8agrm2ze6dzss3crm7uevf readme md station page https station terra money validator terravaloper12kfeqrflptmlz5qj8agrm2ze6dzss3crm7uevf infstones profile validators terravaloper1u3gcqh4xqcdfkcu82nrk9u75x8vtvcz7xafgpy readme md station page https station terra money validator terravaloper1u3gcqh4xqcdfkcu82nrk9u75x8vtvcz7xafgpy kytzu profile validators terravaloper1jyjg55hzsh0f4xymy0kuuan30pp4q75ruqmvyt readme md station page https station terra money validator terravaloper1jyjg55hzsh0f4xymy0kuuan30pp4q75ruqmvyt kk validator profile validators terravaloper1lnlasdy5r2hdjz3ta2r86ufkz309zdjvqshec4 readme md station page https station terra money validator terravaloper1lnlasdy5r2hdjz3ta2r86ufkz309zdjvqshec4 lambda core profile validators terravaloper1mgdsc0get3w984h03a02zy6gmg3kgqtfqs3tky readme md station page https station terra money validator terravaloper1mgdsc0get3w984h03a02zy6gmg3kgqtfqs3tky luna station 88 profile validators terravaloper1ccwgk6gvgtm556gxe0v79p48nrgsey05w3fle4 readme md station page https station terra money validator terravaloper1ccwgk6gvgtm556gxe0v79p48nrgsey05w3fle4 lux blockchain validators profile validators terravaloper10wjawj769nptj9pp6ha65lsd033p83kcsy8cru readme md station page https station terra money validator terravaloper10wjawj769nptj9pp6ha65lsd033p83kcsy8cru lunc aus lotto profile validators terravaloper1kewjknvtym2lesr4qdldqc36cfrt8s432zmvhh readme md station page https station terra money validator terravaloper1kewjknvtym2lesr4qdldqc36cfrt8s432zmvhh missioncontrol profile validators terravaloper1x4ce4fhqdnu8j7hrp64qmthumsvuhlq8y0kvx4 readme md station page https station terra money validator terravaloper1x4ce4fhqdnu8j7hrp64qmthumsvuhlq8y0kvx4 marte cloud profile validators terravaloper1dg7zhmt4g4zq74y4tksq4xfzf5pwx4cnngavjk readme md station page https station terra money validator terravaloper1dg7zhmt4g4zq74y4tksq4xfzf5pwx4cnngavjk masternode24 de profile validators terravaloper15qjn7ke9s47qn4mte3lerkxtjjgp38n5qquzsu readme md station page https station terra money validator terravaloper15qjn7ke9s47qn4mte3lerkxtjjgp38n5qquzsu mosaic profile validators terravaloper15s5d4lm0n75af9jxwawqzl73trnrypdslajxz4 readme md station page https station terra money validator terravaloper15s5d4lm0n75af9jxwawqzl73trnrypdslajxz4 moonletwalle profile validators terravaloper19xe62428tlfesdym0zn5wx9slyefqjp00r67kw readme md station page https station terra money validator terravaloper19xe62428tlfesdym0zn5wx9slyefqjp00r67kw moonshot profile validators terravaloper1l9mchtvqgvpyskgtemsrkjn0e57a7wm6c863uj readme md station page https station terra money validator terravaloper1l9mchtvqgvpyskgtemsrkjn0e57a7wm6c863uj neoply profile validators terravaloper103ra79dl2un2ltknhyz7crm5y29g4vhmycfwv9 readme md station page https station terra money validator terravaloper103ra79dl2un2ltknhyz7crm5y29g4vhmycfwv9 neptune finance profile validators terravaloper1jkg3wy5q9q6jlshjf2r6p9nf4flwtr6hp30rjk readme md station page https station terra money validator terravaloper1jkg3wy5q9q6jlshjf2r6p9nf4flwtr6hp30rjk nftswitch xyz w reality flux profile validators terravaloper1vrkzjujfds9p8t5g0xety3e3ft4dep02etv9le readme md station page https station terra money validator terravaloper1vrkzjujfds9p8t5g0xety3e3ft4dep02etv9le nitawa profile validators terravaloper150pqxd0j27mjg4yy4fafhkm7gfhsk8xvyfft0y readme md station page https station terra money validator terravaloper150pqxd0j27mjg4yy4fafhkm7gfhsk8xvyfft0y orbital command profile validators terravaloper1lelhxdzwn9ddecv6sv0kcxj5tguurxnzcfs5wf readme md station page https station terra money validator terravaloper1lelhxdzwn9ddecv6sv0kcxj5tguurxnzcfs5wf p2p org p2p validator profile validators terravaloper144l7c3uph5a7h62xd8u5et3rqvj3dqtvvka2fu readme md station page https station terra money validator terravaloper144l7c3uph5a7h62xd8u5et3rqvj3dqtvvka2fu pos bakerz profile validators terravaloper1nwrksgv2vuadma8ygs8rhwffu2ygk4j24w2mku readme md station page https station terra money validator terravaloper1nwrksgv2vuadma8ygs8rhwffu2ygk4j24w2mku rockaway blockchain fund profile validators terravaloper173de34wwvak6d4829h5vmxvm98y5vl08tmfgrq readme md station page https station terra money validator terravaloper173de34wwvak6d4829h5vmxvm98y5vl08tmfgrq rockx profile validators terravaloper1aw0znxtlq0wrayyz7wppz3qnw94hfrmnnrcxja readme md station page https station terra money validator terravaloper1aw0znxtlq0wrayyz7wppz3qnw94hfrmnnrcxja lunaticstoken com profile validators terravaloper12x0uekrjre057h0vyrf9w8mkz6paf32qvn0q84 station page https station terra money validator terravaloper12x0uekrjre057h0vyrf9w8mkz6paf32qvn0q84 setten io profile validators terravaloper1tdkh85vv7vsvav93elmx6qsywuu22amc60u3sa station page https station terra money validator terravaloper1tdkh85vv7vsvav93elmx6qsywuu22amc60u3sa smart stake profile validators terravaloper188e99yz54744uhr8xjfxmmplhnuw75xea55zfp readme md station page https station terra money validator terravaloper188e99yz54744uhr8xjfxmmplhnuw75xea55zfp solidstake profile validators terravaloper1fhx7y75643tze8dxf4m9gwhkxn955q8r7vxjel readme md station page https station terra money validator terravaloper1fhx7y75643tze8dxf4m9gwhkxn955q8r7vxjel spica nova profile validators terravaloper1j5k9jank9kkwwjwce0ljy723xfppnpunv959l0 readme md station page https station terra money validator terravaloper1j5k9jank9kkwwjwce0ljy723xfppnpunv959l0 stake systems profile validators terravaloper1a9q6jl792qg36cp025ccjtgyf4qxrwzqjkmk5d readme md station page https station terra money validator terravaloper1a9q6jl792qg36cp025ccjtgyf4qxrwzqjkmk5d staked profile validators terravaloper1h6rf7y2ar5vz64q8rchz5443s3tqnswrpf4846 readme md station page https station terra money validator terravaloper1h6rf7y2ar5vz64q8rchz5443s3tqnswrpf4846 stakesabai profile validators terravaloper1g0deaesmwy2qg9zupynx6ychspe60lquu3eyze readme md station page https station terra money validator terravaloper1g0deaesmwy2qg9zupynx6ychspe60lquu3eyze staketo me profile validators terravaloper1z7we2y02fy2kvw0tdq8k26j4t370n58wxvl4ge station page https station terra money validator terravaloper1z7we2y02fy2kvw0tdq8k26j4t370n58wxvl4ge staker space profile validators terravaloper1pc0gs3n6803x7jqe9m7etegmyx29xw38aaf3u7 readme md station page https station terra money validator terravaloper1pc0gs3n6803x7jqe9m7etegmyx29xw38aaf3u7 stakewith us profile validators terravaloper1c9ye54e3pzwm3e0zpdlel6pnavrj9qqvq89r3r readme md station page https station terra money validator terravaloper1c9ye54e3pzwm3e0zpdlel6pnavrj9qqvq89r3r stakin profile validators terravaloper1nwrksgv2vuadma8ygs8rhwffu2ygk4j24w2mku readme md station page https station terra money validator terravaloper1nwrksgv2vuadma8ygs8rhwffu2ygk4j24w2mku staking fund profile validators terravaloper123gn6j23lmexu0qx5qhmgxgunmjcqsx8gmsyse readme md station page https station terra money validator terravaloper123gn6j23lmexu0qx5qhmgxgunmjcqsx8gmsyse syncnode profile validators terravaloper1sym8gyehrdsm03vdc44rg9sflg8zeuqwfzavhx readme md station page https station terra money validator terravaloper1sym8gyehrdsm03vdc44rg9sflg8zeuqwfzavhx synergy nodes profile validators terravaloper12jpzzmwthrljcvm48adncspxtchazkl8vah7u4 readme md station page https station terra money validator terravaloper12jpzzmwthrljcvm48adncspxtchazkl8vah7u4 talis protocol profile validators terravaloper1vjr8z6g38f39j23y55pdektc3l2uqc9y02f9k5 readme md station page https station terra money validator terravaloper1vjr8z6g38f39j23y55pdektc3l2uqc9y02f9k5 tavis digital profile validators terravaloper1vhm0l52y83vsqr60vt7vhxgsjlfyhf3h2mgfpe readme md station page https station terra money validator terravaloper1vhm0l52y83vsqr60vt7vhxgsjlfyhf3h2mgfpe terra bull profile validators terravaloper1j747dvwyg0kk9ltrz5ux443lhzzq5tgdpsa7qw readme md station page https station terra money validator terravaloper1j747dvwyg0kk9ltrz5ux443lhzzq5tgdpsa7qw stakebin profile validators terravaloper13n2fsvfvj28eqvkjejhqlxf3pch3muxkxudacc readme md station page https station terra money validator terravaloper13n2fsvfvj28eqvkjejhqlxf3pch3muxkxudacc terran one profile validators terravaloper1krj7amhhagjnyg2tkkuh6l0550y733jnjnnlzy readme md station page https station terra money validator terravaloper1krj7amhhagjnyg2tkkuh6l0550y733jnjnnlzy terran stakers profile validators terravaloper1uymwfafhq8fruvcjq8k67a29nqzrxnv9m6m427 readme md station page https station terra money validator terravaloper1uymwfafhq8fruvcjq8k67a29nqzrxnv9m6m427 terra firma profile validators terravaloper1qqu376azltyc5wnsje5qgwru5mtj2yqdhar97v readme md station page https station terra money validator terravaloper1qqu376azltyc5wnsje5qgwru5mtj2yqdhar97v ubik capital profile validators terravaloper14lggrv6qm9zu7r8r936zn3x6dawgurdmw3ksug readme md station page https station terra money validator terravaloper14lggrv6qm9zu7r8r936zn3x6dawgurdmw3ksug athens project profile validators terravaloper1dmkdw7q23acc72knqv9yu46pz2m363705cnt27 readme md station page https station terra money validator terravaloper1dmkdw7q23acc72knqv9yu46pz2m363705cnt27 y profile validators terravaloper18pmvpy25zc7x0u8ppefuyyl2zaafe2wut0nm5e readme md station page https station terra money validator terravaloper18pmvpy25zc7x0u8ppefuyyl2zaafe2wut0nm5e 0base vc profile validators terravaloper1plxp55happ379eevsnk2xeuwzsrldsmqduyu36 readme md station page https station terra money validator terravaloper1plxp55happ379eevsnk2xeuwzsrldsmqduyu36 jesusislord profile validators terravaloper16e0s5t7q69elnlchrupryw3h7vu8zk23pe5wh8 readme md station page https station terra money validator terravaloper16e0s5t7q69elnlchrupryw3h7vu8zk23pe5wh8 what is a validator profile as a validator it s not enough to maintain rock solid reliable infrastructure you also need to market yourself effectively and court delegations from prospecting delegators the validator profiles hosted on this github repository give you a platform to give potential delegators and clients a brief introduction on your team philosophy architecture and infrastructure and to present your ecosystem contributions badges may be applied by the maintainers of this repo only for claims that can be validated how to change your validator profile 1 fork this repository to your own github account 2 clone the repo from your own account make sure you clone the repository from your account your fork not the original repo sh git clone git github com xxxxxx validator profiles git cd validator profiles 3 create and switch to a new branch named after your validator for example sh git checkout b wraith profile 4 copy the template readme md template readme md and json profile template profile json into your folder inside validators your valoper address 5 change the contents and add your information as necessary you can modify anything within your own designated validator folder including adding image files new folders etc 6 commit and push the information to your repo sh git add a git commit m edit wraith profile git push origin wraith profile 7 under your repo page click the new pull request button make a pull request to our repository with a summary of the changes name your pr with your validator moniker and identify whether it is a new profile or an edit to existing profile 8 your pr will be reviewed as soon as possible if there are no problems with your pr it will be merged into the master branch which will update your validator profile if it is your first time creating a profile you will be added to the validator directory validator directory profile json registered validators validators who have submitted a profile can opt in to receiving support from terra by putting their contact information in a profile json file terra provides various validator support such as automatic notifications when your validator is missing blocks or votes javascript contact contact info for delegators outreach email validator example com telegram validator notifications notification settings email technicalemail example com email to receive notifications terra station checkmark inclusion in asset repo a complete profile including a terravaloper and a contact email in the profile json file must be submitted in order to receive a checkmark in terra station new profiles are manually reviewed by the repo owner and a second reviewer approves the addition to the station assets repo this is the final step in completing a profile
blockchain
teleport-vision-api
alt text https raw githubusercontent com teleporthq teleport lib js master logo50 png teleporthq vision api alt text https i imgur com k3ut2dv jpg teleporthq vision api teleporthq vision api is a computer vision api specifically trained for detecting atomic ui elements in pictures of hand drawn wireframes as seen in the picture above it uses an architecture based on resnet101 https arxiv org abs 1512 03385 for extracting features and faster r cnn https arxiv org abs 1506 01497 for bounding box proposals the machine learning model was built and trained using tensorflow https github com tensorflow tensorflow list of elements it can distinguish paragraph label header button checkbox radiobutton rating toggle dropdown listbox textarea textinput datepicker stepperinput slider progressbar image video the api is currently in closed alpha but feel free to contact us how do i get a teleport token if you want early access guideline we had to decide on some conventions to obtain better results you can learn more in this blog post https teleporthq io blog enforcing convention for wireframe object detection alt text https teleporthq io playground assets scan0 jpg vision api guidelines using the vision api request send all requests to the api endpoint https api vision teleporthq io v2 detection request header make sure to add a content type key with the value application json and a teleport token key with the key provided by us request body the body of the request is a json with two keys image and threshold image is a required string parameter that denotes the direct url to a publicly available jpg or png image threshold is an optional parameter default value is 0 1 the detection model outputs a confidence score for each detection between 0 and 1 and won t include in the response detections with confidence lower than this threshold request body example img src https i imgur com hztwzls jpg width 300 height 300 image https i imgur com hztwzls jpg threshold 0 5 request example curl x post https api vision teleporthq io v2 detection h content type application json h teleport token your token d image https i imgur com hztwzls jpg threshold 0 5 response if your request is a valid one you will recieve back a json with the following structure box y x height width detectionclass numeric label detectionstring string label score confidence rating the json contains a list of objects each one of this objects corresponding to a detected atomic ui element in the image sent in the request all of the keys will appear in all of the objects in your response array box contains the coordinates of the bounding box surrounding the detected element x and y are the coordinates of the top left corner of the box and width and height are self explanatory all coordinates are normalized between 0 1 where 0 0 is the top left corner of your image and 1 1 is the bottom right corner in other words if you want to get the pixel coordinates you have to multiply x and width with the width of your image and y and height with the height of your image detectionclass is the numeric class of the detection detectionstring is the human readable label of the detection score represents how confident the algorithm is that the predicted object is a correct valid one it takes values between 0 1 where 1 represents a 100 confidence in its detection the detectionclass to detectionstring mapping is done according to this dictionary 1 paragraph 2 dropdown 3 checkbox 4 radiobutton 5 rating 6 toggle 7 textarea 8 datepicker 9 stepperinput 10 slider 11 video 12 label 13 table 14 list 15 header 16 button 17 image 18 linebreak 19 container 20 link 21 textinput response example full response here https gist github com dimitrif 986de27fdc5c849696719b8543ca8d35 box 0 06640399247407913 0 18573421239852905 0 0626835897564888 0 43779563903808594 detectionclass 15 detectionstring header score 0 995826005935669 box 0 16810636222362518 0 18520960211753845 0 04797615110874176 0 17563629150390625 detectionclass 16 detectionstring button score 0 9924671053886414 box 0 8350381255149841 0 5098391771316528 0 05998152494430542 0 23138082027435303 detectionclass 16 detectionstring button score 0 9921296238899231 previous version the previous version of the api is still available at this end point https api vision teleporthq io v1 detection the detectionclass to detectionstring mapping for this previous version is done according to this dictionary 1 paragraph 2 label 3 header 4 button 5 checkbox 6 radiobutton 7 rating 8 toggle 9 dropdown 10 listbox 11 textarea 12 textinput 13 datepicker 14 stepperinput 15 slider 16 progressbar 17 image 18 video how do i get a teleport token if you are interested in using this api feel free to get in touch with us via the following form https docs google com forms d e 1faipqlsdlzil3pnsxzejw2 s9c064k i m q mhpfxulrxzjouurrkw viewform
ai
AE-ImageHub
ae imagehub team nlgpsag runtime environment net core 2 1 back end npm with react 16 8 3 or above front end azure active directory authentication microsoft sql server database how to run image hub 1 clone repository 2 install npm packages by running npm install in directory aeimagehub clientapp 3 set azure active directory configurations in directory aeimagehub clientapp src adalconfig js 4 set azure active directory configurations and microsoft sql server connection configurations in directory aeimagehub appsettings json 5 run project on visual studio recommended or jetbrains rider setting up azure active directory the porject is hosted on azure and uses aad for authentication 1 create an azure web app how to create an azure app https docs microsoft com en us azure active directory develop howto create service principal portal 2 change the settings in adalconfig js found in aeimagehub clientapp src adalconfig js check react adal https github com salvoravida react adal blob master readme md docs for more info 3 change the settings in graphapicontroller cs found in aeimagehub controllers to match your app information admin authorization policies 1 create an admin group in aad how to create a group https docs microsoft com en us azure active directory fundamentals active directory groups create azure portal 2 get the group id 3 go to aeimagehub startup cs and locate the comment authorization 4 replace the group id inside the policybuilder with the one you created for more information read here https blogs msdn microsoft com gianlucb 2017 10 27 azure ad and group based authorization live website https aeimagehub azurewebsites net
server
Monk_Gui
monk gui http hits dwyl io tessellate imaging monk gui svg http hits dwyl io tessellate imaging monk gui https tokei rs b1 github tessellate imaging monk gui https tokei rs b1 github tessellate imaging monk gui category files a graphical user interface for deep learning and computer vision over monk libraries br br br alt text complete gif br br backend libraries a monk https github com tessellate imaging monk v1 monk is a low code deep learning tool and a unified wrapper for computer vision b monk object detection https github com tessellate imaging monk object detection a one stop repository for low code easily installable object detection pipelines check licenses of each pipeline before using br br br installation sudo apt get install python3 6 python3 6 dev python3 7 python3 7 dev python3 pip sudo pip install virtualenv virtualenvwrapper echo e n virtualenv and virtualenvwrapper bashrc echo export workon home home virtualenvs bashrc echo export virtualenvwrapper python usr bin python3 bashrc echo source usr local bin virtualenvwrapper sh bashrc source bashrc mkvirtualenv p usr bin python3 6 monk gui workon monk gui pip install numpy pyqt5 tqdm matplotlib pillow br br br running gui workon monk gui python gui py walk throughs classification demo 1 link https 1drv ms v s arxzfug4njmtkfg uovakoc wesz e uopbeg classification demo 2 link https 1drv ms v s arxzfug4njmtknlyptnndmceu0wu e xisndj object detection demo link https 1drv ms v s arxzfug4njmtkfkgm6r5mlfrbcur e mo48y8 author tessellate imaging https www tessellateimaging com check out monk ai https github com tessellate imaging monk v1 monk features low code unified wrapper over major deep learning framework keras pytorch gluoncv syntax invariant wrapper enables developers to create manage and version control deep learning experiments to compare experiments across training metrics to quickly find best hyper parameters to contribute to monk ai or monk object detection repository raise an issue in the git repo or dm us on linkedin abhishek https www linkedin com in abhishek kumar annamraju akash https www linkedin com in akashdeepsingh01 br br br copyright copyright 2019 onwards tessellate imaging private limited licensed under the apache license version 2 0 the license you may not use this project s files except in compliance with the license a copy of the license is provided in the license file in this repository
hacktoberfest python3 deeplearning machinelearning graphical-user-interface
ai
Mobile-Web-Development-Books
mobile web development books
front_end
GPU-Benchmarks-on-LLM-Inference
gpu benchmarks on llm inference multiple nvidia gpus or apple silicon for large language model inference description use llama cpp https github com ggerganov llama cpp to test the llama https arxiv org abs 2302 13971 models inference speed of different gpus on runpod https www runpod io m1 max macbook pro and m2 ultra mac studio overview average eval time ms token by gpus less eval time is better gpu 7b q4 0 7b f16 65b q4 0 65b f16 a4500 20gb 11 33 26 96 oom oom 3090 24gb 8 83 19 55 oom oom 4090 24gb 7 24 16 83 oom oom a4500 20gb 2 19 55 28 08 oom oom a6000 48gb 9 61 23 23 70 48 oom a6000ada 48gb 51 04 166 29 736 06 oom 3090 24gb 2 17 95 22 69 66 94 oom 4090 24gb 2 16 24 21 61 62 54 oom 3090 24gb 3 21 51 25 62 72 7 oom 4090 24gb 3 17 16 21 05 59 71 oom a100 80gb 11 55 14 27 68 09 oom a6000 48gb 2 21 49 28 21 86 83 oom 3090 24gb 6 33 46 35 08 96 03 116 01 m1 max 24 core gpu 32gb 20 78 71 6 oom oom m2 ultra 76 core gpu 192gb 12 04 34 96 70 21 262 87 average prompt eval time ms token by gpus gpu 7b q4 0 7b f16 65b q4 0 65b f16 a4500 20gb 2 15 1 63 oom oom 3090 24gb 1 52 1 57 oom oom 4090 24gb 0 92 0 98 oom oom a4500 20gb 2 4 42 4 37 oom oom a6000 48gb 1 25 1 36 9 58 oom a6000ada 48gb 4 66 6 21 79 78 oom 3090 24gb 2 5 37 4 83 16 91 oom 4090 24gb 2 3 44 3 42 12 29 oom 3090 24gb 3 7 95 7 94 24 94 oom 4090 24gb 3 6 87 6 66 20 72 oom a100 80gb 1 04 1 01 6 5 oom a6000 48gb 2 4 96 4 86 18 66 oom 3090 24gb 6 18 17 18 16 49 24 49 43 m1 max 24 core gpu 32gb 5 02 4 68 oom oom m2 ultra 76 core gpu 192gb 1 65 1 57 11 91 11 07 model thanks to shawwn for llama model weights 7b 13b 30b 65b llama dl https github com shawwn llama dl access llama 2 from meta ai https ai meta com llama usage for nvidia gpus this provides blas acceleration using the cuda cores of your nvidia gpu multiple gpu works fine with no cpu bottleneck ngl 10000 to make sure all layers are offloaded to gpu thanks to https github com ggerganov llama cpp pull 1827 bash make clean llama cublas 1 make j test arguments switch to gguf models after 21 aug 2023 see https github com ggerganov llama cpp pull 2398 bash main color ngl 10000 t 1 temp 0 7 repeat penalty 1 1 n 512 ignore eos m models 7b ggml model q4 0 bin p i believe the meaning of life is for apple silicon using metal allows the computation to be executed on the gpu for apple devices bash make clean llama metal 1 make j test arguments bash main color no mmap ngl 1 temp 0 7 repeat penalty 1 1 n 512 ignore eos m models 7b v2 ggml model q4 0 gguf p i believe the meaning of life is check the recommendedmaxworkingsetsize in the result to see how much memory can be allocated on gpu and maintain its performance only 65 of unified memory can be allocated to the gpu on 32gb m1 max and we expect 75 of usable memory for the gpu on larger memory source https developer apple com videos play tech talks 10580 time 346 to utilize the whole memory use ngl 0 or delete it to only use the cpu for inference thanks to https github com ggerganov llama cpp pull 1826 bash main color no mmap temp 0 7 repeat penalty 1 1 n 512 ignore eos m models 13b v2 ggml model f16 gguf p i believe the meaning of life is total vram requirements nivida gpus snapshots in july 2023 model quantized size 4 bit original size f16 7b 4 8 gb 13 6 gb 13b 8 7 gb 25 9 gb 30b 20 5 gb 63 7 gb 65b 40 gb 127 gb apple silicon snapshots in aug 2023 model quantized size 4 bit original size f16 7b 4 1 gb 13 1 gb 13b 7 6 gb 25 gb 30b 18 3 gb 61 8 gb 65b 36 2 gb 123 6 gb 70b 38 gb 130 3 gb benchmarks the whole original data including the 13b and 30b models run three times for each model add llama 2 for apple silicon nvidia gpus cpu amd epyc os ubuntu 22 04 2 lts pytorch 2 0 1 py3 10 cuda11 8 0 on runpod snapshots in july 2023 llama gpu model eval time prompt eval time mean eval time mean prompt eval time a4500 20gb 7b q4 0 11 29 11 34 11 36 1 52 1 52 3 4 11 33 2 15 13b q4 0 19 65 19 67 19 7 2 89 2 88 2 9 19 67 2 89 30b q4 0 oom oom oom oom oom oom oom oom 65b q4 0 oom oom oom oom oom oom oom oom 7b f16 26 94 26 94 26 99 1 62 1 63 1 63 26 96 1 63 13b f16 oom oom oom oom oom oom oom oom 30b f16 oom oom oom oom oom oom oom oom 65b f16 oom oom oom oom oom oom oom oom 3090 24gb 7b q4 0 8 83 8 81 8 84 1 56 1 5 1 5 8 83 1 52 13b q4 0 14 41 14 42 14 41 2 53 2 49 2 49 14 41 2 5 30b q4 0 33 67 33 75 33 8 5 78 5 78 5 78 33 74 5 78 65b q4 0 oom oom oom oom oom oom oom oom 7b f16 19 54 19 55 19 56 1 57 1 57 1 57 19 55 1 57 13b f16 oom oom oom oom oom oom oom oom 30b f16 oom oom oom oom oom oom oom oom 65b f16 oom oom oom oom oom oom oom oom 4090 24gb 7b q4 0 7 23 7 23 7 26 0 92 0 92 0 93 7 24 0 92 13b q4 0 12 06 12 06 12 07 1 64 1 64 1 64 12 06 1 64 30b q4 0 27 4 27 44 27 46 3 88 3 88 3 89 27 43 3 88 65b q4 0 oom oom oom oom oom oom oom oom 7b f16 16 84 16 82 16 83 0 98 0 98 0 98 16 83 0 98 13b f16 oom oom oom oom oom oom oom oom 30b f16 oom oom oom oom oom oom oom oom 65b f16 oom oom oom oom oom oom oom oom a4500 20gb 2 7b q4 0 19 5 19 63 19 51 4 44 4 39 4 42 19 55 4 42 13b q4 0 27 75 27 55 27 6 5 79 5 81 5 81 27 63 5 8 30b q4 0 50 95 50 73 51 08 10 07 10 02 10 06 50 92 10 05 65b q4 0 oom oom oom oom oom oom oom oom 7b f16 28 06 28 02 28 16 4 37 4 39 4 34 28 08 4 37 13b f16 43 15 43 18 43 11 5 71 5 74 5 74 43 15 5 73 30b f16 oom oom oom oom oom oom oom oom 65b f16 oom oom oom oom oom oom oom oom a6000 48gb 7b q4 0 9 62 9 6 9 61 1 26 1 25 1 25 9 61 1 25 13b q4 0 15 96 16 16 2 1 2 11 2 11 15 99 2 11 30b q4 0 36 79 36 86 36 91 4 83 4 84 4 86 36 85 4 84 65b q4 0 70 37 70 47 70 59 9 55 9 58 9 6 70 48 9 58 7b f16 23 23 23 23 23 24 1 36 1 36 1 36 23 23 1 36 13b f16 41 38 41 4 41 4 2 31 2 31 2 3 41 39 2 31 30b f16 oom oom oom oom oom oom oom oom 65b f16 oom oom oom oom oom oom oom oom a6000ada 48gb 7b q4 0 47 78 51 21 54 14 4 4 4 69 4 89 51 04 4 66 13b q4 0 116 38 125 55 127 52 12 46 13 44 13 9 123 15 13 27 30b q4 0 341 13 344 18 340 12 37 76 38 48 37 74 341 81 37 99 65b q4 0 723 65 743 35 741 19 77 63 80 68 81 04 736 06 79 78 7b f16 164 97 168 95 164 95 6 29 6 18 6 16 166 29 6 21 13b f16 303 48 303 54 303 5 15 06 15 52 15 62 303 51 15 4 30b f16 oom oom oom oom oom oom oom oom 65b f16 oom oom oom oom oom oom oom oom 3090 24gb 2 7b q4 0 17 99 17 93 17 92 6 21 4 78 5 11 17 95 5 37 13b q4 0 24 2 24 23 24 28 6 82 6 91 6 82 24 24 6 85 30b q4 0 42 99 42 92 42 88 11 63 11 62 11 82 42 93 11 69 65b q4 0 66 82 66 84 67 16 17 56 16 23 16 95 66 94 16 91 7b f16 22 7 22 73 22 64 4 69 4 8 5 22 69 4 83 13b f16 33 93 33 83 33 97 6 82 6 8 6 74 33 91 6 79 30b f16 oom oom oom oom oom oom oom oom 65b f16 oom oom oom oom oom oom oom oom 4090 24gb 2 7b q4 0 16 25 16 25 16 21 3 47 3 45 3 4 16 24 3 44 13b q4 0 22 23 22 2 22 43 4 77 4 82 4 79 22 29 4 79 30b q4 0 40 27 40 48 40 21 8 34 8 33 8 22 40 32 8 3 65b q4 0 62 71 62 56 62 35 12 41 12 18 12 27 62 54 12 29 7b f16 21 58 21 62 21 64 3 47 3 4 3 4 21 61 3 42 13b f16 32 67 32 64 32 64 4 79 4 83 4 77 32 65 4 8 30b f16 oom oom oom oom oom oom oom oom 65b f16 oom oom oom oom oom oom oom oom 3090 24gb 3 7b q4 0 21 52 21 48 21 54 8 7 92 7 92 21 51 7 95 13b q4 0 28 42 28 42 28 45 11 04 10 69 10 96 28 43 10 9 30b q4 0 48 12 47 95 48 1 17 17 17 57 17 29 48 06 17 34 65b q4 0 72 68 72 59 72 84 24 91 24 87 25 03 72 7 24 94 7b f16 25 64 25 57 25 66 7 97 7 94 7 91 25 62 7 94 13b f16 35 67 35 79 35 77 10 76 10 66 10 73 35 74 10 72 30b f16 63 79 63 73 63 88 17 55 17 56 17 25 63 8 17 45 65b f16 oom oom oom oom oom oom oom oom 4090 24gb 3 7b q4 0 17 07 17 24 17 16 7 08 6 73 6 8 17 16 6 87 13b q4 0 22 95 22 93 22 73 8 4 8 78 8 96 22 87 8 71 30b q4 0 39 67 39 86 39 77 14 38 14 01 14 18 39 77 14 19 65b q4 0 59 65 59 78 59 7 20 77 20 22 21 16 59 71 20 72 7b f16 21 05 21 07 21 04 6 68 6 51 6 8 21 05 6 66 13b f16 30 28 30 36 30 22 8 59 9 8 34 30 29 8 64 30b f16 57 06 57 06 57 15 14 32 14 43 14 17 57 09 14 31 65b f16 oom oom oom oom oom oom oom oom a100 80gb 7b q4 0 11 61 11 54 11 49 1 11 1 01 1 11 55 1 04 13b q4 0 17 35 17 42 17 34 1 65 1 65 1 65 17 37 1 65 30b q4 0 35 29 35 16 35 26 3 62 3 56 3 58 35 24 3 59 65b q4 0 68 13 68 08 68 07 6 5 6 5 6 51 68 09 6 5 7b f16 14 26 14 28 14 28 1 01 1 01 1 01 14 27 1 01 13b f16 23 58 23 49 23 49 1 64 1 65 1 64 23 52 1 64 30b f16 52 09 52 3 52 36 3 55 3 62 3 57 52 25 3 58 65b f16 oom oom oom oom oom oom oom oom a6000 48gb 2 7b q4 0 21 67 21 45 21 35 5 05 5 11 4 73 21 49 4 96 13b q4 0 29 47 30 75 29 22 6 22 6 17 7 06 29 81 6 48 30b q4 0 55 22 56 35 56 44 11 42 11 58 11 02 56 11 34 65b q4 0 86 42 84 99 89 09 19 3 18 6 18 08 86 83 18 66 7b f16 28 42 28 67 27 55 4 97 5 08 4 52 28 21 4 86 13b f16 43 43 43 42 43 74 6 23 6 29 6 26 43 53 6 26 30b f16 84 32 87 28 87 41 12 03 12 45 11 97 86 34 12 15 65b f16 oom oom oom oom oom oom oom oom 3090 24gb 6 7b q4 0 33 56 33 4 33 42 18 06 18 38 18 07 33 46 18 17 13b q4 0 42 75 43 02 42 9 23 1 23 26 23 12 42 89 23 16 30b q4 0 67 82 67 4 67 35 35 61 35 7 35 66 67 52 35 66 65b q4 0 96 15 96 1 95 85 49 61 49 18 48 93 96 03 49 24 7b f16 35 12 35 05 35 06 18 26 18 08 18 15 35 08 18 16 13b f16 45 78 46 03 45 77 22 99 23 14 23 45 86 23 04 30b f16 75 76 75 84 75 98 35 63 35 81 35 62 75 86 35 69 65b f16 116 09 116 03 115 9 49 27 49 43 49 6 116 01 49 43 apple silicon snapshots in aug 2023 llama gpu model eval time prompt eval time mean eval time mean prompt eval time m1 max 24 core gpu 32gb 7b q4 0 20 46 20 45 21 44 5 02 5 02 5 01 20 78 5 02 13b q4 0 34 97 36 85 40 58 8 93 10 42 10 76 37 47 10 04 30b q4 0 75 88 76 15 76 21 20 29 20 27 20 29 76 08 20 28 65b q4 0 oom oom oom oom oom oom oom oom 7b f16 71 5 71 65 71 64 4 68 4 69 4 68 71 6 4 68 13b f16 cpu 222 71 230 77 222 93 37 66 35 52 53 63 225 47 42 27 30b f16 oom oom oom oom oom oom oom oom 65b f16 oom oom oom oom oom oom oom oom m2 ultra 76 core gpu 192gb 7b q4 0 12 04 12 03 12 04 1 64 1 65 1 65 12 04 1 65 13b q4 0 19 52 19 08 19 07 2 91 2 9 2 9 19 22 2 9 30b q4 0 40 66 39 54 40 75 6 49 6 47 6 47 40 32 6 48 65b q4 0 71 12 69 87 69 65 11 94 11 87 11 92 70 21 11 91 7b f16 34 86 34 99 35 02 1 57 1 57 1 56 34 96 1 57 13b f16 61 47 62 13 63 01 2 71 2 73 2 72 62 2 2 72 30b f16 138 91 137 71 139 48 6 6 03 6 01 138 7 6 01 65b f16 262 82 262 95 262 83 11 08 11 06 11 06 262 87 11 07 llama 2 gpu model eval time prompt eval time mean eval time mean prompt eval time m1 max 24 core gpu 32gb 7b q4 0 20 49 20 65 20 53 5 01 5 01 5 01 20 56 5 01 13b q4 0 38 31 37 36 38 01 8 95 9 9 10 97 37 89 9 94 70b q4 0 oom oom oom oom oom oom oom oom 7b f16 71 52 72 63 72 83 4 7 4 68 4 7 72 33 4 69 13b f16 cpu 227 05 225 6 228 64 36 28 37 9 40 11 227 1 38 1 70b f16 oom oom oom oom oom oom oom oom m2 ultra 76 core gpu 192gb 7b q4 0 12 07 12 05 12 1 65 1 64 1 66 12 04 1 65 13b q4 0 19 09 19 09 19 11 2 91 2 9 2 91 19 1 2 91 70b q4 0 73 55 72 95 73 06 13 76 13 75 13 74 73 19 13 75 7b f16 34 18 34 19 34 22 1 55 1 55 1 55 34 2 1 55 13b f16 61 48 61 53 61 54 2 71 2 71 2 71 61 52 2 71 70b f16 277 83 278 09 277 73 12 94 12 93 12 93 277 88 12 93 conclusion same performance on llama and llama 2 of the same size and quantization multiple nvidia gpus might affect the performance for llm inference buy 3090s to save money buy 4090s if you want to speed up buy a100s if you are rich buy mac studio if you want to put your computer on your desk save energy be quiet and don t wanna maintenance if you want to train llm choose nivida if you find this information helpful please give me a star feel free to contact me if you have any advice thank you appendix all the latest results are welcome thanks to michaeldays mac llama 2 gpu model eval time prompt eval time mean eval time mean prompt eval time mac pro 2019 intel 16 core 384gb cpu 7b q4 0 54 78 61 74 59 77 35 72 37 29 35 88 58 76 36 30 13b q4 0 102 20 101 97 100 26 63 28 62 77 62 93 101 48 62 99 70b q4 0 547 89 456 45 457 12 295 31 296 16 295 12 487 15 295 53 m2 mini pro 12 19 32gb cpu 7b q4 0 48 04 45 78 49 61 17 34 16 81 16 82 47 81 16 99 13b q4 0 75 93 72 56 71 66 29 39 28 50 28 46 73 38 28 78 70b q4 0 225956 54 oom oom 27220 19 oom oom oom oom 7b f16 118 10 116 46 118 95 17 11 16 62 17 84 117 84 17 19 m2 mini pro 12 19 32gb gpu 7b q4 0 28 92 28 54 29 27 5 89 5 95 5 86 28 91 5 90 13b q4 0 50 76 50 71 50 63 10 30 10 29 10 28 50 70 10 29 70b q4 0 oom oom oom oom oom oom oom oom 7b f16 92 43 91 91 92 11 5 56 5 53 5 56 92 15 5 55
ai
CIT-261-Portfolio
cit 261 portfolio git portfolio for cit 261 javascript mobile software development purpose this portfolio contains study topic information obtained from research study and application the folder structure aligns to the topics which include 00 miscellaneous sandbox for coding trials and testing 01 loops conditional statements functions variables parameters arrays associative arrays 02 object creation functions inheritance properties methods instantiation 03 json parse stringify 04 using xmlhttprequest to consume a json web service 05 local storage api storing and retrieving simple data arrays associative arrays and objects 06 dom manipulation using createelement appendchild insertbefore removechild etc 07 manipulating css class properties using javascript 08 creating css3 transitions and animations in css and triggering them with javascript 09 standard javascript events including those for mobile devices ex ontouchbegin onload etc and animation and transition events 10 html5 tags video audio and canvas 11 designing defining and triggering css3 transitions without custom libraries thought library 12 designing defining and triggering css3 transforms without custom libraries thought library 13 designing defining and triggering css3 animations without custom libraries thought library
front_end
inteli-year2-project1-AWS-deploy
inteli instituto de tecnologia e lideran a p align center a href https www inteli edu br img src https www inteli edu br wp content uploads 2021 08 20172028 marca 1 2 png alt inteli instituto de tecnologia e lideran a border 0 a p desenvolvimento de servi os em cloud computing dellusions integrantes a href https www linkedin com in ana clara loureiro muller zaidan ana clara loureiro m ller zaidan a a href https www linkedin com in arthur fraige arthur prado fraige a a href https www linkedin com in bruno omeira bruno otavio bezerra de meira a a href https www linkedin com in felipe silberberg 111998230 felipe silberberg a a href https www linkedin com in luiz k alencar luiz felipe kama alencar a a href https www linkedin com in marcos florencio n marcos aur lio flor ncio da silva a a href https www linkedin com in sophia de oliveira tosar aba7ab23b sophia de oliveira tosar a descri o atualmente diversos profissionais de ti est o interessados em aprender tecnologias diferentes das quais est o utilizando no momento nesse contexto desenvolvemos um servi o que apresenta uma forma de aprender novas tecnologias fazendo um shadowing ou um assignment tempor rio em outro projeto que esteja utilizando a tecnologia que deseja aprender tudo isso em uma aplica o web na amazon web services aws com o objetivo de centralizar as oportunidades de projeto tempor rio e disponibilizar isso de uma forma que quem deseja aprender possa ficar mais informado sobre o projeto e consequentemente conectar demanda e oferta assim difundindo o aprendizado em diferentes tecnologias estrutura de pastas documentation br emsp versions br emsp documenta o servi os cloud dellusions pdf br emsp manual instru es pdf br images br src br emsp frontend br emsp backend br readme md br dentre os arquivos e pastas presentes na raiz do projeto definem se b readme md b arquivo que serve como guia e explica o geral sobre o projeto o mesmo que voc est lendo agora b documentation b aqui est o todos os documentos do projeto incluindo o manual de instru es h tamb m uma pasta denominada b versions b onde est o presentes vers es anteriores complementares b images b aqui est o todos as imagens do projeto b src b todo o c digo fonte criado para o desenvolvimento do projeto incluindo os blocos de c digo do backend e frontend execu o do projeto um guia para a execu o desse projeto pode ser encontrado no conte do do documento manual de instru es dentro da pasta documentation se preferir tamb m poss vel acess lo a partir do seguinte link https github com 2023m5t3 inteli 2023 1a t03 grupo6 blob main documentation manual instru es pdf o acesso da plataforma web se d pelo link http dellmatch prod bucket s3 website us east 1 amazonaws com hist rico de lan amentos 0 2 1 06 04 2023 quinta entrega entrega final manual de instru es e finaliza o do ambiente de production dos componentes aws 0 2 0 24 03 2023 quarta entrega integra o back end e front end e finaliza o do ambiente de development dos componentes aws 0 1 1 10 03 2023 terceira entrega integra o back end e front end plataforma web back end cria o dos componentes da aws e arquitetura da solu o 3 vers o 0 1 0 24 02 2023 segunda entrega plataforma web front end primeira vers o do c digo back end e arquitetura da solu o 2 vers o 0 0 1 10 02 2023 primeira entrega modelo de neg cios e arquitetura da solu o 1 vers o licen a license img style height 22px important margin left 3px vertical align text bottom src https mirrors creativecommons org presskit icons cc svg ref chooser v1 img style height 22px important margin left 3px vertical align text bottom src https mirrors creativecommons org presskit icons by svg ref chooser v1 p xmlns cc http creativecommons org ns xmlns dct http purl org dc terms a property dct title rel cc attributionurl href dellusions a by a rel cc attributionurl dct creator property cc attributionname href inteli ana clara loureiro m ller zaidan arthur prado fraige bruno otavio bezerra de meira felipe silberberg luiz felipe kama alencar marcos aur lio flor ncio da silva e sophia de oliveira tosar a is licensed under a href http creativecommons org licenses by 4 0 ref chooser v1 target blank rel license noopener noreferrer style display inline block attribution 4 0 international a p refer ncias aqui est o as refer ncias usadas no projeto bandeira r mulo torres o diagrama de solu es digitais dsd e o planejamento de marketing digital da sua empresa linkedin s l v 1 n 1 p 1 1 26 ago 2019 dispon vel em https www linkedin com pulse o diagrama de solu es digitais dsd eplanejamento da r mulo originalsubdomain pt acesso em 11 out 2022 bernardo paulo c kon fabio a import ncia dos testes automatizados artigo revista engenharia de software magazine p gina 54 57 2008 jino m rio maldonado jos c delamaro m rcio e introdu o ao teste de software s o paulo campus elsevier 2007 pach caio style guide porque quando como e onde criar um brasil ux designer s l v 1 n 1 p 1 1 28 jan 2021 dispon vel em https brasil uxdesign cc style guidepor que quando como e onde criar um f7b173006740 acesso em 12 out 2022 vendramini giovana schnorr user flow o mapa do sucesso para o ux design ateliware s l p 1 1 1 jul 2021 dispon vel em https ateliware com blog userflow text o 20user 20flow 2c 20ou 20fluxo as 20expectativas 20do 20seu 20cliente acesso em 11 out 2022
cloud
HLearn
hlearn https travis ci org mikeizbicki hlearn svg hlearn is a high performance machine learning library written in haskell http haskell org for example it currently has the fastest nearest neighbor implementation for arbitrary metric spaces see this blog post http izbicki me hlearn is also a research project the research goal is to discover the best possible interface for machine learning this involves two competing demands the library should be as fast as low level libraries written in c c fortran assembly but it should be as flexible as libraries written in high level languages like python r matlab julia http julialang org is making amazing progress in this direction but hlearn is more ambitious in particular hlearn s goal is to be faster than the low level languages and more flexible than the high level languages to achieve this goal hlearn uses a very different interface than standard learning libraries the h in hlearn stands for three separate concepts that are fundamental to hlearn s design 1 the h stands for haskell http haskell org machine learning is about estimating functions from data so it makes sense that a functional programming language would be well suited for machine learning but functional programming languages are not widely used in machine learning because they traditionally lack strong support for the fast numerical computations required for learning algorithms hlearn uses the subhask http github com mikeizbicki subhask library to get this fast numeric support in haskell the two libraries are being developed in tandem with each other languages like agda coq idris provide more advanced type systems but their compilers lack the support for real world optimizations needed for numerical applications haskell strikes a nice balance 1 the h stands for homomorphisms https en wikipedia org wiki homomorphism homomorphisms are a fundamental concept in abstract algebra https en wikipedia org wiki abstract algebra and hlearn exploits the algebraic structures inherrent in learning systems the following table gives a brief overview of what these structures give us structure what we get monoid parallel batch training monoid online training monoid fast cross validation abelian group untraining of data points abelian group more fast cross validation r module weighted data points vector space fractionally weighted data points functor fast simple preprocessing of data monad fast complex preprocessing of data 1 the h stands for the history monad https github com mikeizbicki hlearn blob master src hlearn history hs one of the most difficult tasks of developing a new learning algorithm is debugging the optimization procedure there has previously been essentially no work on making this debugging process easier and the history monad tries to solve this problem it lets you thread debugging information throughout the optimization code without modifying the original code furthermore there is no runtime overhead associated with this technique the downside of hlearn s ambition is that it currently does not implement many of the popular machine learning techniques more documentation due to the rapid pace of development hlearn s documentation is sparse that said the examples https github com mikeizbicki hlearn tree master examples folder is a good place to start the haddock documentation embedded within the code is decent but unfortunately hackage is unable to compile the haddocks because it uses an older version of ghc hlearn has several academic papers icml15 faster cover trees http izbicki me public papers icml2015 faster cover trees pdf icml13 algebraic classifiers a generic approach to fast cross validation online training and parallel training http izbicki me public papers icml2013 algebraic classifiers pdf tfp13 hlearn a machine learning library for haskell http izbicki me public papers tfp2013 hlearn a machine learning library for haskell pdf there are also a number of blog posts on my personal website http izbicki me unfortunately they are mostly out of date with the latest version of hlearn they might help you understand some of the main concepts in hlearn but the code they use won t work at all the categorical distribution s monoid group module structure http izbicki me blog the categorical distributions algebraic structure the categorical distribution s functor monad structure http izbicki me blog functors and monads for analyzing data markov networks monoids and futurama http izbicki me blog markov networks monoids and futurama solving np complete problems with hlearn and how to write your own homtrainer instances http izbicki me public papers monoids for approximating np complete problems pdf nuclear weapon statistics using monoids groups and modules http izbicki me blog nuclear weapon statistics using monoids groups and modules in haskell gaussian distributions form a monoid http izbicki me blog gausian distributions are monoids hlearn cross validates 400x faster than weka http izbicki me blog hlearn cross validates 400x faster than weka hlearn s code is shorter and clearer than weka s http izbicki me blog hlearns code is shorter and clearer than wekas contributing if you want to contribute i d be happy to help you get started i d love to have you contribute and i d be happy to help you get started just create an issue https github com mikeizbicki hlearn issues to let me know you re interested and we can work something out
ai
AndroidMusicPlayer
androidmusicplayer project 4 for uic cs478 development of mobile applications version 1 0 info a project dealing with activities android services and database transactions using mysqlite license mit
front_end
Foundations-of-Blockchain
foundations of blockchain a href https packtpub com big data and business intelligence foundations blockchain img src https www packtpub com media catalog product cache e4d64343b1bc593f1c5348fe05efa4a6 9 7 9781789139396 cover png alt foundations of blockchain height 256px align right a this is the code repository for foundations of blockchain https packtpub com big data and business intelligence foundations blockchain published by packt https www packtpub com it contains all the supporting project files necessary to work through the book from start to finish you can purchase the book from amazon com or packt com buy from amazon com https www amazon com dp 1789139392 buy from packt com https www packtpub com big data and business intelligence foundations blockchain about the book foundations of blockchain helps you to understand the concepts of blockchain technology this book introduces you to cryptocurrency and several blockchain platforms it also gives an in depth analysis of the potential and concerns of the technology so that blockchain can be adopted where its implementation actually adds value contents chapters and their respective code directories of the book 1 chapter 1 introduction 2 chapter 2 a bit of cryptography chapter02 3 chapter 3 cryptography in blockchain chapter03 4 chapter 4 networking in blockchain chapter04 5 chapter 5 cryptocurrency chapter05 6 chapter 6 diving into blockchain proof of existence chapter06 7 chapter 7 diving into blockchain proof of ownership chapter07 8 chapter 8 blockchain projects 9 chapter 9 blockchain optimizations and enhancements 10 chapter 10 blockchain security chapter10 11 chapter 11 when shouldn t we use blockchain 12 chapter 12 blockchain use cases chapter12 instructions and navigation all the scripts and applications in this repo are organized chapter wise following the same order as that of the chapters in the book software and hardware requirements software required os required hardware required docker community edition git node js 8 python 3 6 computer with windows linux or macos 20 gb of disk space 2 gb of ram note 1 the mentioned hardware requirement is a general requirement some applications may need a different specification you can find the detailed requirements here prerequisites software hardware req md 2 all the above mentioned software requirements are general requirements for most of the chapters and the installation guide can be found here prerequisites chapter specific requirements can be found in the respective chapter directories contributing you are welcome to submit issues and enhancement requests and work on any of the existing issues follow this simple guide to contribute to the repository 1 create or pick an existing issue to work on 2 fork the repo on github 3 clone the forked project to your own machine 4 commit changes to your own branch 5 push your work back up to your forked repo 6 submit a pull request from the forked repo to our repo so that we can review your changes note be sure to merge the latest from upstream before making a pull request credits 1 chapter 3 hash nonce example py chapter03 hash nonce example py and proof of work example py chapter03 proof of work example py is inspired from mastering bitcoin https github com bitcoinbook bitcoinbook first edition by andreas m antonopoulos llc http antonopoulos com which is licensed under creative commons attribution sharealike 4 0 international license http creativecommons org licenses by sa 4 0 2 chapter 4 the application is inspired from the work naivechain https github com lhartikk naivechain by lauri hartikka https github com lhartikk which is licensed under apache license 2 0 https www apache org licenses license 2 0 3 chapter 5 the application chapter05 cryptocurrency application is inspired from the work naivecoin https github com lhartikk naivecoin by lauri hartikka https github com lhartikk which is licensed under apache license 2 0 https www apache org licenses license 2 0 4 chapter 6 the application is inspired from the work proof of existence on blockchain https github com recordskeeper proof of existence on blockchain by recordskeeper https github com recordskeeper which is licensed under apache license 2 0 https www apache org licenses license 2 0 5 chapter 10 the application is inspired from the work replace by fee tools https github com petertodd replace by fee tools blob master doublespend py by peter todd https github com petertodd which is licensed under gpl 3 0 https www gnu org licenses gpl 3 0 en html download a free pdf i if you have already purchased a print or kindle version of this book you can get a drm free pdf version at no cost br simply click on the link to claim your free pdf i p align center a href https packt link free ebook 9781789139396 https packt link free ebook 9781789139396 a p
blockchain bitcoin ethereum neo hyperledger cryptocurrency packt
blockchain
microservice-software-app
microservices architecture with docker a modular approach for diet and meal management h3 developed a microservices based architecture using docker containers for a diet and meal management system h3 ol the architecture consists of four services li style text decoration underline strong diets strong li li strong meals strong li li strong nginx strong li li strong mongodb strong li ol each service operates within its own package and contributes to the overall functionality diets and meals are flask applications nginx acts as a reverse proxy server and mongodb is used as the database the services are connected through a bridge network enabling seamless communication and data management the architecture offers scalability modularity and easy deployment providing an efficient solution for managing diets and meals this project is a part of an academic course software engineering best practices for cloud native applications
cloud
performance-matters-16-17
performance matters project setup this project serves an adapted version of the bootstrap documentation website http getbootstrap com it is based on the github pages branche of bootstrap https github com twbs bootstrap tree gh pages differences from actual bootstrap documentation added custom webfont removed third party scripts the src directory is served with express https expressjs com templating is done with nunjucks https mozilla github io nunjucks getting started install dependencies npm install serve npm start expose localhost npm run expose
front_end
dev-setup
dev setup p align center img src https raw githubusercontent com donnemartin dev setup resources master res repo header gif p motivation setting up a new developer machine can be an ad hoc manual and time consuming process dev setup aims to simplify the process with easy to understand instructions and dotfiles scripts to automate the setup of the following os x updates and xcode command line tools os x defaults geared towards developers developer tools vim bash tab completion curl git gnu core utils python ruby etc developer apps iterm2 sublime text atom virtualbox vagrant docker chrome etc python data analysis ipython notebook numpy pandas scikit learn matplotlib etc big data platforms spark with ipython notebook integration and mapreduce cloud services amazon web services boto aws cli s3cmd etc and heroku common data stores mysql postgresql mongodb redis and elasticsearch javascript web development node js jshint and less android development java android sdk android studio intellij idea but i don t need all these tools dev setup is geared to be more of an organized reference of various developer tools you re not meant to install everything if you re interested in automation dev setup provides a customizable setup script single setup script there s really no one size fits all solution for developers so you re encouraged to make tweaks to suit your needs credits credits this repo builds on the awesome work from mathias bynens https github com mathiasbynens and nicolas hery https github com nicolashery for automation what about vagrant docker or boxen vagrant vagrant and docker docker are great tools and are set up by this repo i ve found that vagrant works well to ensure dev matches up with test and production tiers i ve only started playing around with docker for side projects and it looks very promising however for mac users docker and vagrant both rely on virtual machines which have their own considerations pros cons boxen https boxen github com is a cool solution although some might find it better geared towards more mature companies or devops teams i ve seen some discussions of difficulties as it is using puppet under the hood https github com boxen our boxen issues 742 this repo takes a more light weight approach to automation using a combination of homebrew homebrew cask and shell scripts to do basic system setup it also provides easy to understand instructions for installation configuration and usage for each developer app or tool p align center img src https raw githubusercontent com donnemartin dev setup resources master res iterm2 png p sections summary section 1 contains the dotfiles scripts and instructions to set up your system sections 2 through 7 detail more information about installation configuration and usage for topics in section 1 section 1 installation scripts tested on os x 10 10 yosemite and 10 11 el capitan single setup script single setup script bootstrap sh script bootstrapsh script syncs dev setup to your local home directory osxprep sh script osxprepsh script updates os x and installs xcode command line tools brew sh script brewsh script installs common homebrew formulae and apps osx sh script osxsh script sets up os x defaults geared towards developers pydata sh script pydatash script sets up python for data analysis aws sh script awssh script sets up spark hadoop mapreduce and amazon web services datastores sh script datastoressh script sets up common data stores web sh script websh script sets up javascript web development android sh script androidsh script sets up android development section 2 general apps and tools sublime text sublime text atom atom terminal customization terminal customization iterm2 iterm2 vim vim git git virtualbox virtualbox vagrant vagrant docker docker homebrew homebrew ruby and rbenv ruby and rbenv python python pip pip virtualenv virtualenv virtualenvwrapper virtualenvwrapper section 3 python data analysis anaconda anaconda ipython notebook ipython notebook numpy numpy pandas pandas matplotlib matplotlib seaborn seaborn scikit learn scikit learn scipy scipy flask flask bokeh bokeh section 4 big data aws and heroku spark spark mapreduce mapreduce awesome aws awesome aws aws account aws account aws cli aws cli saws saws boto boto s3cmd s3cmd s3distcp s3distcp s3 parallel put s3 parallel put redshift redshift kinesis kinesis lambda lambda aws machine learning aws machine learning heroku heroku section 5 data stores mysql mysql mysql workbench mysql workbench mongodb mongodb redis redis elasticsearch elasticsearch section 6 javascript web development node js nodejs jshint jshint less less section 7 android development java java android sdk android sdk android studio android studio intellij idea intellij idea section 8 misc contributions contributions credits credits contact info contact info license license section 1 installation single setup script running with git clone the repo git clone https github com donnemartin dev setup git cd dev setup run the dots script with command line arguments since you probably don t want to install every section the dots script supports command line arguments to run only specified sections simply pass in the scripts scripts that you want to install below are some examples for more customization you can clone clone the repo or fork https github com donnemartin dev setup fork the repo and tweak the dots script and its associated components to suit your needs run all dots all run bootstrap sh osxprep sh brew sh and osx sh dots bootstrap osxprep brew osx run bootstrap sh osxprep sh brew sh and osx sh pydata sh aws sh and datastores sh dots bootstrap osxprep brew osx pydata aws datastores running without git curl o https raw githubusercontent com donnemartin dev setup master dots dots add args here scripts dots https github com donnemartin dev setup blob master dots runs specified scripts bootstrap sh https github com donnemartin dev setup blob master bootstrap sh syncs dev setup to your local home directory osxprep sh https github com donnemartin dev setup blob master osxprep sh updates os x and installs xcode command line tools brew sh https github com donnemartin dev setup blob master brew sh installs common homebrew formulae and apps osx sh https github com donnemartin dev setup blob master osx sh sets up os x defaults geared towards developers pydata sh https github com donnemartin dev setup blob master pydata sh sets up python for data analysis aws sh https github com donnemartin dev setup blob master aws sh sets up spark hadoop mapreduce and amazon web services datastores sh https github com donnemartin dev setup blob master datastores sh sets up common data stores web sh https github com donnemartin dev setup blob master web sh sets up javascript web development android sh https github com donnemartin dev setup blob master android sh sets up android development notes dots will initially prompt you to enter your password dots might ask you to re enter your password at certain stages of the installation if os x updates require a restart simply run dots again to resume where you left off when installing the xcode command line tools a dialog box will confirm installation once xcode is installed follow the instructions on the terminal to continue dots runs brew sh which takes awhile to complete as some formulae need to be installed from source when dots completes be sure to restart your computer for all updates to take effect i encourage you to read through section 1 so you have a better idea of what each installation script does the following discussions describe in greater detail what is executed when running the dots https github com donnemartin dev setup blob master dots script bootstrap sh script p align center img src https raw githubusercontent com donnemartin dev setup resources master res commands png br p the bootstrap sh script will sync the dev setup repo to your local home directory this will include customizations for vim bash curl git tab completion aliases a number of utility functions etc section 2 of this repo describes some of the customizations running with git first fork or clone the repo clone the repo the bootstrap sh script will pull in the latest version and copy the files to your home folder source bootstrap sh to update later on just run that command again alternatively to update while avoiding the confirmation prompt set f source bootstrap sh running without git to sync dev setup to your local home directory without git run the following cd curl l https github com donnemartin dev setup tarball master tar xzv strip components 1 exclude readme md bootstrap sh license to update later on just run that command again optional specify path if path exists it will be sourced along with the other files before any feature testing such as detecting which version of ls is being used takes place here s an example path file that adds usr local bin to the path bash export path usr local bin path optional add custom commands if extra exists it will be sourced along with the other files you can use this to add a few custom commands without the need to fork this entire repository or to add commands you don t want to commit to a public repository my extra looks something like this bash git credentials git author name donne martin git committer name git author name git config global user name git author name git author email donne martin gmail com git committer email git author email git config global user email git author email pip should only run if there is a virtualenv currently activated export pip require virtualenv true install or upgrade a global package usage gpip install upgrade pip setuptools virtualenv gpip pip require virtualenv pip you could also use extra to override settings functions and aliases from the dev setup repository although it s probably better to fork the dev setup repository https github com donnemartin dev setup fork osxprep sh script p align center img src https raw githubusercontent com donnemartin dev setup resources master res xcode jpg br p run the osxprep sh script osxprep sh osxprep sh will first install all updates if a restart is required simply run the script again once all updates are installed osxprep sh will then install xcode command line tools install xcode command line tools if you want to go the manual route you can also install all updates by running app store selecting the updates icon then updating both the os and installed apps install xcode command line tools an important dependency before many tools such as homebrew can work is the command line tools for xcode these include compilers like gcc that will allow you to build from source if you are running os x 10 9 mavericks or later then you can install the xcode command line tools directly from the command line with xcode select install note the osxprep sh script executes this command running the command above will display a dialog where you can either install xcode and the command line tools install the command line tools only cancel the install os x 10 8 and older if you re running 10 8 or older you ll need to go to http developer apple com downloads http developer apple com downloads and sign in with your apple id the same one you use for itunes and app purchases unfortunately you re greeted by a rather annoying questionnaire all questions are required so feel free to answer at random once you reach the downloads page search for command line tools and download the latest command line tools os x mountain lion for xcode open the dmg file once it s done downloading and double click on the mpkg installer to launch the installation when it s done you can unmount the disk in finder brew sh script p align center img src https raw githubusercontent com donnemartin dev setup resources master res homebrew2 png br p when setting up a new mac you may want to install homebrew http brew sh a package manager that simplifies installing and updating applications or libraries some of the apps installed by the brew sh script include chrome firefox sublime text atom dropbox evernote skype slack alfred virtualbox vagrant docker etc for a full listing of installed formulae and apps refer to the commented brew sh source file https github com donnemartin dev setup blob master brew sh directly and tweak it to suit your needs run the brew sh script brew sh the brew sh script takes awhile to complete as some formulae need to be installed from source for your terminal customization to take full effect quit and re start the terminal osx sh script p align center img src https raw githubusercontent com donnemartin dev setup resources master res osx png br p when setting up a new mac you may want to set os x defaults geared towards developers the osx sh script also configures common third party apps such sublime text and chrome note i strongly encourage you read through the commented osx sh source file https github com donnemartin dev setup blob master osx sh and tweak any settings based on your personal preferences the script defaults are intended for you to customize for example if you are not running an ssd you might want to change some of the settings listed in the ssd section run the osx sh script osx sh for your terminal customization to take full effect quit and re start the terminal pydata sh script p align center img src https raw githubusercontent com donnemartin dev setup resources master res pydata png br p to set up a development environment to work with python and data analysis without relying on the more heavyweight anaconda anaconda distribution run the pydata sh script pydata sh this will install virtualenv virtualenv and virtualenvwrapper virtualenvwrapper it will then set up two virtual environments loaded with the packages you will need to work with data in python 2 and python 3 to switch to the python 2 virtual environment run the following virtualenvwrapper command workon py2 data to switch to the python 3 virtual environment run the following virtualenvwrapper command workon py3 data then start working with the installed packages for example ipython notebook section 3 python data analysis section 3 python data analysis describes the installed packages and usage aws sh script p align center img src https raw githubusercontent com donnemartin dev setup resources master res aws png br p to set up a development environment to work with spark hadoop mapreduce and amazon web services run the aws sh script aws sh section 4 big data aws and heroku section 4 big data aws and heroku describes the installed packages and usage datastores sh script p align center img src https raw githubusercontent com donnemartin dev setup resources master res datastores png br p to set up common data stores run the datastores sh script datastores sh section 5 data stores section 5 data stores describes the installed packages and usage web sh script p align center img src https raw githubusercontent com donnemartin dev setup resources master res webdev png br p to set up a javascript web development environment run the web sh script web sh section 6 web development section 6 web development describes the installed packages and usage android sh script p align center img src https raw githubusercontent com donnemartin dev setup resources master res android png br p to set up an android development environment run the android sh script android sh section 7 android development section 7 android development describes the installed packages and usage section 2 general apps and tools sublime text p align center img src https raw githubusercontent com donnemartin dev setup resources master res sublime png br p with the terminal the text editor is a developer s most important tool everyone has their preferences but unless you re a hardcore vim http en wikipedia org wiki vim text editor user a lot of people are going to tell you that sublime text http www sublimetext com is currently the best one out there installation the brew sh script brewsh script installs sublime text if you prefer to install it separately go ahead and download http www sublimetext com it open the dmg file drag and drop in the applications folder note at this point i m going to create a shortcut on the os x dock for both for sublime text to do so right click on the running application and select options keep in dock sublime text is not free but i think it has an unlimited evaluation period anyhow we re going to be using it so much that even the seemingly expensive 70 price tag is worth every penny if you can afford it i suggest you support http www sublimetext com buy this awesome tool configuration the osx sh script osxsh script contains sublime text configurations soda theme the soda theme https github com buymeasoda soda theme is a great ui theme for sublime text especially if you use a dark theme and think the side bar sticks out like a sore thumb installation with sublime package control if you are using will bond s excellent sublime package control http wbond net sublime packages package control you can easily install soda theme via the package control install package menu item the soda theme package is listed as theme soda in the packages list installation with git alternatively if you are a git user you can install the theme and keep up to date by cloning the repo directly into your packages directory in the sublime text application settings area you can locate your sublime text packages directory by using the menu item preferences browse packages while inside the packages directory clone the theme repository using the command below git clone https github com buymeasoda soda theme theme soda activating the theme on sublime text 2 open your user settings preferences file sublime text 2 preferences settings user add or update your theme entry to be theme soda light sublime theme or theme soda dark sublime theme example sublime text 2 user settings theme soda light sublime theme activating the theme on sublime text 3 open your user settings preferences file sublime text preferences settings user add or update your theme entry to be theme soda light 3 sublime theme or theme soda dark 3 sublime theme example sublime text 3 user settings theme soda light 3 sublime theme changing monokai comment color although monokai is a great color scheme i find that comments can be difficult to see you can follow these instructions http stackoverflow com a 32686509 to change the color of the default theme i set my comments color to e6db74 dict dict key foreground key string e6db74 string dict dict atom p align center img src https raw githubusercontent com donnemartin dev setup resources master res atom png br p atom https github com atom atom is a great open source editor from github that is rapidly gaining contributors and popularity installation the brew sh script brewsh script installs atom if you prefer to install it separately download https atom io it open the dmg file drag and drop in the applications folder configuration atom has a great package manager that allows you to easily install both core and community packages terminal customization p align center img src https raw githubusercontent com donnemartin dev setup resources master res terminal png br p since we spend so much time in the terminal we should try to make it a more pleasant and colorful place configuration the bootstrap sh script bootstrapsh script and osx sh script osxsh script contain terminal customizations iterm2 p align center img src https raw githubusercontent com donnemartin dev setup resources master res iterm2 png br p i prefer iterm2 over the stock terminal as it has some additional great features https www iterm2 com features html download and install iterm2 the newest version even if it says beta release in finder drag and drop the iterm application file into the applications folder you can now launch iterm through the launchpad for instance let s just quickly change some preferences in iterm preferences in the tab profiles create a new one with the icon and rename it to your first name for example then select other actions set as default under the section window change the size to something better like columns 125 and rows 35 i also like to set general working directory reuse previous session s directory finally i change the way the option key works so that i can quickly jump between words as described here https coderwall com p h6yfda use and to jump forwards backwards words in iterm 2 on os x when done hit the red x in the upper left saving is automatic in os x preference panes close the window and open a new one to see the size change configuration since we spend so much time in the terminal we should try to make it a more pleasant and colorful place what follows might seem like a lot of work but trust me it ll make the development experience so much better now let s add some color i m a big fan of the solarized http ethanschoonover com solarized color scheme it is supposed to be scientifically optimal for the eyes i just find it pretty in iterm2 preferences under profiles and colors go to load presets and select solarized dark to activate it voila at this point you can also change your computer s name which shows up in this terminal prompt if you want to do so go to system preferences sharing for example i changed mine from donne s macbook pro to just macbook pro so it shows up as macbook pro in the terminal now we have a terminal we can work with vim p align center img src https raw githubusercontent com donnemartin dev setup resources master res vim png br p although sublime text will be our main editor it is a good idea to learn some very basic usage of vim http www vim org it is a very popular text editor inside the terminal and is usually pre installed on any unix system for example when you run a git commit it will open vim to allow you to type the commit message i suggest you read a tutorial on vim grasping the concept of the two modes of the editor insert by pressing i and normal by pressing esc to exit insert mode will be the part that feels most unnatural after that it s just remembering a few important keys configuration the bootstrap sh script bootstrapsh script contains vim customizations virtualbox p align center img src https raw githubusercontent com donnemartin dev setup resources master res virtualbox png br p virtualbox creates and manages virtual machines it s a solid free solution to its commercial rival vmware installation the brew sh script brewsh script installs virtualbox if you prefer to install it separately you can download it here https www virtualbox org wiki downloads or run brew update brew install caskroom cask brew cask brew cask install appdir applications virtualbox vagrant p align center img src https raw githubusercontent com donnemartin dev setup resources master res vagrant jpeg br p vagrant creates and configures development environments you can think of it as a higher level wrapper around virtualbox and configuration management tools like ansible chef puppet and salt vagrant also supports docker containers and server environments like amazon ec2 installation the brew sh script brewsh script installs vagrant if you prefer to install it separately you can download it here https www vagrantup com or run brew update brew install caskroom cask brew cask brew cask install appdir applications vagrant docker p align center img src https raw githubusercontent com donnemartin dev setup resources master res docker png br p docker automates the deployment of applications inside software containers i think the following quote http www linux com news enterprise cloud computing 731454 docker a shipping container for linux code explains docker nicely docker is a tool that can package an application and its dependencies in a virtual container that can run on any linux server this helps enable flexibility and portability on where the application can run whether on premise public cloud private cloud bare metal etc installation the brew sh script brewsh script installs docker if you prefer to install it separately you can download it here https www docker com or run brew update brew install docker brew install boot2docker configuration initialize and start boot2docker only need to do this once boot2docker init start the vm boot2docker up set the docker host environment variable and fill in ip and port based on the output from the boot2coker up command export docker host tcp ip port git p align center img src https raw githubusercontent com donnemartin dev setup resources master res git png br p what s a developer without git http git scm com installation git should have been installed when you ran through the install xcode command line tools install xcode command line tools section configuration to check your version of git run the following command git version and which git should output usr local bin git let s set up some basic configuration download the gitconfig https raw githubusercontent com donnemartin dev setup master gitconfig file to your home directory cd curl o https raw githubusercontent com donnemartin dev setup master gitconfig it will add some color to the status branch and diff git commands as well as a couple aliases feel free to take a look at the contents of the file and add to it to your liking next we ll define your git user should be the same name and email you use for github https github com and heroku http www heroku com git config global user name your name here git config global user email your email youremail com they will get added to your gitconfig file to push code to your github repositories we re going to use the recommended https method versus ssh so you don t have to type your username and password everytime let s enable git password caching as described here https help github com articles set up git git config global credential helper osxkeychain note on a mac it is important to remember to add ds store a hidden os x system file that s put in folders to your gitignore files you can take a look at this repository s gitignore https github com donnemartin dev setup blob master gitignore file for inspiration also check out github s collection of gitignore templates https github com github gitignore homebrew p align center img src https raw githubusercontent com donnemartin dev setup resources master res homebrew png br p package managers make it so much easier to install and update applications for operating systems or libraries for programming languages the most popular one for os x is homebrew http brew sh installation the brew sh script brewsh script installs homebrew and a number of useful homebrew formulae and apps if you prefer to install it separately run the following command and follow the steps on the screen ruby e curl fssl https raw githubusercontent com homebrew install master install usage to install a package or formula in homebrew vocabulary simply type brew install formula to update homebrew s directory of formulae run brew update note i ve seen that command fail sometimes because of a bug if that ever happens run the following when you have git installed cd usr local git fetch origin git reset hard origin master to see if any of your packages need to be updated brew outdated to update a package brew upgrade formula homebrew keeps older versions of packages installed in case you want to roll back that rarely is necessary so you can do some cleanup to get rid of those old versions brew cleanup to see what you have installed with their version numbers brew list versions ruby and rbenv p align center img src https raw githubusercontent com donnemartin dev setup resources master res ruby png br p ruby http www ruby lang org is already installed on unix systems but we don t want to mess around with that installation more importantly we want to be able to use the latest version of ruby installation brew sh provides rbenv https github com rbenv rbenv and ruby build https github com rbenv ruby build which allow you to manage multiple versions of ruby on the same machine brew sh adds the following line to your extra file to initialize rbenv eval rbenv init usage rbenv uses ruby build to download compile and install new versions of ruby you can see all versions available to download and install ruby build definitions to install a new version of ruby list all available versions installed on the system rbenv install l install a ruby version rbenv install 2 2 3 to switch ruby versions set a local application specific ruby version in the current directory rbenv local 1 9 3 set the global version of ruby to be used in all shells rbenv global 2 0 0 rbenv by default will install ruby versions into a directory of the same name under rbenv versions because your user owns this directory you no longer need to use sudo to install gems python p align center img src https raw githubusercontent com donnemartin dev setup resources master res python png br p os x like linux ships with python http python org already installed but you don t want to mess with the system python some system tools rely on it etc so we ll install our own version with homebrew it will also allow us to get the very latest version of python 2 7 and python 3 installation the brew sh script brewsh script installs the latest versions of python 2 and python 3 pip pip https pypi python org pypi pip is the python package manager installation the pydata sh script pydatash script installs pip usage here are a couple pip commands to get you started to install a python package pip install package to upgrade a package pip install upgrade package to see what s installed pip freeze to uninstall a package pip uninstall package virtualenv virtualenv http www virtualenv org is a tool that creates an isolated python environment for each of your projects for a particular project instead of installing required packages globally it is best to install them in an isolated folder in the project say a folder named venv that will be managed by virtualenv the advantage is that different projects might require different versions of packages and it would be hard to manage that if you install packages globally it also allows you to keep your global usr local lib python2 7 site packages folder clean installation the pydata sh script pydatash script installs virtualenv usage let s say you have a project in a directory called myproject to set up virtualenv for that project cd myproject virtualenv venv distribute if you want your virtualenv to also inherit globally installed packages like ipython or numpy mentioned above use virtualenv venv distribute system site packages these commands create a venv subdirectory in your project where everything is installed you need to activate it first though in every terminal where you are working on your project source venv bin activate you should see a venv appear at the beginning of your terminal prompt indicating that you are working inside the virtualenv now when you install something pip install package it will get installed in the venv folder and not conflict with other projects important remember to add venv to your project s gitignore file so you don t include all of that in your source code virtualenvwrapper virtualenvwrapper https virtualenvwrapper readthedocs org en latest is a set of extensions that includes wrappers for creating and deleting virtual environments and otherwise managing your development workflow making it easier to work on more than one project at a time without introducing conflicts in their dependencies main features include organizes all of your virtual environments in one place wrappers for managing your virtual environments create delete copy use a single command to switch between environments tab completion for commands that take a virtual environment as argument installation the pydata sh script pydatash script installs virtualenvwrapper usage create a new virtual environment when you create a new environment it automatically becomes the active environment mkvirtualenv env name remove an existing virtual environment the environment must be deactivated see below before it can be removed rmvirtualenv env name activate a virtual environment will also list all existing virtual environments if no argument is passed workon env name deactivate the currently active virtual environment note that workonwill automatically deactivate the current environment before activating a new one deactivate section 3 python data analysis anaconda p align center img src https raw githubusercontent com donnemartin dev setup resources master res anaconda png br p anaconda is a free distribution of the python programming language for large scale data processing predictive analytics and scientific computing that aims to simplify package management and deployment installation the pydata sh script pydatash script installs packages you need to run python data applications alternatively you can install the more heavy weight anaconda instead follow instructions to install anaconda http docs continuum io anaconda install html or the more lightweight miniconda http conda pydata org miniconda html ipython notebook p align center img src https raw githubusercontent com donnemartin data science ipython notebooks master images readme 1200x800 gif p ipython http ipython org is an awesome project which provides a much better python shell than the one you get from running python in the command line it has many cool functions running unix commands from the python shell easy copy paste creating matplotlib charts in line etc and i ll let you refer to the documentation http ipython org ipython doc stable index html to discover them ipython notebook is a web based interactive computational environment where you can combine code execution text mathematics plots and rich media into a single document installation the pydata sh script pydatash script installs ipython notebook if you prefer to install it separately run pip install ipython notebook if you run into an issue about pyzmq refer to the following stack overflow post http stackoverflow com questions 24995438 pyzmq missing when running ipython notebook and run pip uninstall ipython pip install ipython all usage ipython notebook if you d like to see some examples here are a couple of my repos that use ipython notebooks heavily data science ipython notebooks https github com donnemartin data science ipython notebooks interactive coding challenges https github com donnemartin interactive coding challenges numpy p align center img src https raw githubusercontent com donnemartin dev setup resources master res numpy png br p numpy adds python support for large multi dimensional arrays and matrices along with a large library of high level mathematical functions to operate on these arrays installation the pydata sh script pydatash script installs numpy if you prefer to install it separately run pip install numpy usage refer to the following numpy ipython notebook https github com donnemartin data science ipython notebooks numpy pandas p align center img src https raw githubusercontent com donnemartin dev setup resources master res pandas png br p pandas is a software library written for data manipulation and analysis in python offers data structures and operations for manipulating numerical tables and time series installation the pydata sh script pydatash script installs pandas if you prefer to install it separately run pip install pandas usage refer to the following pandas ipython notebooks https github com donnemartin data science ipython notebooks pandas matplotlib p align center img src https raw githubusercontent com donnemartin dev setup resources master res matplotlib png br p matplotlib is a python 2d plotting library which produces publication quality figures in a variety of hardcopy formats and interactive environments across platforms installation the pydata sh script pydatash script installs matplotlib if you prefer to install it separately run pip install matplotlib usage refer to the following matplotlib ipython notebooks https github com donnemartin data science ipython notebooks matplotlib seaborn p align center img src https raw githubusercontent com donnemartin dev setup resources master res seaborn png br p seaborn is a python visualization library based on matplotlib it provides a high level interface for drawing attractive statistical graphics installation the pydata sh script pydatash script installs matplotlib if you prefer to install it separately run pip install seaborn usage refer to the following matplotlib with seaborn ipython notebooks https github com donnemartin data science ipython notebooks matplotlib scikit learn p align center img src https raw githubusercontent com donnemartin dev setup resources master res scikitlearn png br p scikit learn adds python support for large multi dimensional arrays and matrices along with a large library of high level mathematical functions to operate on these arrays installation the pydata sh script pydatash script installs scikit learn if you prefer to install it separately run pip install scikit learn usage refer to the following scikit learn ipython notebooks https github com donnemartin data science ipython notebooks scikit learn scipy p align center img src https raw githubusercontent com donnemartin dev setup resources master res scipy png br p scipy is a collection of mathematical algorithms and convenience functions built on the numpy extension of python it adds significant power to the interactive python session by providing the user with high level commands and classes for manipulating and visualizing data installation the pydata sh script pydatash script installs scipy if you prefer to install it separately run pip install scipy usage refer to the following scipy ipython notebooks https github com donnemartin data science ipython notebooks statistical inference scipy flask p align center img src https raw githubusercontent com donnemartin dev setup resources master res flask png br p flask is a micro web application framework written in python installation the pydata sh script pydatash script installs scipy if you prefer to install it separately run pip install flask usage coming soon refer to the following flask ipython notebooks https github com donnemartin data science ipython notebooks bokeh p align center img src https raw githubusercontent com donnemartin dev setup resources master res bokeh png br p bokeh is a python interactive visualization library that targets modern web browsers for presentation its goal is to provide elegant concise construction of novel graphics in the style of d3 js but also deliver this capability with high performance interactivity over very large or streaming datasets bokeh can help anyone who would like to quickly and easily create interactive plots dashboards and data applications installation the pydata sh script pydatash script installs bokeh if you prefer to install it separately run pip install bokeh usage coming soon refer to the following bokeh ipython notebooks https github com donnemartin data science ipython notebooks section 4 big data aws and heroku spark p align center img src https raw githubusercontent com donnemartin dev setup resources master res spark png br p spark is an in memory cluster computing framework up to 100 times faster for certain applications and is well suited for machine learning algorithms installation the aws sh script aws script installs spark locally it also hooks up spark to run within the ipython notebook by configuring your bash profile and adding the repo s profile pyspark to ipython if you prefer to install it separately run brew install apache spark usage run spark locally pyspark run spark within ipython notebook ipython notebook profile pyspark refer to the following spark ipython notebook https github com donnemartin data science ipython notebooks spark spark is also supported on aws elastic mapreduce as described here https aws amazon com blogs aws new apache spark on amazon emr to create a cluster run the following command with the aws cli aws cli replacing mykeypair with the name of your keypair to ssh into your cluster aws emr create cluster name spark cluster ami version 3 8 applications name spark ec2 attributes keyname mykeypair instance type m3 xlarge instance count 3 use default roles mapreduce p align center img src https raw githubusercontent com donnemartin dev setup resources master res mrjob png br p mrjob supports mapreduce jobs in python running them locally or on hadoop clusters such as aws elastic mapreduce emr installation mrjob is python 2 only the aws sh script aws script installs mrjob locally if you prefer to install it separately run pip install mrjob the aws sh script also syncs the template mrjob conf file to your home folder note running the aws sh script will overwrite any existing mrjob conf file update the config file with your credentials keypair region and s3 bucket paths runners emr aws access key id youraccesskey aws secret access key yoursecretkey aws region us east 1 ec2 key pair yourkeypair ec2 key pair file ssh yourkeypair pem s3 scratch uri s3 yourbucketscratch s3 log uri s3 yourbucketlog usage refer to the following mrjob ipython notebook https github com donnemartin data science ipython notebooks mapreduce python awesome aws awesome https cdn rawgit com sindresorhus awesome d7305f38d29fed78fa85652e3a63e154dd8e8829 media badge svg https github com sindresorhus awesome p align center img src https raw githubusercontent com donnemartin data science ipython notebooks master images aws png p br awesome aws https github com donnemartin awesome aws is a curated list of awesome aws libraries open source repos guides blogs and other resources it s a great way to stay up to date with the various aws backed and community led efforts geared towards aws the fiery meter of awsome hot repos in awesome aws are visually tagged based on their popularity repo with 0100 stars fire repo with 0200 stars fire fire repo with 0500 stars fire fire fire repo with 1000 stars fire fire fire fire repo with 2000 stars fire fire fire fire fire repos not on the fiery meter of awsome can still be awesome see a note on repo awsomeness https github com donnemartin awesome aws blob master contributing md a note on repo awsomeness aws account to start using aws you first need to sign up for an account sign up for aws when you sign up for amazon web services aws your aws account is automatically signed up for all services in aws you are charged only for the services that you use new users are eligible for 12 months of usage through the aws free tier http aws amazon com free to create an aws account open http aws amazon com and then click sign up follow the on screen instructions part of the sign up procedure involves receiving a phone call and entering a pin using the phone keypad note your aws account id aws cli p align center img src https raw githubusercontent com donnemartin dev setup resources master res aws cli png br p the aws command line interface is a unified tool to manage aws services allowing you to control multiple aws services from the command line and to automate them through scripts installation the aws sh script aws script installs the aws cli if you prefer to install it separately run pip install awscli run the following command to configure the aws cli aws configure alternatively the aws sh script also syncs the template aws folder to your home folder note running the aws sh script will overwrite any existing aws folder update the config file with your credentials and location default region us east 1 default aws access key id youraccesskey aws secret access key yoursecretkey be careful you do not accidentally check in your credentials the gitignore file is set to ignore files with credentials usage refer to the following aws cli ipython notebook https github com donnemartin data science ipython notebooks aws saws http i imgur com vzc5zma gif although the aws cli https github com aws aws cli is a great resource to manage your aws powered services it s tough to remember usage of 50 top level commands 1400 subcommands countless command specific options resources such as instance tags and buckets saws a supercharged aws cli saws aims to supercharge the aws cli with features focusing on improving ease of use increasing productivity under the hood saws is powered by the aws cli and supports the same commands and command structure saws and aws cli usage aws command subcommand parameters options saws features auto completion of commands subcommands options auto completion of resources bucket names instance ids instance tags more coming soon todo add more resources customizable shortcuts fuzzy completion of resources and shortcuts syntax and output highlighting execution of shell commands command history contextual help toolbar options saws is available for mac linux unix and windows windows support http i imgur com eo12q9t png installation and usage refer to the repo link https github com donnemartin saws boto p align center img src https raw githubusercontent com donnemartin dev setup resources master res boto png br p boto is the official aws sdk for python installation the aws sh script aws script installs boto if you prefer to install it separately run pip install boto boto uses the same configuration as described in the aws cli aws cli section usage refer to the following boto ipython notebook https github com donnemartin data science ipython notebooks aws s3cmd p align center img src https raw githubusercontent com donnemartin dev setup resources master res s3cmd png br p before i discovered s3cmd http s3tools org s3cmd i had been using the s3 console http aws amazon com console to do basic operations and boto https boto readthedocs org en latest to do more of the heavy lifting however sometimes i just want to hack away at a command line to do my work i ve found s3cmd to be a great command line tool for interacting with s3 on aws s3cmd is written in python is open source and is free even for commercial use it offers more advanced features than those found in the aws cli http aws amazon com cli installation s3cmd is python 2 only the aws sh script aws script installs s3cmd if you prefer to install it separately run pip install s3cmd running the following command will prompt you to enter your aws access and aws secret keys to follow security best practices make sure you are using an iam account as opposed to using the root account i also suggest enabling gpg encryption which will encrypt your data at rest and enabling https to encrypt your data in transit note this might impact performance s3cmd configure alternatively the aws sh script also syncs the template s3cfg file to your home folder note running the aws sh script will overwrite any existing s3cfg file update the config file with your credentials and location credentials aws access key id youraccesskey aws secret access key yoursecretkey bucket location us gpg passphrase yourpassphrase be careful you do not accidentally check in your credentials the gitignore file is set to ignore files with credentials usage refer to the following s3cmd ipython notebook https github com donnemartin data science ipython notebooks aws s3distcp p align center img src https raw githubusercontent com donnemartin dev setup resources master res s3distcp png br p s3distcp http docs aws amazon com elasticmapreduce latest developerguide usingemr s3distcp html is an extension of distcp that is optimized to work with amazon s3 s3distcp is useful for combining smaller files and aggregate them together taking in a pattern and target file to combine smaller input files to larger ones s3distcp can also be used to transfer large volumes of data from s3 to your hadoop cluster installation s3distcp comes bundled with the aws cli usage refer to the following s3distcp ipython notebook https github com donnemartin data science ipython notebooks aws s3 parallel put p align center img src https raw githubusercontent com donnemartin dev setup resources master res s3 parallel put png br p s3 parallel put https github com twpayne s3 parallel put git is a great tool for uploading multiple files to s3 in parallel installation git clone https github com twpayne s3 parallel put git usage refer to the following s3 parallel put ipython notebook https github com donnemartin data science ipython notebooks aws redshift p align center img src https raw githubusercontent com donnemartin dev setup resources master res aws redshift png br p redshift is a fast data warehouse built on top of technology from massive parallel processing mpp setup follow these instructions http docs aws amazon com redshift latest gsg rs gsg prereq html usage refer to the following redshift ipython notebook https github com donnemartin data science ipython notebooks aws kinesis p align center img src https raw githubusercontent com donnemartin dev setup resources master res aws kinesis png br p kinesis streams data in real time with the ability to process thousands of data streams per second setup follow these instructions http docs aws amazon com kinesis latest dev before you begin html usage refer to the following kinesis ipython notebook https github com donnemartin data science ipython notebooks aws lambda p align center img src https raw githubusercontent com donnemartin dev setup resources master res aws lambda png br p lambda runs code in response to events automatically managing compute resources setup follow these instructions http docs aws amazon com lambda latest dg setting up html usage refer to the following lambda ipython notebook https github com donnemartin data science ipython notebooks aws aws machine learning p align center img src https raw githubusercontent com donnemartin dev setup resources master res aws ml png br p amazon machine learning is a service that makes it easy for developers of all skill levels to use machine learning technology amazon machine learning provides visualization tools and wizards that guide you through the process of creating machine learning ml models without having to learn complex ml algorithms and technology once your models are ready amazon machine learning makes it easy to obtain predictions for your application using simple apis without having to implement custom prediction generation code or manage any infrastructure setup follow these instructions http docs aws amazon com machine learning latest dg setting up html usage coming soon refer to the following aws machine learning ipython notebook https github com donnemartin data science ipython notebooks aws heroku p align center img src https raw githubusercontent com donnemartin dev setup resources master res heroku jpg br p heroku http www heroku com if you re not already familiar with it is a platform as a service http en wikipedia org wiki platform as a service paas that makes it really easy to deploy your apps online there are other similar solutions out there but heroku was among the first and is currently the most popular not only does it make a developer s life easier but i find that having heroku deployment in mind when building an app forces you to follow modern app development best practices http www 12factor net installation assuming that you have an account sign up if you don t let s install the heroku client https devcenter heroku com articles using the cli for the command line heroku offers a mac os x installer the heroku toolbelt https toolbelt heroku com that includes the client but for these kind of tools i prefer using homebrew it allows us to keep better track of what we have installed luckily for us homebrew includes a heroku toolbelt formula brew install heroku toolbelt the formula might not have the latest version of the heroku client which is updated pretty often let s update it now brew upgrade heroku toolbelt don t be afraid to run heroku update every now and then to always have the most recent version usage login to your heroku account using your email and password heroku login if this is a new account and since you don t already have a public ssh key in your ssh directory it will offer to create one for you say yes it will also upload the key to your heroku account which will allow you to deploy apps from this computer if it didn t offer create the ssh key for you i e your heroku account already has ssh keys associated with it you can do so manually by running mkdir ssh ssh keygen t rsa keep the default file name and skip the passphrase by just hitting enter both times then add the key to your heroku account heroku keys add once the key business is done you re ready to deploy apps heroku has a great getting started https devcenter heroku com articles python guide so i ll let you refer to that the one linked here is for python but there is one for every popular language heroku uses git to push code for deployment so make sure your app is under git version control a quick cheat sheet if you ve used heroku before cd myapp heroku create myapp git push heroku master heroku ps heroku logs t the heroku dev center https devcenter heroku com is full of great resources so be sure to check it out section 5 data stores mysql p align center img src https raw githubusercontent com donnemartin dev setup resources master res mysql png br p installation the datastores sh script datastoressh script installs mysql if you prefer to install it separately run brew update always good to do brew install mysql as you can see in the ouput from homebrew before we can use mysql we first need to set it up with unset tmpdir mkdir usr local var mysql install db verbose user whoami basedir brew prefix mysql datadir usr local var mysql tmpdir tmp usage to start the mysql server use the mysql server tool mysql server start to stop it when you are done run mysql server stop you can see the different commands available for mysql server with mysql server help to connect with the command line client run mysql uroot use exit to quit the mysql shell note by default the mysql user root has no password it doesn t really matter for a local development database if you wish to change it though you can use mysqladmin u root password new password mysql workbench p align center img src https raw githubusercontent com donnemartin dev setup resources master res mysql workbench png br p in terms of a gui client for mysql i m used to the official and free mysql workbench http www mysql com products workbench but feel free to use whichever you prefer installation the datastores sh script datastoressh script installs mysql workbench if you prefer to install it separately run brew install caskroom cask brew cask brew cask install appdir applications mysqlworkbench you can also find the mysql workbench download here http www mysql com downloads workbench note it will ask you to sign in you don t need to just click on no thanks just start my download at the bottom mongodb p align center img src https raw githubusercontent com donnemartin dev setup resources master res mongodb jpeg br p mongodb http www mongodb org is a popular nosql http en wikipedia org wiki nosql database installation the datastores sh script datastoressh script installs mongodb if you prefer to install it separately run brew update brew install mongo usage in a terminal start the mongodb server mongod in another terminal connect to the database with the mongo shell using mongo i ll let you refer to mongodb s getting started http docs mongodb org manual tutorial getting started guide for more redis p align center img src https raw githubusercontent com donnemartin dev setup resources master res redis png br p redis http redis io is a blazing fast in memory key value store that uses the disk for persistence it s kind of like a nosql database but there are a lot of cool things http oldblog antirez com post take advantage of redis adding it to your stack html that you can do with it that would be hard or inefficient with other database solutions for example it s often used as session management or caching by web apps but it has many other uses installation the datastores sh script datastoressh script installs redis if you prefer to install it separately run brew update brew install redis usage start a local redis server using the default configuration settings with redis server for advanced usage you can tweak the configuration file at usr local etc redis conf i suggest making a backup first and use those settings with redis server usr local etc redis conf in another terminal connect to the server with the redis command line interface using redis cli i ll let you refer to redis documentation http redis io documentation or other tutorials for more information elasticsearch p align center img src https raw githubusercontent com donnemartin dev setup resources master res elasticsearch png br p as it says on the box elasticsearch http www elasticsearch org is a powerful open source distributed real time search and analytics engine it uses an http rest api making it really easy to work with from any programming language you can use elasticsearch for such cool things as real time search results autocomplete recommendations machine learning and more installation the datastores sh script datastoressh script installs elasticsearch if you prefer to install it separately check out the following discussion elasticsearch runs on java so check if you have it installed by running java version if java isn t installed yet a window will appear prompting you to install it go ahead and click install next install elasticsearch with brew install elasticsearch note elasticsearch also has a plugin program that gets moved to your path i find that too generic of a name so i rename it to elasticsearch plugin by running will need to do that again if you update elasticsearch mv usr local bin plugin usr local bin elasticsearch plugin below i will use elasticsearch plugin just replace it with plugin if you haven t followed this step as you guessed you can add plugins to elasticsearch a popular one is elasticsearch head http mobz github io elasticsearch head which gives you a web interface to the rest api install it with elasticsearch plugin install mobz elasticsearch head usage start a local elasticsearch server with elasticsearch test that the server is working correctly by running curl xget http localhost 9200 if you installed the elasticsearch head plugin you can visit its interface at http localhost 9200 plugin head elasticsearch s documentation http www elasticsearch org guide is more of a reference to get started i suggest reading some of the blog posts linked on this stackoverflow answer http stackoverflow com questions 11593035 beginners guide to elasticsearch 11767610 11767610 section 6 web development node js p align center img src https raw githubusercontent com donnemartin dev setup resources master res nodejs png br p installation the web sh script websh script installs node js http nodejs org you can also install it manually with homebrew brew update brew install node the formula also installs the npm https npmjs org package manager however as suggested by the homebrew output we need to add usr local share npm bin to our path so that npm installed modules with executables will have them picked up to do so add this line to your path file before the export path line bash path usr local share npm bin path open a new terminal for the path changes to take effect we also need to tell npm where to find the xcode command line tools by running sudo xcode select switch usr bin if xcode command line tools were installed by xcode try instead sudo xcode select switch applications xcode app contents developer node modules are installed locally in the node modules folder of each project by default but there are at least two that are worth installing globally those are coffeescript http coffeescript org and grunt http gruntjs com npm install g coffee script npm install g grunt cli npm usage to install a package npm install package install locally npm install g package install globally to install a package and save it in your project s package json file npm install package save to see what s installed npm list local npm list g global to find outdated packages locally or globally npm outdated g to upgrade all or a particular package npm update package to uninstall a package npm uninstall package jshint p align center img src https raw githubusercontent com donnemartin dev setup resources master res jshint png br p jshint is a javascript developer s best friend if the extra credit assignment to install sublime package manager was completed jshint can be run as part of sublime text installation the web sh script websh script installs jshint you can also install it manually via via npm npm install g jshint follow additional instructions on the jshint package manager page https sublime wbond net packages jshint or build it manually https github com jshint jshint less p align center img src https raw githubusercontent com donnemartin dev setup resources master res less png br p css preprocessors are becoming quite popular the most popular processors are less http lesscss org and sass http sass lang com preprocessing is a lot like compiling code for css it allows you to reuse css in many different ways let s start out with using less as a basic preprocessor it s used by a lot of popular css frameworks like bootstrap http getbootstrap com installation the web sh script websh script installs less to install less manually you have to use npm node which you installed earlier using homebrew in the terminal use npm install g less note the g flag is optional but it prevents having to mess around with file paths you can install without the flag just know what you re doing you can check that it installed properly by using lessc version this should output some information about the compiler lessc 1 5 1 less compiler javascript okay less is installed and running great usage there s a lot of different ways to use less generally i use it to compile my stylesheet locally you can do that by using this command in the terminal lessc template less template css the two options are the input and output files for the compiler the command looks in the current directory for the less stylesheet compiles it and outputs it to the second file in the same directory you can add in paths to keep your project files organized lessc less template less css template css read more about less on their page here http lesscss org section 7 android development this section is under development java p align center img src https raw githubusercontent com donnemartin dev setup resources master res java png br p installation the android sh script androidsh script installs java if you prefer to install it separately you can download the jdk here http www oracle com technetwork java javase downloads index html or run brew update brew install caskroom cask brew cask brew cask install appdir applications java android sdk p align center img src https raw githubusercontent com donnemartin dev setup resources master res androidsdk png br p the android sh script androidsh script installs the android sdk if you prefer to install it separately you can download it here https developer android com sdk index html android studio p align center img src https raw githubusercontent com donnemartin dev setup resources master res androidstudio png br p the android sh script androidsh script installs android studio if you prefer to install it separately you can download it here https developer android com sdk index html or run brew update brew install caskroom cask brew cask brew cask install appdir applications android studio intellij idea p align center img src https raw githubusercontent com donnemartin dev setup resources master res intellij png br p the android sh script androidsh script installs java if you prefer to install it separately you can download it here https www jetbrains com idea download or run brew update brew install caskroom cask brew cask brew cask install appdir applications intellij idea ce section 8 misc contributions bug reports suggestions and pull requests are welcome https github com donnemartin dev setup issues credits see the credits page https github com donnemartin dev setup blob master credits md contact info feel free to contact me to discuss any issues questions or comments my contact info can be found on my github page https github com donnemartin license this repository contains a variety of content some developed by donne martin and some from third parties the third party content is distributed under the license provided by those parties the content developed by donne martin is distributed under the following license i am providing code and resources in this repository to you under an open source license because this is my personal repository the license you receive to my code and resources is from me and not my employer facebook copyright 2015 donne martin 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
macos mac vim sublime-text bash iterm2 python spark aws cloud android-development cli git mysql postgresql mongodb redis elasticsearch nodejs linux
front_end
parcv
parcv this repository contains a collection of experiments we ve conducted on the parallella prototype details of which can be found here http www parallella org 2013 05 25 explorations in erlang with the parallela a prelude the image processing demo mentioned in the blog post is comprised of 2 subsystems imgproc which is a c binding to opencl transforms along with the kernels we were experimenting with this is the bulk of the code and what runs on the parallella machine opencv client is the code which runs on camera nodes it captures video frames performs grayscale conversion and sends them to the parallella we ve also included ocl a lightweight binding to opencl while it isn t particularly featureful it might serve as a useful example of writing nif code license parcv is licensed under the apache license version 2 0 the license you may not use this library 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
ai
mslearn-dp100
note this repository is archived as there now is a new version of these labs the new labs that cover azure machine learning v2 instead of v1 can be found at https github com microsoftlearning mslearn azure ml https github com microsoftlearning mslearn azure ml azure machine learning lab exercises this repository contains the hands on lab exercises for microsoft course dp 100 designing and implementing a data science solution on azure https docs microsoft com learn certifications courses dp 100t01 and the equivalent self paced modules on microsoft learn https docs microsoft com learn paths build ai solutions with azure ml service the labs are designed to accompany the learning materials and enable you to practice using the technologies described them when using these labs in an instructoe led course students should use the azure subscription provided for the course what are we doing to support this course we will need to make frequent updates to the course content to keep it current with the azure services used in the course we are publishing the lab instructions and lab files on github to keep the content current with changes in the azure platform we hope that this brings a sense of collaboration to the labs like we ve never had before when azure changes and you find it first during a live delivery go ahead and submit a pull request to update the lab content help your fellow mcts how should i use these files relative to the released moc files the instructor guide and powerpoints are still going to be your primary source for teaching the course content these files on github are designed to be used in the course labs it will be recommended that for every delivery trainers check github for any changes that may have been made to support the latest azure services what about changes to the student handbook we will review the student handbook on a quarterly basis and update through the normal moc release channels as needed how do i contribute any mct can submit a pull request to the code or content in the github repo microsoft and the course author will triage and include content and lab code changes as needed if you have suggestions or spot any errors please report them as issues https github com microsoftlearning mslearn dp100 issues notes classroom materials the labs are provided in this github repo rather than in the student materials in order to a share them with other learning modalities and b ensure that the latest version of the lab files is always used in classroom deliveries this approach reflects the nature of an always changing cloud based interface and platform anyone can access the files in this repo but microsoft learning support is limited to mcts teaching this course only
ai
goquiz
goquiz about the project goquiz provides the scrapers to get the engineering multiple choice questions across the sites structure the data populate the database and serve api endpoints to retrieve the questions you can also start the services with db less mode currently goquiz can scrap the mcq questions from the following sites https www javatpoint com scrapers for more web sites will be provided as the project progress there are over 4000 mcq questions from 74 different categories and all of them are credited to the respective original web source this project is educational purpose only technical description the project structure was inspired by hexagonal architecture actors such as transport and repository are separated from service which allows service to be a technology agnostic component with only business logic inside the actors are loaded during runtime based on the config i e postgres data mode and in memory data model can be swapped easily just by config value it allows mocking and significantly improves testability the scraper spawns go routine to scrap each web page consolidate and categorized the data before populating to the database goquiz can be served as either rest or grpc api still in development postgressql is used as persistent storage to store the categorized data for easier deployment db less mode with in memory data model can also be used functions web scraping get the mcq questions from the web sites group the questions into separate categories write the questions for each categories to the postgres database api to retrieve questions get categories by category id endpoint to retrieve all available categories get questions by categories endpoint to retrieve all questions from one category key based api authentication api rate limiting setup instructions prerequisite download and install go https go dev doc install on your machine and clone the goquiz project for deployment you can deploy without database or setup and populate the database first before serving the api with later option you don t have to scrap the web everytime you start restart the service db less mode 1 build the project br go build cmd api 2 start api service to retrieve questions without apikey authentication br api with apikey authentication br api apikey your api key 3 for more startup parameters br api help db mode 1 setup migrate cli https github com golang migrate migrate 2 setup postgres and create a database https www prisma io dataguide postgresql setting up a local postgresql database 3 expose database service name br export goquiz db postgres username localhost db name sslmode disable 4 migrate the database create necessary tables br migrate path resources migrations database goquiz db up 5 build the project br go build cmd api 6 scrap the questions and populate the database br api populate db db dsn goquiz db 7 start api service to retrieve questions without apikey authentication br api db dsn goquiz db with apikey authentication br api db dsn goquiz db apikey your api key 8 for more startup parameters br api help api routes 1 get all categories br curl request get url http localhost 4000 v1 categories header authorization key 1234 2 get questions by category id br curl request get url http localhost 4000 v1 questions category id 1 3 create new category br curl request post url http localhost 4000 v1 categories header content type application json data name go programming 4 create new question by category br curl request post url http localhost 4000 v1 questions header authorization key 1234 header content type application json data categ id 75 text which company created go programming language answers apple google amazon facebook correct answer 2 codeblock fmt println hello example codeblock explanation go was originally designed at google in 2007 process diagram alt text https github com minhtet o goquiz blob main resources diagrams goquiz communication png layout tree gitignore readme md cmd api categories go errors go healthcheck go main go middleware go questions go routes go server go go mod go sum migrations 000001 create db category down sql 000001 create db category up sql 000002 create db questions down sql 000002 create db questions up sql 000003 view questions by categories down sql 000003 view questions by categories up sql pkg model errors go format go io go model go postgres categories go model go questions go scraper network go nodes go parser go scrapper go validator category go validator go files mcq txt a brief description of the directory layout cmd contains main packages each subdirectory of cmd can be built into executable api that provides endpoints to retrieve the questions migrations contains migration files to create the necessary tables pkg contans most of the business logic scraper includes logic that fetch mcq questions from the web and write to the database model includes data models and it s helper functions like formatter and io validator includes validation logic for data model files contans static file assets currently there is mcq txt that contains the mcq urls from the sites todo add grpc transport add structure logger dockerize deployment deploy the api to digital ocean vps unit testings for model and apis add github ci to automate unit tests and deployment update delete endpoints for questions and categories add web scraper to fetch mcqs from www sanfoundry com
api cli golang postgresql webscraping
server
ITW1-Lab
itw1 lab the repository contains the lab files lecture files and assignment files of the course information technology workshop i itw i cse 103n even semester 2018 19 guided by dr tanima dutta https www iitbhu ac in dept cse people tanimacse assistant professor cse iit bhu varanasi details unix linux bash scripting python
python bash-script linux
server
DBMSHW
tyl
server
Extracting_ER_From_Relational_Schema
extracting er from relational schema db project
server
IRIS-RoR-Bootcamp-2022
iris ruby on rails bootcamp 2022 23 essential git essential git md installation guide setup we have provided three ways of setting up a development environment local setup setup local setup md github codespaces setup github codespaces md and dev container setup dev container md we recommend you to choose github codespaces setup github codespaces md if you face any issues while installing ruby locally setup local setup md we recommend sticking to the versions mentioned in the installation guide and run commands exactly as instructed as all assignments in this bootcamp are tested with these versions week 1 html and css week 1 in the first week we will introduce you to basic concepts related to web development and git week 2 ruby week 2 in this week we ll take a look at ruby and instructions to get your device ready for creating ruby on rails projects week 3 getting started with rails and model week 3 in this we will learn how to install ruby and rails create a new rails project and build a simple website later we will take a closer look at model of the mvc architecture and talk about databases and working with records week 4 controllers and authentication week 4 this week we will look into controllers routing and authentication week 5 views week 5 so after 4 weeks we have our basic app ready however there is one problem it looks lets fix that we ll now style our application using bootstrap https getbootstrap com docs 5 0 getting started introduction and look at the view layer which is responsible for presenting data appropriately week 6 associations validations week 6 we have so far learnt a lot of stuff starting right from ruby to models controllers views we have come so far yet there are many concepts that are still to be discussed two of the most important being associations and validations contact in case of doubts related to the bootcamp feel free to reach out to the mentors on the doubts https discord com channels 1052463702558908416 1052467811143913552 channel on discord https discord gg hqkpb6xh
assignments bootcamp git-github learning-by-doing playlist ruby ruby-on-rails web-development
front_end
cs224d
course description natural language processing nlp is one of the most important technologies of the information age understanding complex language utterances is also a crucial part of artificial intelligence applications of nlp are everywhere because people communicate most everything in language web search advertisement emails customer service language translation radiology reports etc there are a large variety of underlying tasks and machine learning models powering nlp applications recently deep learning approaches have obtained very high performance across many different nlp tasks these models can often be trained with a single end to end model and do not require traditional task specific feature engineering in this spring quarter course students will learn to implement train debug visualize and invent their own neural network models the course provides a deep excursion into cutting edge research in deep learning applied to nlp the final project will involve training a complex recurrent neural network and applying it to a large scale nlp problem on the model side we will cover word vector representations window based neural networks recurrent neural networks long short term memory models recursive neural networks convolutional neural networks as well as some very novel models involving a memory component through lectures and programming assignments students will learn the necessary engineering tricks for making neural networks work on practical problems
ai
cogcomp-nlp
cogcompnlp build status http morgoth cs illinois edu 5800 app rest builds buildtype id cogcompnlp build statusicon http morgoth cs illinois edu 5800 build status https ci appveyor com api projects status f53iv8435rq875ex branch master svg true https ci appveyor com project bhargavm illinois cogcomp nlp branch master this project collects a number of core libraries for natural language processing nlp developed by cognitive computation group https cogcomp org how to use it depending on what you are after follow one of the items to annotate raw text i e no need to open the annotator boxes to retrain them you should look into the pipeline pipeline to train and test an nlp annotator i e you want to open an annotator box see the list of components below and choose the desired one we recommend using jdk8 as no other versions are officially supported and tested to read a corpus you should look into the corpus readers corpusreaders module to do feature extraction you should look into edison edison module cogcomp s main nlp libraries each library contains detailed readme and instructions on how to use it in addition the javadoc of the whole project is available here http cogcomp org software doc apidocs module description nlp pipeline pipeline readme md provides an end to end nlp processing application that runs a variety of nlp tools on input text core utilities core utilities readme md provides a set of nlp friendly data structures and a number of nlp related utilities that support writing nlp applications running experiments etc corpusreaders corpusreaders readme md provides classes to read documents from corpora into core utilities data structures curator curator readme md supports use of cogcomp nlp curator http cogcomp org page software view curator a tool to run nlp applications as services edison edison readme md a library for feature extraction from core utilities data structures lemmatizer lemmatizer readme md an application that uses wordnet https wordnet princeton edu and simple rules to find the root forms of words in plain text tokenizer tokenizer readme md an application that identifies sentence and word boundaries in plain text transliteration transliteration readme md an application that transliterates names between different scripts pos pos readme md an application that identifies the part of speech e g verb tense noun number of each word in plain text ner ner readme md an application that identifies named entities in plain text according to two different sets of categories md md readme md an application that identifies entity mentions in plain text relation extraction relation extraction readme md an application that identifies entity mentions then identify relation pairs among the mentions detected quantifier quantifier readme md this tool detects mentions of quantities in the text as well as normalizes it to a standard form inference inference readme md a suite of unified wrappers to a set optimization libraries as well as some basic approximate solvers depparse depparse readme md an application that identifies the dependency parse tree of a sentence verbsense verbsense readme md this system addresses the verb sense disambiguation vsd problem for english prepsrl prepsrl readme md an application that identifies semantic relations expressed by prepositions and develops statistical learning models for predicting the relations commasrl commasrl readme md this software extracts relations that commas participate in similarity similarity readme md this software compare objects especially strings and return a score indicating how similar they are temporal normalizer temporal normalizer readme md a temporal extractor and normalizer dataless classifier dataless classifier readme md classifies text into a user specified label hierarchy from just the textual label descriptions external annotators external readme md a collection useful external annotators questions have a look at our faqs faq md using each library programmatically to include one of the modules in your maven project add the following snippet with the modulename and version entries replaced with the relevant module name and the version listed in this project s pom xml file note that you also add to need the repository element for the cogcomp maven repository in the repositories element xml dependencies dependency groupid edu illinois cs cogcomp groupid artifactid modulename artifactid version version version dependency dependencies repositories repository id cogcompsoftware id name cogcompsoftware name url http cogcomp org m2repo url repository repositories citing if you are using the framework please cite our paper inproceedings 2018 lrec cogcompnlp author daniel khashabi mark sammons ben zhou tom redman christos christodoulopoulos vivek srikumar nicholas rizzolo lev ratinov guanheng luo quang do chen tse tsai subhro roy stephen mayhew zhili feng john wieting xiaodong yu yangqiu song shashank gupta shyam upadhyay naveen arivazhagan qiang ning shaoshi ling dan roth title cogcompnlp your swiss army knife for nlp booktitle 11th language resources and evaluation conference year 2018 url http cogcomp org papers 2018 lrec cogcompnlp pdf
natural-language-processing nlp big-data data-mining cogcomp lemmatizer lemmatization tokenizer transliteration pos pos-tagging parts-of-speech-tagging ner named-entity-recognition relation-extraction dependency-parsing similarity natural-language-understanding
ai
Ethereum_Blockchain_Parser
ethereum blockchain parser this project is not maintained it was mainly for learning purposes and is likely outdated this is a project to parse the ethereum blockchain from a local geth node blockchains are perfect data sets because they contain every transaction ever made on the network this is valuable data if you want to analyze the network but ethereum stores its blockchain in rlp https github com ethereum wiki wiki rlp encoded binary blobs within a series of leveldb files and these are surprisingly difficult to access even given the available tools this project takes the approach of querying a local node via json rpc https github com ethereum wiki wiki json rpc which returns unencoded transactional data and then moves that data to a mongo database blocks 1 to 120000 content 1 120000 jpg usage streaming data to stream blockchain data for real time analysis make sure you have both geth and mongo running and start the process with python3 stream py note that this will automatically backfill your mongo database with blocks that it is missing backfilling your mongo database to get data from the blockchain as it exists now and then stop parsing simply run the following scripts which are located in the scripts directory note that at the time of writing the ethereum blockchain has about 1 5 million blocks so this will likely take several hours 1 funnel the data from geth to mongodb python3 preprocess py 2 create a series of snapshots of the blockchain through time and for each snapshot calculate key metrics dump the data into a csv file python3 extract py prerequisites before using this tool to analyze your copy of the blockchain you need the following things geth geth https github com ethereum go ethereum wiki geth is the go implementation of a full ethereum node we will need to run it with the rpc flag in order to request data warning if you run this on a geth client containing an account that has ether in it make sure you put a firewall 8545 or whatever port you run geth rpc on a geth instance downloads the blockchain and processes it saving the blocks as leveldb files in the specified data directory ethereum chaindata by default the geth instance can be queried via rpc with the eth getblockbynumber block true endpoint see here https github com ethereum wiki wiki json rpc eth getblockbynumber to get the x th block with true indicating we want the transactional data included which returns data of the form number 1000000 timestamp 1465003569 transactions blockhash 0x2052ce710a08094b81b5047ea9df5119773ce4b263a23d86659fa7293251055e blocknumber 1284937 from 0x1f57f826caf594f7a837d9fc092456870a289365 gas 22050 gasprice 20000000000 hash 0x654ac26084ee6e40767e8735f38274ef5f594454a4d34cfdd70c93aa95be0c64 input 0x nonce 6610 to 0xfbb1b73c4f0bda4f67dca266ce6ef42f520fbb98 transactionindex 27 value 201544820000000000 since i am only interested in number timestamps and transactions for this application i have omitted the rest of the data but there is lots of additional information in the block explore here https etherchain org blocks including a few merkle trees to maintain hashes of state transactions and receipts read here https blog ethereum org 2015 11 15 merkling in ethereum using the from and to addresses in the transactions array i can map the flow of ether through the network as time processes note that the value gas and gasprice are in wei where 1 ether 10 sup 18 sup wei the numbers are converted into ether automatically with this tool mongodb we will use mongo to essentially copy each block served by geth preserving its structure the data outside the scope of this analysis will be omitted note that this project also requires pymongo graph tool graph tool https graph tool skewed de is a python library written in c to construct graphs quickly and has a flexible feature set for mapping properties to its edges and vertices depending on your system this may be tricky to install so be sure and follow their instructions carefully i recommend you find some way to install it with a package manager because building from source is a pain python3 this was written for python 3 4 with the packages contractmap tqdm and requests some things will probably break if you try to do this analysis in python 2 workflow the following outlines the procedure used to turn the data from bytes on the blockchain to data in a csv file 1 process the blockchain preprocessing is done with the crawler class which can be found in the preprocessing crawler directory before instantiating a crawler object you need to have geth and mongo processes running starting a crawler instance will go through the processes of requesting and processing the blockchain from geth and copying it over to a mongo collection named transactions once copied over you can close the crawler instance 2 take a snapshot of the blockchain a snapshot of the network i e all of the transactions occurring between two timestamps or numbered blocks in the block chain can be taken with a txngraph instance this class can be found in the analysis directory create an instance with snapshot txngraph a b where a is the starting block int and b is ending block int this will load a directed graph of all ethereum addresses that made transactions between the two specified blocks it will also weight vertices by the total amount of ether at the time that the ending block was mined and edges by the amount of ether send in the transaction to move on to the next snapshot i e forward in time snapshot extend c where c is the number of blocks to proceed at each snapshot the instance will automatically pickle the snapshot and save the state to a local file disable on instantiation with save false drawing an image once txngraph is created it will create a graph out of all of the data in the blocks between a and b an image can be drawn by calling txngraph draw and specific dimensions can be passed using txngraph draw w a h b where a and b are ints corresponding to numbers of pixels by default this is saved to the analysis data snapshots directory saving loading state using pickle the txngraph instance state can be and automatically is pickled with txngraph save where the filename is parameterized by the start end blocks and is saved by default this saves to the analysis data pickles directory if another instance was pickled with a different set of start end blocks it can be reloaded with txngraph load a b 3 optional add a lookup table for smart contract transactions an important consideration when doing an analysis of the ethereum network is of smart contract addresses much ether flows to and from contracts which you may want to distinguish from simple peer to peer transactions this can be done by loading a contractmap instance it is recommended you pass the most recent block in the blockchain for last block as this will find all contracts that were transacted with up to that point in history if a mongo client is passed the contractmap will scan geth via rpc for new contract addresses starting at last block cmap contractmap mongo client last block 90000 filepath contracts p cmap save if none is passed for a mongo client the contractmap will automatically load the map of addresses from the pickle file specified in filepath contracts p by default cmap contractmap this will create a hash table of all contract addresses using a defaultdict and will save it to a pickle file 4 aggregate data and analyze once a snapshot has been created initialize an instance of parsedblocks with a txngraph instance this will automatically aggregate the data and save to a local csv file which can then be analyzed
blockchain
MortgageBlockchainFabric
mortgage processing with blockchain and hyperledger fabric mortgage industry has been around for a long time but has not improved the processing times for end to end mortgage application processing this is due to the archaic technology and processes still followed by the parties involved in the mortgage food chain currently it takes on an average of 40 days from submitting home loan application to closing the loan or settlement of funds blockchain mortgages has a potential to disrupt the existing processes and could eliminate costs and inefficiencies thus improving closing time line and saving a lot of fees that are currently charged in each step of application processing mortgage consortium setup 1 a peer for each organization 2 pre created member service providers msp for authentication and identification 3 an orderer using solo 4 records channel this channel is public blockchain which is owned by city district for recording properties details ownership and title history for tax purposes everyone has read access to it but only registry city can create update it 5 lending channel is for lenders credit bureaus titel companies and insurers to share information about prospective buyer it is off limits to others for protecting sensitive information and data integrity lenders bureaus and insurers can update add transactions and auditors regulators title companies have read only access to it 6 books or appraiser title channel is for appraisers and title companies to add update transactions since these are third parties to lenders and to resolve conflict of interests with lenders lenders and registry have read access only which it needs for processing loan alt text img mrtgconsortium jpg records blockchain records blockchain img recordsblk jpg lending blockchain lending blockchain img lendingblk jpg books blockchain appraisal blockchain img appraiserblk jpg access control for channels access controls img accesscontrol jpg flowchart and 3 blockchains access controls img flow jpg directory structure chaincode mrtgexchg mrtgexchg go cli yaml configtx yaml crypto config yaml docker compose mrtgexchg yaml img peer yaml readme md scripts chaincodeinstallinstantiate sh cleanup sh createartifacts sh checkorgchannelssubscription sh creatchannels sh createledgerentries sh createloanrequest sh createloanrequest 2 sh createloanrequest 3 sh joinchannels sh query sh queryall sh setupnetwork sh start network sh stop network sh features fabric allows for channel and accesscontrol to limit read and write access to blockchains we have chaincode level as well as network level access controls 1 chaincode level access control is implemented with creatorbyte stub getcreator and then subsequently checking if c producer stub in invoke to allow instantiators of chaincode to create blocks this can be further improved as protobuf does not guarantee a deterministic serialisation the simplest solution is to use following packages import github com golang protobuf proto github com hyperledger fabric protos msp and use them to deserialise the signatureheader then decode the certificate the packages we need to import therefore are not included in the chaincode container so we have to vendor them you can get the govendor tool with go get u github com kardianos govendor e g in the chaincode container by using dev mode get serialised data serialised stub getcreator use protobuf to deserialise data var id msp serializedidentity proto unmarshal serialised id 2 network level is implemented with peer chaincode instantiate option to allow read and write access to orgs for e g in the following bank can create new blocks on lending blockchain and insurance fico orgs can update them the rest of the orgs have readonly access on lending chanel docker exec cli bank bash c peer chaincode instantiate c lending n lendingchaincode v 0 c args p or bankmsp member insurancemsp member ficomsp member requirements please resolve all issues and get the first network up and running before attempting to install and run this demo you can find ubuntu cheat sheet to get basic fabric running by following setting up fabric pdf document included in this repo and could be found at the root of the folder structure you can also take advantage of free courses from b9labacademy com at https academy b9lab com following are the software dependencies required to install and run hyperledger explorer docker 17 06 2 ce https www docker com community edition docker compose 1 14 0 https docs docker com compose go programming language 1 7 x git curl and other binaries needed to run on windows or os x optionals atom vscode for editing files kitematic for docker view clone repository clone this repository to get the latest using the following command 1 https github com archstrategy mortgageblockchainfabric git 2 rename top level folder to mrtgexchg for some reason the network chokes without this name 2 cd mrtgexchg setup network run the following command to kill any stale or active containers scripts cleanup sh create artifacts certs genesis block and channel info scripts createartifacts sh build chaincodes compile before you deploy this step is optional but is a must if you edit chaincodes and want to restart the network so as to make sure it does not fail to compile during deployment go get u tags nopkcs11 github com hyperledger fabric core chaincode shim go build tags nopkcs11 start network with start option scripts start network sh scripts setupnetwork sh this script creates channels join channels instantiates and installs chaincode populates ledger with initial entries realestates on records and realestates on books blockchains it will also dump the entire ledgers at the end you can check if we have correct entries in all the ledgers lending ledger should be empty as we have not submitted any loan application query result key 11111 record realestateid 11111 address 10 high strret la 75004 value 1 1e 06 details 6501 sq ft 7 beds 2 baths blah blah owner doug gates this shows audit trail for each record added to the ledger transactionhistory createrealestate wed 07 feb 2018 02 04 50 utc key 12131415 record realestateid 12131415 address 12 high strret la 75004 value 3 5e 06 details 6503 sq ft 7 beds 2 baths blah blah owner billy bob transactionhistory createrealestate wed 07 feb 2018 02 05 20 utc 2018 02 07 02 09 30 958 utc main main info 003 exiting this is for lending ledger which is empty as no buyers yet 2018 02 07 02 09 51 211 utc main main info 003 exiting query result and books ledger query result key 11111 record realestateid 11111 appraisal 0 newtitleowner transactionhistory initiatebooks wed 07 feb 2018 02 07 22 utc key 12131415 record realestateid 12131415 appraisal 0 newtitleowner transactionhistory initiatebooks wed 07 feb 2018 02 07 53 utc key 891011 record realestateid 891011 appraisal 0 newtitleowner transactionhistory initiatebooks wed 07 feb 2018 02 07 38 utc now run the loan origination to watch how different actors call chaincode to process loan application you can submit 3 loan requests with 3 scripts we have a requirement of title search for closing the loan that is randomized to produce true false so there is 50 50 chance that your loan will be funded hence we try 3 loan requests to get at least one to go through with funded status you can also edit these sripts and global replace realestateid and new owner input by picking a different property from createledgerentries sh file scripts createloanrequest sh scripts createloanrequest 2 sh scripts createloanrequest 3 sh you can monitor bank container which should output the outcome of loan status funded or rejected as shown below trying to close mortgage loan ficoscore 769 6071226805949 fico threshold 650 insurance quote 4429 811036785886 insurance threshold 0 loan amount 450000 appraised value 808260 2772959969 title status true loan funded trying to close mortgage loan ficoscore 746 867182473202 fico threshold 650 insurance quote 4150 906754866397 insurance threshold 0 loan amount 450000 appraised value 1 9166020083866343e 06 title status false loan rejected test access control 1 try to create a realestate record on records chain as a bank docker exec cli bank bash c peer chaincode invoke c records n mrtgexchg v 0 c args createrealestate 9999 995 high strret tx 795000 9250000 49000 sq ft 39 beds 2 baths blah blah test fail error error endorsing invoke rpc error code unknown desc chaincode error status 500 message no matching chain code function found create initiate close and record mortgage can only be invoked by chaincode instantiators which are bank registry and appraiser nil 2 try to create a records on books chain chain as a bank docker exec cli bank bash c peer chaincode invoke c books n mrtgexchg v 0 c args initiatebooks 9999 error error endorsing invoke rpc error code unknown desc chaincode error status 500 message no matching chain code function found create initiate close and record mortgage can only be invoked by chaincode instantiators which are bank registry and appraiser nil next steps 1 use vendor package for protobuf deterministic serialization as talked about in features section 2 node js frontend ui
blockchain blockchain-technology hyperledger fabric ibm mortgages processing applications payments fintech finance chaincode smart-contracts chaincodecallingchaincode protobuf interchannel chaincodeinvoke channels
blockchain
mastering-llms
mastering large language models https images unsplash com photo 1591696331111 ef9586a5b17a ixlib rb 4 0 3 ixid m3wxmja3fdb8mhxwag90by1wywdlfhx8fgvufdb8fhx8fa 3d 3d auto format fit crop w 1000 q 80 mastering large language models llms this repository provides a detailed roadmap for mastering large language models llms the roadmap is divided into several sections each focusing on a specific aspect of llms each section includes a list of resources for learning each topic including books online courses and tutorials let s embark on this exciting journey to master llms table of contents mastering large language models llms mastering large language models llms table of contents table of contents nlp basics nlp basics deep learning for nlp deep learning for nlp transformers self attention for nlp transformers self attention for nlp large language models llms courses large language models llms courses building llm projects applications building llm projects applications extra blogs extra blogs nlp basics before diving into llms it s essential to have a solid understanding of natural language processing nlp here are some resources to help you get started 1 natural language processing with python https www amazon com natural language processing python analyzing dp 0596516495 this book offers a highly accessible introduction to natural language processing the field that supports a variety of language technologies from predictive text and email filtering to automatic summarization and translation github https github com sturzgefahr natural language processing with python analyzing text with the natural language toolkit 2 practical natural language processing https www amazon com practical natural language processing pragmatic dp 1492054054 a practical guide to processing and understanding text data with nlp github https github com practical nlp practical nlp code 3 analytics vidhya nlp tutorial https www analyticsvidhya com blog 2017 01 ultimate guide to understand implement natural language processing codes in python a comprehensive tutorial on nlp basics 4 github nlp tutorial https github com keon awesome nlp a collection of nlp resources 5 speech and language processing https web stanford edu jurafsky slp3 this is an introductory textbook on nlp and computational linguistics written by leading researchers in the field deep learning for nlp once you have a solid understanding of nlp basics the next step is to learn about deep learning for nlp here are some resources to assist you 1 deep learning specialization https www coursera org specializations deep learning this specialization by andrew ng on coursera will help you understand the capabilities challenges and consequences of deep learning and prepare you to participate in the development of leading edge ai technology 2 deep learning for nlp by stanford university http web stanford edu class cs224n this course provides a thorough introduction to cutting edge research in deep learning for nlp through lectures assignments and a final project students will learn the necessary skills to design implement and understand their own neural network models 3 applied natural language processing by uc berkeley https people ischool berkeley edu dbamman info256 html this course examines the use of natural language processing as a set of methods for exploring and reasoning about text as data focusing especially on the applied side of nlp using existing nlp methods and libraries in python in new and creative ways rather than exploring the core algorithms underlying them 4 natural language processing specialization https www coursera org specializations natural language processing this specialization by deeplearning ai on coursera will equip you with the machine learning basics and state of the art deep learning techniques needed to build cutting edge nlp systems 5 deep learning book http www deeplearningbook org this book by ian goodfellow yoshua bengio and aaron courville provides a comprehensive introduction to the field of deep learning 6 deep learning for coders with fastai and pytorch https www amazon com deep learning coders fastai pytorch dp 1492045527 this book provides a practical introduction to deep learning and artificial intelligence it emphasizes the use of the fastai library which simplifies the process of building complex models free book https fastai github io fastbook2e 7 deep learning for nlp pytorch tutorials https pytorch org tutorials beginner deep learning nlp tutorial html these tutorials provide a good starting point for understanding how to use pytorch for nlp tasks transformers self attention for nlp the transformer model which uses self attention mechanisms forms the backbone of most llms here are some resources to help you to understand transformers and self attention mechanisms 1 the illustrated transformer http jalammar github io illustrated transformer this blog post by jay alammar provides a visual and intuitive understanding of how transformers work 2 the annotated transformer http nlp seas harvard edu 2018 04 03 attention html this blog post annotates the paper that introduced transformers attention is all you need and provides a line by line implementation in pytorch 3 transformers for natural language processing https www amazon com transformers natural language processing understanding dp 1800565790 this book explains the transformer architecture in depth and how it is used in real world applications 4 hugging face transformers https huggingface co learn nlp course chapter1 1 hugging face provides a library of pre trained transformer models for direct use in nlp tasks their documentation and tutorials are a great resource for learning how to use transformers in practice 5 attention is all you need original paper https arxiv org abs 1706 03762 this is the original paper that introduced the transformer model it s a bit dense but it s a must read if you want to understand the details of the model 6 a gentle introduction to transformers https www youtube com watch v 4bdc55j80l8 this video by luis serrano provides a gentle and intuitive explanation of transformers large language models llms courses 1 cos 597g fall 2022 understanding large language models princeton university https www cs princeton edu courses archive fall22 cos597g 2 cs324 lecture notes winter 2022 stanford university https stanford cs324 github io winter2022 lectures building llm projects applications after understanding the theoretical aspects it s time for some hands on experience here are some resources to help you build projects and applications using llms 1 hugging face model hub https huggingface co models the hugging face model hub is a repository of pre trained models that you can use directly in your projects 2 chatgpt https openai com chatgpt chatgpt is a state of the art llm developed by openai you can use the chatgpt api to integrate it into your applications 3 gpt 3 sandbox https gpt3demo com this is a platform where you can experiment with different applications of gpt 3 4 github gpt 3 examples https github com openai gpt 3 this github repository contains examples of applications built using gpt 3 5 awesome gpt3 github https github com elyase awesome gpt3 this github repository contains examples of creative writing applications built using gpt 3 6 gpt 3 sandbox by openai https beta openai com this is a platform provided by openai where you can experiment with different applications of gpt 3 7 full stack llm bootcamp https fullstackdeeplearning com llm bootcamp 8 llm university by cohere https docs cohere com docs llmu 9 deeplearning ai short courses https www deeplearning ai short courses 1 chatgpt prompt engineering for developers 0 chatgpt prompt engineering for developers 2 langchain for llm application development 1 langchain for llm application development 3 how diffusion models work 2 how diffusion models work 4 building systems with chatgpt api 3 building systems with chatgpt api 10 nano gpt https github com karpathy nanogpt nano version of gpt made by andrej karpathy to understand how llm models work from the ground up extra blogs 1 lil log https lilianweng github io 2 jay alammar https jalammar github io
ai
ColtSteele_WebDevCourse
the web developer bootcamp colt steele s udemy course progress http progressed io bar 70 collection of coursework i ve done from colt steele s udemy web development course projects color game projects colorgame to do list projects todolist patatap clone projects patatapclone yelpcamp projects yelpcamp restful blog projects restfulblog concepts exercises html css pokemon data tables exercise css selector exercise tic tac toe grid css exercise photo grid css exercise photo grid bootstrap exercise blog post css exercise landing page bootstrap exercise javascript many solutions to the exercises can be seen by opening the browser console prompt exercise using prompt and console log for loop exercises while loop exercises using functions problem set todo list using arrays array problem set movie database practice with creating objects interacting with the dom intro to selectors getelementbyid getelementbytagname queryselector etc selector exercise adding listeners addelementlistener score keeper using addeventlistener reviewing typecasting selectors jquery selector exercise jquery methods node js instead of using c9 as colt recommended i create my projects locally intro to the command line intro to npm using simple npm packages catme faker intro to express routes get response res and request req using css stylesheets partials app use to serve other directories in the project and app set set root folder and set default template file extension
coursework frontend-web mooc
front_end
tsai
tsai warning this file was autogenerated do not edit div align center img src https github com timeseriesai tsai blob main nbs multimedia tsai logo svg raw true width 50 div br br ci https github com timeseriesai tsai workflows ci badge svg pypi https img shields io pypi v tsai color blue label pypi 20version png https pypi org project tsai description conda channel only https img shields io conda vn timeseriesai tsai color brightgreen label conda 20version png https anaconda org timeseriesai tsai doi https zenodo org badge 211822289 svg https zenodo org badge latestdoi 211822289 prs https img shields io badge prs welcome brightgreen svg description state of the art deep learning library for time series and sequences tsai is an open source deep learning package built on top of pytorch fastai focused on state of the art techniques for time series tasks like classification regression forecasting imputation tsai is currently under active development by timeseriesai what s new during the last few releases here are some of the most significant additions to tsai new models patchtst accepted by iclr 2023 rnn with attention rnnattention lstmattention gruattention tabfusiontransformer new datasets we have increased the number of datasets you can download using tsai 128 univariate classification datasets 30 multivariate classification datasets 15 regression datasets 62 forecasting datasets 9 long term forecasting datasets new tutorials patchtst https github com timeseriesai tsai blob main tutorial nbs 15 patchtst a new transformer for ltsf ipynb based on some of your requests we are planning to release additional tutorials on data preparation and forecasting new functionality sklearn type pipeline transforms walk foward cross validation reduced ram requirements and a lot of new functionality to perform more accurate time series forecasts pytorch 2 0 support installation pip install you can install the latest stable version from pip using python pip install tsai if you plan to develop tsai yourself or want to be on the cutting edge you can use an editable install first install pytorch and then python git clone https github com timeseriesai tsai pip install e tsai dev note starting with tsai 0 3 0 tsai will only install hard dependencies other soft dependencies which are only required for selected tasks will not be installed by default this is the recommended approach if you require any of the dependencies that is not installed tsai will ask you to install it when necessary if you still want to install tsai with all its dependencies you can do it by running python pip install tsai extras conda install you can also install tsai using conda note that if you replace conda with mamba the install process will be much faster and more reliable python conda install c timeseriesai tsai documentation here s the link to the documentation https timeseriesai github io tsai available models here s a list with some of the state of the art models available in tsai lstm https github com timeseriesai tsai blob main tsai models rnn py hochreiter 1997 paper https ieeexplore ieee org abstract document 6795963 gru https github com timeseriesai tsai blob main tsai models rnn py cho 2014 paper https arxiv org abs 1412 3555 mlp https github com timeseriesai tsai blob main tsai models mlp py multilayer perceptron wang 2016 paper https arxiv org abs 1611 06455 fcn https github com timeseriesai tsai blob main tsai models fcn py fully convolutional network wang 2016 paper https arxiv org abs 1611 06455 resnet https github com timeseriesai tsai blob main tsai models resnet py residual network wang 2016 paper https arxiv org abs 1611 06455 lstm fcn https github com timeseriesai tsai blob main tsai models rnn fcn py karim 2017 paper https arxiv org abs 1709 05206 gru fcn https github com timeseriesai tsai blob main tsai models rnn fcn py elsayed 2018 paper https arxiv org abs 1812 07683 mwdn https github com timeseriesai tsai blob main tsai models mwdn py multilevel wavelet decomposition network wang 2018 paper https dl acm org doi abs 10 1145 3219819 3220060 tcn https github com timeseriesai tsai blob main tsai models tcn py temporal convolutional network bai 2018 paper https arxiv org abs 1803 01271 mlstm fcn https github com timeseriesai tsai blob main tsai models rnn fcn py multivariate lstm fcn karim 2019 paper https www sciencedirect com science article abs pii s0893608019301200 inceptiontime https github com timeseriesai tsai blob main tsai models inceptiontime py fawaz 2019 paper https arxiv org abs 1909 04939 rocket https github com timeseriesai tsai blob main tsai models rocket py dempster 2019 paper https arxiv org abs 1910 13051 xceptiontime https github com timeseriesai tsai blob main tsai models xceptiontime py rahimian 2019 paper https arxiv org abs 1911 03803 rescnn https github com timeseriesai tsai blob main tsai models rescnn py 1d rescnn zou 2019 paper https www sciencedirect com science article pii s0925231219311506 tabmodel https github com timeseriesai tsai blob main tsai models tabmodel py modified from fastai s tabularmodel https docs fast ai tabular model html tabularmodel omniscale https github com timeseriesai tsai blob main tsai models omniscalecnn py omni scale 1d cnn tang 2020 paper https arxiv org abs 2002 10061 tst https github com timeseriesai tsai blob main tsai models tst py time series transformer zerveas 2020 paper https dl acm org doi abs 10 1145 3447548 3467401 tabtransformer https github com timeseriesai tsai blob main tsai models tabtransformer py huang 2020 paper https arxiv org pdf 2012 06678 tsit https github com timeseriesai tsai blob main tsai models tsitplus py adapted from vit dosovitskiy 2020 paper https arxiv org abs 2010 11929 minirocket https github com timeseriesai tsai blob main tsai models minirocket py dempster 2021 paper https arxiv org abs 2102 00457 xcm https github com timeseriesai tsai blob main tsai models xcm py an explainable convolutional neural network fauvel 2021 paper https hal inria fr hal 03469487 document gmlp https github com timeseriesai tsai blob main tsai models gmlp py gated multilayer perceptron liu 2021 paper https arxiv org abs 2105 08050 tsperceiver https github com timeseriesai tsai blob main tsai models tsperceiver py adapted from perceiver io jaegle 2021 paper https arxiv org abs 2107 14795 gatedtabtransformer https github com timeseriesai tsai blob main tsai models gatedtabtransformer py cholakov 2022 paper https arxiv org abs 2201 00199 tssequencerplus https github com timeseriesai tsai blob main tsai models tssequencerplus py adapted from sequencer tatsunami 2022 paper https arxiv org abs 2205 01972 patchtst https github com timeseriesai tsai blob main tsai models patchtst py nie 2022 paper https arxiv org abs 2211 14730 plus other custom models like transformermodel lstmattention gruattention how to start using tsai to get to know the tsai package we d suggest you start with this notebook in google colab 01 intro to time series classification https colab research google com github timeseriesai tsai blob master tutorial nbs 01 intro to time series classification ipynb it provides an overview of a time series classification task we have also develop many other tutorial notebooks https github com timeseriesai tsai tree main tutorial nbs to use tsai in your own notebooks the only thing you need to do after you have installed the package is to run this python from tsai all import examples these are just a few examples of how you can use tsai binary univariate classification training python from tsai basics import x y splits get classification data ecg200 split data false tfms none tsclassification batch tfms tsstandardize clf tsclassifier x y splits splits path models arch inceptiontimeplus tfms tfms batch tfms batch tfms metrics accuracy cbs showgraph clf fit one cycle 100 3e 4 clf export clf pkl inference python from tsai inference import load learner clf load learner models clf pkl probas target preds clf get x preds x splits 1 y splits 1 multi class multivariate classification training python from tsai basics import x y splits get classification data lsst split data false tfms none tsclassification batch tfms tsstandardize by sample true mv clf tsclassifier x y splits splits path models arch inceptiontimeplus tfms tfms batch tfms batch tfms metrics accuracy cbs showgraph mv clf fit one cycle 10 1e 2 mv clf export mv clf pkl inference python from tsai inference import load learner mv clf load learner models mv clf pkl probas target preds mv clf get x preds x splits 1 y splits 1 multivariate regression training python from tsai basics import x y splits get regression data appliancesenergy split data false tfms none tsregression batch tfms tsstandardize by sample true reg tsregressor x y splits splits path models arch tstplus tfms tfms batch tfms batch tfms metrics rmse cbs showgraph verbose true reg fit one cycle 100 3e 4 reg export reg pkl inference python from tsai inference import load learner reg load learner models reg pkl raw preds target preds reg get x preds x splits 1 y splits 1 the rockets rocketclassifier rocketregressor minirocketclassifier minirocketregressor minirocketvotingclassifier or minirocketvotingregressor are somewhat different models they are not actually deep learning models although they use convolutions and are used in a different way you ll also need to install sktime to be able to use them you can install it separately python pip install sktime or use python pip install tsai extras training python from sklearn metrics import mean squared error make scorer from tsai data external import get monash regression data from tsai models minirocket import minirocketregressor x train y train get monash regression data appliancesenergy rmse scorer make scorer mean squared error greater is better false reg minirocketregressor scoring rmse scorer reg fit x train y train reg save minirocketregressor inference python from sklearn metrics import mean squared error from tsai data external import get monash regression data from tsai models minirocket import load minirocket x test y test get monash regression data appliancesenergy reg load minirocket minirocketregressor y pred reg predict x test mean squared error y test y pred squared false forecasting you can use tsai for forecast in the following scenarios univariate or multivariate time series input univariate or multivariate time series output single or multi step ahead you ll need to prepare x time series input and the target y see documentation https timeseriesai github io tsai data preparation html select patchtst or one of tsai s models ending in plus tstplus inceptiontimeplus tsitplus etc the model will auto configure a head to yield an output with the same shape as the target input y single step training python from tsai basics import ts get forecasting time series sunspots values x y slidingwindow 60 horizon 1 ts splits timesplitter 235 y tfms none tsforecasting batch tfms tsstandardize fcst tsforecaster x y splits splits path models tfms tfms batch tfms batch tfms bs 512 arch tstplus metrics mae cbs showgraph fcst fit one cycle 50 1e 3 fcst export fcst pkl inference python from tsai inference import load learner fcst load learner models fcst pkl cpu false raw preds target preds fcst get x preds x splits 1 y splits 1 raw preds shape torch size 235 1 multi step this example show how to build a 3 step ahead univariate forecast training python from tsai basics import ts get forecasting time series sunspots values x y slidingwindow 60 horizon 3 ts splits timesplitter 235 fcst horizon 3 y tfms none tsforecasting batch tfms tsstandardize fcst tsforecaster x y splits splits path models tfms tfms batch tfms batch tfms bs 512 arch tstplus metrics mae cbs showgraph fcst fit one cycle 50 1e 3 fcst export fcst pkl inference python from tsai inference import load learner fcst load learner models fcst pkl cpu false raw preds target preds fcst get x preds x splits 1 y splits 1 raw preds shape torch size 235 3 input data format the input format for all time series models and image models in tsai is the same an np ndarray or array like object like zarr etc with 3 dimensions samples x variables x sequence length the input format for tabular models in tsai like tabmodel tabtransformer and tabfusiontransformer is a pandas dataframe see example https timeseriesai github io tsai models tabmodel html how to contribute to tsai we welcome contributions of all kinds development of enhancements bug fixes documentation tutorial notebooks we have created a guide to help you start contributing to tsai you can read it here https github com timeseriesai tsai blob main contributing md enterprise support and consulting services want to make the most out of timeseriesai tsai in a professional setting let us help send us an email to learn more info timeseriesai co citing tsai if you use tsai in your research please use the following bibtex entry text misc tsai author ignacio oguiza title tsai a state of the art deep learning library for time series and sequential data howpublished github year 2023 url https github com timeseriesai tsai
time-series-classification deep-learning fastai pytorch timeseries time-series sequential time-series-analysis transformer cnn rnn state-of-the-art self-supervised classification regression forecasting inceptiontime rocket machine-learning python
ai
dramatron
dramatron img src dramatron animation gif try dramatron dramatron can be run in python as a colab by opening colab dramatron ipynb open in colab https colab research google com assets colab badge svg https colab research google com github deepmind dramatron blob main colab dramatron ipynb the colab is provided unplugged without a large language model interface to use it you will need to implement functions init and sample by adding your code to sample from your own large language model details dramatron uses existing pre trained large language models to generate long coherent text and could be useful for authors for co writing theatre scripts and screenplays dramatron uses hierarchical story generation for consistency across the generated text starting from a log line dramatron interactively generates character descriptions plot points location descriptions and dialogue these generations provide human authors with material for compilation editing and rewriting dramatron is conceived as a writing tool and as a source of inspiration and exploration for writers to evaluate dramatron s usability and capabilities we engaged 15 playwrights and screenwriters in two hour long user study sessions to co write scripts alongside dramatron one concrete illustration of how dramatron can be utilised by creative communities is how one playwright staged 4 heavily edited and rewritten scripts co written alongside dramatron in the public theatre show plays by bots a talented cast of experienced actors with improvisational skills gave meaning to dramatron scripts through acting and interpretation during the development of dramatron and through discussions with industry professionals we made several important observations dramatron is a co writing system that has only been used in collaboration with human writers and was not conceived or evaluated to be used autonomously dramatron s top down hierarchical story generation structure does not correspond to every writer s writing process the output of a language model may include elements of the text used to train the language model one possible mitigation is for the human co writer to search for substrings from outputs to help to identify plagiarism dramatron may reproduce biases and stereotypes found in the corpus and may generate offensive text one possible mitigation is to use the perspective api https perspectiveapi com for estimating toxicity scores of the language outputs and filtering generations based on the perspective api analysis in our sig chi 2023 paper mirowski mathewson et al 2023 co writing screenplays and theatre scripts with language models an evaluation by industry professionals https dl acm org doi 10 1145 3544548 3581225 and in the 2022 pre print on arxiv https arxiv org abs 2209 14958 we share many reflections including how playwrights reflected that they wouldn t use dramatron to write a full play and that dramatron s output can be formulaic rather they would use dramatron for world building for exploring alternative stories by changing characters or plot elements and for creative idea generation we are looking forward to learning if and how you might incorporate dramatron into your own artistic practices if you d like to share thoughts comments or observations or have any questions please contact us at dramatron deepmind com the guide for contributors to dramatron can be found here contributing md cite dramatron article mirowski2022cowriting title co writing screenplays and theatre scripts with language models an evaluation by industry professionals author mirowski piotr and mathewson kory w and pittman jaylen and evans richard journal arxiv preprint arxiv 2209 14958 year 2022 license and disclaimer copyright 2022 deepmind technologies limited all software is licensed under the apache license version 2 0 apache 2 0 you may not use this file except in compliance with the apache 2 0 license you may obtain a copy of the apache 2 0 license at https www apache org licenses license 2 0 all other materials are licensed under the creative commons attribution 4 0 international license cc by you may obtain a copy of the cc by license at https creativecommons org licenses by 4 0 legalcode unless required by applicable law or agreed to in writing all software and materials distributed here under the apache 2 0 or cc by licenses are distributed on an as is basis without warranties or conditions of any kind either express or implied see the licenses for the specific language governing permissions and limitations under those licenses this is not an official google product
ai
nodeschool
node school by red hat mobile join the chat at https gitter im fhnodeschool lobby https badges gitter im fhnodeschool lobby svg https gitter im fhnodeschool lobby utm source badge utm medium badge utm campaign pr badge utm content badge this repository should server as resource for series of courses organized by team at red hat mobile this is a work in progress resources in general these would have been our main reference materials through out the course general javascript reference https developer mozilla org en us docs web javascript reference you don t know js more in depth explanations of the core mechanisms of javascript https github com getify you dont know js nodejs api reference https nodejs org dist latest v6 x docs api javascript feature support http node green end goal after taking this course you should be able to create a small but usefull http service in nodejs syllabus 1 walkthrough javascript essentials learn about npm package manager and get familiar with node js ecosystem 2 understand asynchronous approach events emitters listeners callbacks deferred execution and handling errors core of node js programming model 3 building your own http server operations over files streams sockets and processes overview of express js framework 4 tools and test frameworks automation debugging unit and functional testing quick look at debugger capabilities 5 working with databases and persistent storage mongodb mongoose and redis 6 scaling an application handling concurrency clustered module and workers currently we are aiming to have a 4 hour horskhop that would cover this excercises from nodeschool io these workshops from nodeschool seem to be complementary to the course they have been chosen based on their description only further review might be required we might use some of them whole sale or create our own workshop some of them might be left jus as an excercise for the reader beware thet nodeschool workshops are mostly just a set of excercises paired with a test runer core javascript https github com jesstelford scope chains closures https github com sporto planetproto https github com timoxley functional javascript workshop https github com kishorsharma currying workshopper asynchronous programming https github com workshopper learnyounode https github com workshopper stream adventure https github com bulkan async you https github com stevekane promise it wont hurt https github com isruslan learn generators maintainance https github com excellalabs js best practices workshopper https github com joyent node debug school https github com othiym23 bug clinic https github com finnp test anything https github com bevacqua perfschool libraries https github com evanlucas learnyoumongo https github com azat co expressworks advanced https github com workshopper goingnative slides scratchpad we have provided a dockerfile that contains ijs configured for node 6 against jupoter notebook this is for quickly presenting the trickier parts of java script with environment that is nicer than the usuall nodejs repl cd notebooks docker build t ijs 0 docker run v pwd home jovyan work it rm p 8888 8888 ijs 0
front_end
dr-ui
mapbox dr ui build status https travis ci com mapbox dr ui svg branch main https travis ci com mapbox dr ui pronounced doctor ui d ocumentation r eact ui components see mapbox mr ui https github com mapbox mr ui ui components for mapbox documentation projects this project is for internal mapbox usage the code is open source and we appreciate bug reports but we will only consider feature requests and pull requests from mapbox developers installation requirements node 18 npm 9 if you re not sure if your node and npm versions are up to date run nvm use before installing dependencies if you don t have nvm installed you can find installation instructions here https github com nvm sh nvm blob master readme md installing and updating npm install mapbox dr ui on mapbox projects pair these components with version 0 26 0 of mapbox s custom assembly https labs mapbox com assembly build this is not in peerdependencies because you might use link and script tags instead of the npm package the public assembly build should work fine with maybe one or two hiccups usage import individual components all components are exposed at mapbox dr ui component name for example js import card from mapbox dr ui card import backtotopbutton from mapbox dr ui back to top button only the component itself and whatever it depends on will be drawn into your bundle development see contributing md contributing md
docs docs-infrastructure
os
Visual-Adversarial-Examples-Jailbreak-Large-Language-Models
h1 align center style text align center font weight bold font size 2 0em letter spacing 2 0px visual adversarial examples jailbreak br aligned large language models h1 p align center style text align center font size 1 25em a href https unispac github io target blank style text decoration none xiangyu qi sup 1 sup a nbsp nbsp a href https hackyhuang github io target blank style text decoration none kaixuan huang sup 1 sup a nbsp nbsp a href https scholar google com citations user rfc3l6yaaaaj hl en target blank style text decoration none ashwinee panda sup 1 sup a br a href https www peterhenderson co target blank style text decoration none peter henderson sup 2 sup a nbsp nbsp a href https mwang princeton edu target blank style text decoration none mengdi wang sup 1 sup a nbsp nbsp a href https www princeton edu pmittal target blank style text decoration none prateek mittal sup 1 sup a nbsp nbsp br sup sup equal contribution br princeton university sup 1 sup nbsp nbsp nbsp nbsp stanford university sup 2 sup br p p align center b em arxiv preprint 2023 em br b p p align center style text align center font size 2 5 em b a href https arxiv org abs 2306 13213 target blank style text decoration none arxiv a nbsp b p warning this repository contains prompts model behaviors and training data that are offensive in nature br br assets attack png overview a single visual adversarial example can jailbreak minigpt 4 note 1 for each instruction below we ve sampled 100 random outputs calculating the refusal and obedience ratios via manual inspection a representative redacted output is showcased for each 2 we use 16 255 in the following demo assets human race png assets gender png assets race png minigpt 4 can refuse harmful instructions with a non trivial probability see the green boxes but we find that the aligned behaviors can falter significantly when prompted with a visual adversarial input see the red boxes in the above example we optimize the adversarial example x on a small manually curated corpus comprised of derogatory content against a certain gender 1 an ethnic race 1 and the human race to directly maximize the model s probability of generating such content though the scope of the corpus is very narrow surprisingly a single such adversarial example can enable the model to heed a wide range of harmful instructions and produce harmful content far beyond merely imitating the derogatory corpus see the following examples used in the optimization assets religious 1 png assets religious 2 png assets crime png intriguingly x also facilitates the generation of offensive content against other social groups religious group 1 religious group 2 and even instructions for murder which were not explicitly optimized for in folder adversarial images we provide our sample adversarial images under different distortion constraints the effectiveness of our adversarial examples can be verified by using the minigpt 4 interface running in the huggingface space https huggingface co spaces vision cair minigpt4 https huggingface co spaces vision cair minigpt4 br br step by step instructions for reimplementing our experiments on minigpt 4 note a single a100 80g gpu is sufficient to launch the following experiments br installation we take minigpt 4 13b as the sandbox to showcase our attacks the following installation instructions are adapted from the minigpt 4 repository https github com vision cair minigpt 4 1 set up the environment bash git clone https github com unispac visual adversarial examples jailbreak large language models git cd visual adversarial examples jailbreak large language models conda env create f environment yml conda activate minigpt4 2 prepare the pretrained weights for minigpt 4 as we directly inherit the minigpt 4 code base the guide from the minigpt 4 repository https github com vision cair minigpt 4 tree main can also be directly used to get all the weights get vicuna minigpt 4 13b is built on the v0 version of vicuna 13b https lmsys org blog 2023 03 30 vicuna please refer to this guide https github com vision cair minigpt 4 blob main preparevicuna md from the minigpt 4 repository to get the weights of vicuna then set the path to the vicuna weight in the model config file here https github com unispac visual adversarial examples jailbreak large language models blob main minigpt4 configs models minigpt4 yaml l16 at line 16 get minigpt 4 the 13b version checkpoint download from here https drive google com file d 1a4zlvaidbr 36pasffmgpvh5p7ckmpze view usp share link then set the path to the pretrained checkpoint in the evaluation config file in eval configs minigpt4 eval yaml https github com unispac visual adversarial examples jailbreak large language models blob main eval configs minigpt4 eval yaml l11 at line 11 br generate visual adversarial examples generate a visual adversarial example within a distortion constraint of epsilon 16 255 similar to the example in our overview demo the final adversarial examples will be saved to save dir bad prompt bmp and we also save intermediate checkpoints every 100 iterations the argument can be adjusted e g eps 32 64 128 to evaluate the effectiveness of the attacks under different distortion budgets bash python minigpt visual attack py cfg path eval configs minigpt4 eval yaml gpu id 0 n iters 5000 constrained eps 16 alpha 1 save dir visual constrained eps 16 when there is no need for visual stealthiness one can use the following command to run unconstrained attacks the adversarial image can take any values within the legitimate range of pixel values bash python minigpt visual attack py cfg path eval configs minigpt4 eval yaml gpu id 0 n iters 5000 alpha 1 save dir visual unconstrained br evaluation in folder adversarial images we provide off the shelf adversarial images that we generated under different distortion constraints to verify the effectiveness of our adversarial examples play with the web based interface of minigpt 4 huggingface space https huggingface co spaces vision cair minigpt4 launch a local demo bash python demo py cfg path eval configs minigpt4 eval yaml gpu id 0 testing on a diverse set of 40 manually curated harmful instructions warning this will involve materials that are offensive in nature bash python minigpt test manual prompts visual llm py cfg path eval configs minigpt4 eval yaml gpu id 0 image path adversarial images prompt unconstrained bmp the argument image path can be customized to the path of any input image testing on the realtoxicityprompts dataset download the realtoxicityprompts dataset https allenai org data real toxicity prompts and copy soft link the dataset file to rtp prompts jsonl the inference py will read the dataset filter out prompts with challenging true and ask the model to generate the continuation for each prompt bash python minigpt inference py cfg path eval configs minigpt4 eval yaml gpu id 0 image file adversarial images prompt unconstrained bmp output file result jsonl the argument image file can be customized to the path of any input image output file indicates where to save the generations request and place your perspective api https perspectiveapi com key in perspective api key the get metric py will calculate the toxic scores using both perspective api and detoxify https github com unitaryai detoxify bash python get metric py input result jsonl output result eval jsonl br generate textual adversarial examples we also provide codes for optimizing adversarial text tokens w r t the same attack targets as our visual attacks a running example bash python minigpt textual attack py cfg path eval configs minigpt4 eval yaml gpu id 0 n iters 5000 n candidates 50 save dir textual unconstrained br br attacks on other models we also implement our attacks on two other open sourced vlms including instructblip https github com salesforce lavis tree main projects instructblip and llava https github com haotian liu llava to launch experiments on these models we suggest users to create a separate conda environment for each model and install dependencies following the instructions of the original repositories of these models instruct blip set up the environment and prepare model checkpoints following the instructions of the original repository at https github com salesforce lavis tree main projects instructblip choose the 13b version model built upon vicuna13b i e blip2 vicuna instruct vicuna13b download the version 1 1 model of vicuna 13b to the directory ckpts vicuna 13b v1 1 attack bash python u instructblip visual attack py n iters 5000 constrained save dir results blip constrained 16 eps 16 alpha 1 python u instructblip visual attack py n iters 5000 constrained save dir results blip constrained 32 eps 32 alpha 1 python u instructblip visual attack py n iters 5000 constrained save dir results blip constrained 64 eps 64 alpha 1 python u instructblip visual attack py n iters 5000 save dir results blip unconstrained alpha 1 testing on the realtoxicityprompts dataset make inference on the dataset bash python instructblip inference py image file path to the adversarial example output file result jsonl the get metric py will calculate the toxic scores using both perspective api and detoxify https github com unitaryai detoxify bash python get metric py input result jsonl output result eval jsonl then you can run cal metrics py to summarize the evaluation results from the two evaluation bash python cal metrics py input result eval jsonl llava llama 2 set up the environment following the instructions of the original repository at https github com haotian liu llava after get the model save it to the path ckpts llava llama 2 13b chat freeze attack bash python u llava llama v2 visual attack py n iters 5000 constrained save dir results llava llama v2 constrained 16 eps 16 alpha 1 python u llava llama v2 visual attack py n iters 5000 constrained save dir results llava llama v2 constrained 32 eps 32 alpha 1 python u llava llama v2 visual attack py n iters 5000 constrained save dir results llava llama v2 constrained 64 eps 64 alpha 1 python u llava llama v2 visual attack py n iters 5000 save dir results llava llama v2 unconstrained alpha 1 testing on the realtoxicityprompts dataset make inference on the dataset bash python u llava llama v2 inference py image file path to the adversarial example output file result jsonl the get metric py will calculate the toxic scores using both perspective api and detoxify https github com unitaryai detoxify bash python get metric py input result jsonl output result eval jsonl then you can run cal metrics py to summarize the evaluation results from the two evaluation bash python cal metrics py input result eval jsonl br br citation if you find this useful in your research please consider citing misc qi2023visual title visual adversarial examples jailbreak aligned large language models author xiangyu qi and kaixuan huang and ashwinee panda and peter henderson and mengdi wang and prateek mittal year 2023 eprint 2306 13213 archiveprefix arxiv primaryclass cs cr
ai
reearth-web
reearth web deprecated and migrated to reearth reearth https github com reearth reearth blob main web note this repository has been migrated to reearth reearth https github com reearth reearth blob main web repository and this repo will be no longer used license distributed under the apache 2 0 license see apache license 2 0 license for more information
react javascript typescript gis cesium reearth webgis earth map visualization digitaltwin
front_end
VirtualArena
div align center img src logo jpg width 200 align middle div virtualarena is an object oriented matlab toolkit for control design and system simulation getting started to install the tollkit open matlab on the folder where you want to create the virtualarena folder and run the following code matlab urlwrite https github com andreaalessandretti virtualarena archive master zip master zip unzip master zip movefile virtualarena master virtualarena cd virtualarena addpathsofvirtualarena the folder virtualarena exampels presents a list of examples that are described in the paper alessandretti a aguiar a p jones c n 2017 virtualarena an object oriented matlab toolkit for control system design and simulation in proc of the 2017 international conference on unmanned aircraft systems icuas miami usa docs icuas17 virtualarena pdf and in the slides here docs icuas17 slides pdf the following bibtex entry can be used to cite the toolkit inproceedings alessandretti2017 address miami usa author alessandretti a and aguiar a p and jones c n booktitle proc of the 2017 international conference on unmanned aircraft systems icuas title virtualarena an object oriented matlab toolkit for control system design and simulation year 2017
os
PyBoof
pyboof is python http www python org wrapper for the computer vision library boofcv http boofcv org since this is a java library you will need to have java and javac installed the former is the java compiler in the future the requirement for javac will be removed since a pre compiled version of the java code will be made available and automatically downloaded installing the java jdk is platform specific so a quick search online should tell you how to do it to start using the library simply install the latest stable version using pip bash pip3 install pyboof examples examples are included with the source code you can obtain them by either checkout the source code as described above or browsing github here https github com lessthanoptimal pyboof tree snapshot examples if you don t check out the source code you won t have example data and not all of the examples will work to run any of the examples simply invoke python on the script 1 cd pyboof examples 2 python example blur image py code for applying a gaussian and mean spatial filter to an image and displays the results python import numpy as np import pyboof as pb original pb load single band data example outdoors01 jpg np uint8 gaussian original createsameshape useful function which creates a new image of the mean original createsameshape same type and shape as the original apply different types of blur to the image pb blur gaussian original gaussian radius 3 pb blur mean original mean radius 3 display the results in a single window as a list image list original original gaussian gaussian mean mean pb swing show list image list title outputs input press any key to exit installing from source one advantage for checking out the source code and installing from source is that you also get all the example code and the example datasets bash git clone recursive https github com lessthanoptimal pyboof git if you forgot recursive then you can checkout the data directory with the following command bash git submodule update init recursive after you have the source code on your local machine you can install it and its dependencies with the following commands 1 cd pyboof 2 python3 m venv venv 3 source venv bin activate 4 pip3 install r requirements txt 5 setup py build 6 setup py install yes you do need to do the build first this will automatically build the java jar and put it into the correct place creating a virtual environment isn t required but recommended as you can only do so much damage with it supported platforms the code has been developed and tested on ubuntu linux 20 04 should work on any other linux variant might work on mac os and a slim chance of working on windows dependencies pyboof depends on the following python packages they should be automatically installed py4j numpy transforms3d opencv optional and for io only optional opencv python for io only
python computer-vision qr-code micro-qr-code stereo-camera boofcv
ai
fluentui-react-native
fluentui react native npm version https badge fury io js 40fluentui 2freact native svg https badge fury io js 40fluentui 2freact native build status https dev azure com ms ui fabric react native apis build status pr branchname main https dev azure com ms ui fabric react native build latest definitionid 226 branchname main build status https dev azure com ms ui fabric react native apis build status publish branchname main https dev azure com ms ui fabric react native build latest definitionid 229 branchname main fluentui react native is a javascript component library that provides developers with controls that are part of the fluent design system https www microsoft com design fluent these controls are built on react native https reactnative dev and fully customizable fluentui react native is still in the alpha stages of development for both the components and the repo we encourage anyone who is interested in getting an early glimpse of our plans to download and use our components but please note that you may hit bumps along the way please leave us feedback or file issues if you run into bumps and we will continue to improve the quality of the repo development status on each platform windows macos ios android alpha in progress alpha in progress alpha in progress alpha in progress getting started if you have an existing react native project it s easy to begin using fluentui react native if you need to setup a new react native project please see the react native windows getting started documentation https microsoft github io react native windows docs getting started prerequisites standard react native dependencies https microsoft github io react native windows docs rnw dependencies manual setup node js https nodejs org en download setting up your react native development environment https reactnative dev docs environment setup create new react native project if needed 1 follow the instructions on the react native windows getting started documentation https microsoft github io react native windows docs getting started to create a react native project 2 navigate to the root folder of your project and use npm to install the package npm i fluentui react native 3 after successful installation you can test the package by importing components at the top of your app s entry file e g app js jsx import checkbox from fluentui react native 4 after importing the fluentui react native package you can use components such as text and checkbox in your jsx jsx in app js in a new project import react from react import view text from react native import checkbox from fluentui react native function helloworldapp return view style flex 1 justifycontent center alignitems center text hello world text checkbox label hello world checkbox view export default helloworldapp if you run into an error that says pragma and pragmafrag cannot be set when runtime is automatic you can try switching to classic runtime https babeljs io docs en babel preset react both runtimes documentation components and controls our component documentation can be found in spec md files for each component the current list can be found in our wiki s sidebar https github com microsoft fluentui react native wiki they will be uploaded to a website at a future time expanding component documentation our spec md files should reflect the current state of controls that have established the v1 set of properties on any one platform since the fluentui react native controls are cross platform but represented by a single page it s important to distinguish platform differences and limitations examples include if the component is not available on all supported platforms if the component has properties not available on all supported platforms if the component has limited support for a given property on any supported platforms if the component has distinguishable behavior on a supported platform that must be minded while used theming framework documentation for theming can be found in our docs file or for more in depth documentation along side the implementation theming overview docs pages theming basics md stylesheets docs pages theming themedstylesheet md customizing theme settings docs pages theming customtheme md theme reference packages framework theme readme md tokens packages framework use tokens readme md slots packages framework use slots readme md customize and compose packages framework composition readme md developing in the repo yarn lage this repo is set up as a monorepo using yarn workspaces to install yarn please follow instructions in the yarn documentation https classic yarnpkg com en docs install for running tasks the repo has switched to using lage https github com microsoft lage for task running the primary tasks that can be executed at the root are yarn build does the typescript build for all packages in the repository yarn test will build lint and run any applicable tests on all packages in the repo yarn bundle will bundle all packages in the repo yarn buildci will build lint run tests and bundle everything in the repo note that lage uses caching to avoid redundant steps and has very minimal output to avoid caching add no cache as a command line argument similarly adding verbose will give more detailed output setup your development environment to start developing in the repository you can 1 git clone https github com microsoft fluentui react native git 1 cd fluentui react native 1 yarn 1 yarn build after a successful yarn build you can explore fluentui tester our demo application to play with each of the controls to run fluentui tester please follow instructions in the fluentui tester readme apps fluent tester readme md note if your repo is located on either your desktop or documents folder you may encounter the error watchman error operation not permitted clone it in a different directory to avoid watchman permission issues prettier this repo is set up to run prettier https prettier io to run prettier in fix mode on the repo run yarn prettier fix at the root of the repo if you are using vscode https code visualstudio com as your editor you can configure it to run prettier on save prettier is a recommended extension for the repo you can configure it to run by 1 installing the prettier extension for vscode 2 going to settings text editor formatting check format on save contributing please visit our contribution guide contributing md for more information on contributing to this repo this project has adopted the microsoft open source code of conduct https opensource microsoft com codeofconduct for more information see the code of conduct faq https opensource microsoft com codeofconduct faq or contact opencode microsoft com mailto opencode microsoft com with any additional questions or comments
os
hq
one tool to rule them all p align center a href https hqjs org target blank img alt hqjs src hqjs logo png width 861 a p features you already know it it is just a static server that delivers your application code files zero configuration one command and you are good to go supports all kinds of frameworks polymer svelte vue react angular and many others out of the box understands all popular formats js jsx mjs es6 svelte vue ts tsx coffee json css scss sass less html and pug delivers without bundling to reflect project structure in the browser and make it easier to understand and develop makes debugging a pleasure no more missing sourcemaps and obfuscated bundles situations when you can t put a breakpoint on the line or expression ugly webpack names behind the code and empty debugging tooltips relies on the latest web standards so you can use cutting edge features even if your browser lacks them light and fast ships minimum that is required with no bundlers overhead only the files you change are delivered vscode extension get visual studio code extension https marketplace visualstudio com items itemname hqjs hq live server and run hq with single go live button click installation install it once with npm sh npm install g hqjs hq usage run inside project root sh hq it will find your source code and serve it make sure that you have nodejs 12 10 0 and no unexpected babelrc postcssrc or posthtmlrc in a project root if problem occurs please raise an issue https github com hqjs hq issues build you can use hq to prepare your code for regular static server type sh hq build in a project root and build result will appear in dist folder in case hq missed something you can pass build target as an argument to build command e g sh hq build src particle png it will do proper tree shaking and consist of both module and nomodule versions previous content of dist folder will be erased why hq there are many development tools out there including browserify webpack rollup and parcel that provide development servers but all of them rely on bundling while bundling might still be usefull for production it makes the development experience quite a struggle without bundling hq dramatically increases development speed by shipping only files that were changed and improves debugging by providing minimal transformation to a source with hq you can start a new project instantly just type hq and you are ready for experiments it supports all kinds of frameworks out of the box so there is no need to learn all their different tools and know all the buzzwords it is worth to say that hq requires no configuration offering the familiar experience of working with a regular static server how it works in server mode hq serves every file individually as requested same way regular static server does that gives you only very simple dead code elimination without proper tree shaking but on the other hand a lot of time that was wasted for dependency analysis is being saved all transforamtions are instant and performed on the fly during the first request if you use modern browser and stick to the standard your code would hardly be changed at all while you try to follow the standards you can t guarantee that all that libraries that you depend on will do the same most of them will probably use commonjs modules format and won t work in the browser just as they are hq takes care of that as well and transforms commonjs modules into esm handles non standard but pretty common imports like css or json importing and destructure importing objects when it is required hq will work tightly with the browser using its cache system to speed up asset delivery and only delivers what has been changed it will automatically reload the page when you modify the code so you will see the feedback immediatly it can work with many different frameworks but does not rely on any of that frameworks code in particular instead hq performs general ast transformations with babel through plugins that were designed for hq to help it understand all diversity of different technologies and technics used in those frameworks example let s say we have an existing angular project and want to improve development experience with hq all we need to do is to add our global style file and script to the head and body of index html correspondingly so when hq serves index it will serve styles and scripts as well html doctype html html lang en head link rel stylesheet href styles css head body app root app root script src main ts script body html for most of the frameworks that is already enough and you can skip the next step but angular requires a bit more attention it depends on zones and reflect metadata apis that are on very early stages and are not supported by hq out of the box in fact angular includes them in file polyfills ts and adds the file to your build so we are going to import missing dependencies on top of main ts js import core js proposals reflect metadata import zone js dist zone import zone js dist zone patch canvas and that s it now you are ready to start developing by running sh hq in the project root is it good for production yes you can definitely use hq build command to make a production ready build with all necessary optimisations created for you by hq alternatively you can use hq as a production server for internal projects such as admin panels and dashboards it will work perfectly with all modern browsers to activate production mode set node env to production before running hq sh node env production hq does it support http2 yes it does drop your certificate and a key somewhere in the root of your project and hq will serve it trough http2 e g cert server pem cert server key pem for generating self signed certificates check this tool https github com filosottile mkcert more benefits with babelrc postcssrc and posthtmlrc with hq you don t need to take care of babel postcss or posthtml configuration the latest web standards will be supported out of the box however if you need to support a feature that does not have a common interpretation like svg react imports or experimental features from an early stage like nested css or you have your own plugins that only make sense in your project just add babelrc postcssrc or posthtmlrc configurations to the root of your project with the list of all desired plugins e g babelrc json plugins babel plugin transform remove console postcssrc json plugins postcss nested preserveempty true posthtmlrc json plugins posthtml doctype doctype html 5 posthtml md and they will be automatically merged with hq configuration do not forget to install these additional plugins to your project before running hq license mit license
static-server build-tool javascript css html assets web development polymer vue react angular esmodules
front_end
LLMSurvey
llmsurvey a collection of papers and resources related to large language models the organization of papers refers to our survey a survey of large language models https arxiv org abs 2303 18223 paper page https huggingface co datasets huggingface badges raw main paper page sm dark svg https huggingface co papers 2303 18223 please let us know if you find out a mistake or have any suggestions by e mail batmanfly gmail com we suggest ccing another email francis kun zhou 163 com meanwhile in case of any unsuccessful delivery issue if you find our survey useful for your research please cite the following paper article llmsurvey title a survey of large language models author zhao wayne xin and zhou kun and li junyi and tang tianyi and wang xiaolei and hou yupeng and min yingqian and zhang beichen and zhang junjie and dong zican and du yifan and yang chen and chen yushuo and chen zhipeng and jiang jinhao and ren ruiyang and li yifan and tang xinyu and liu zikang and liu peiyu and nie jian yun and wen ji rong year 2023 journal arxiv preprint arxiv 2303 18223 url http arxiv org abs 2303 18223 chinese version to facilitate the reading of our english verison survey we also translate a chinese version assets llm survey chinese pdf for this survey we will continue to update the chinese version chinese version assets chinese version png new the trends of the number of papers related to llms on arxiv here are the trends of the cumulative numbers of arxiv papers that contain the keyphrases language model since june 2018 and large language model since october 2019 respectively arxiv llms assets arxiv llms png the statistics are calculated using exact match by querying the keyphrases in title or abstract by months we set different x axis ranges for the two keyphrases because language models have been explored at an earlier time we label the points corresponding to important landmarks in the research progress of llms a sharp increase occurs after the release of chatgpt the average number of published arxiv papers that contain large language model in title or abstract goes from 0 40 per day to 8 58 per day new technical evolution of gpt series models a brief illustration for the technical evolution of gpt series models we plot this figure mainly based on the papers blog articles and official apis from openai here solid lines denote that there exists an explicit evidence e g the official statement that a new model is developed based on a base model on the evolution path between two models while dashed lines denote a relatively weaker evolution relation gpt series assets gpt series png new evolutionary graph of llama family an evolutionary graph of the research work conducted on llama due to the huge number we cannot include all the llama variants in this figure even much excellent work llama family assets llama 0628 final png to support incremental update we share the source file of this figure and welcome the readers to include the desired models by submitting the pull requests on our github page if you re instrested please request by application new prompts we collect some useful tips for designing prompts that are collected from online notes and experiences from our authors where we also show the related ingredients and principles introduced in section 8 1 prompt examples assets prompts main png please click here prompts readme md to view more detailed information welcome everyone to provide us with more relevant tips in the form of issues https github com rucaibox llmsurvey issues 34 after selection we will regularly update them on github and indicate the source new experiments instruction tuning experiments we will explore the effect of different types of instructions in fine tuning llms i e 7b llama26 as well as examine the usefulness of several instruction improvement strategies instruction tuning table assets instruction tuning table png please click here experiments readme md to view more detailed information ability evaluaition experiments we conduct a fine grained evaluation on the abilities discussed in section 7 1 and section 7 2 for each kind of ability we select representative tasks and datasets for conducting evaluation experiments to examine the corresponding performance of llms ability main assets ability main png please click here experiments readme md to view more detailed information we also call for support of computing power for conducting more comprehensive experiments table of contents llmsurvey llmsurvey chinese version chinese version new the trends of the number of papers related to llms on arxiv new the trends of the number of papers related to llms on arxiv new technical evolution of gpt series models new technical evolution of gpt series models new evolutionary graph of llama family new evolutionary graph of llama family new prompts new prompts new experiments new experiments instruction tuning experiments instruction tuning experiments ability evaluaition experiments ability evaluaition experiments table of contents table of contents timeline of llms timeline of llms list of llms list of llms paper list paper list resources of llms resources of llms publicly available models publicly available models closed source models closed source models commonly used corpora commonly used corpora library resource library resource deep learning frameworks deep learning frameworks pre training pre training data collection data collection architecture architecture mainstream architectures mainstream architectures detailed configuration detailed configuration analysis analysis training algorithms training algorithms pre training on code pre training on code llms for program synthesis llms for program synthesis nlp tasks formatted as code nlp tasks formatted as code adaptation tuning adaptation tuning instruction tuning instruction tuning alignment tuning alignment tuning parameter efficient model adaptation parameter efficient model adaptation memory efficient model adaptation memory efficient model adaptation utilization utilization in context learning icl in context learning icl chain of thought reasoning cot chain of thought reasoning cot planning for complex task solving planning for complex task solving capacity evaluation capacity evaluation the team the team acknowledgments acknowledgments update log update log timeline of llms llms timeline assets llms 0623 final png list of llms table class tg thead tr th class tg nrix align center rowspan 2 category th th class tg baqh align center rowspan 2 model th th class tg 0lax align center rowspan 2 release time th th class tg baqh align center rowspan 2 size b th th class tg 0lax align center rowspan 2 link th tr tr tr thead tbody tr td class tg nrix align center rowspan 25 publicly br accessbile td td class tg baqh align center t5 td td class tg 0lax align center 2019 10 td td class tg baqh align center 11 td td class tg 0lax align center a href https arxiv org abs 1910 10683 paper a td tr tr td class tg baqh align center mt5 td td class tg 0lax align center 2021 03 td td class tg baqh align center 13 td td class tg 0lax align center a href https arxiv org abs 2010 11934 paper a td tr tr td class tg baqh align center pangu td td class tg 0lax align center 2021 05 td td class tg baqh align center 13 td td class tg 0lax align center a href https arxiv org abs 2104 12369 paper a td tr tr td class tg baqh align center cpm 2 td td class tg 0lax align center 2021 05 td td class tg baqh align center 198 td td class tg 0lax align center a href https arxiv org abs 2106 10715 paper a td tr tr td class tg baqh align center t0 td td class tg 0lax align center 2021 10 td td class tg baqh align center 11 td td class tg 0lax align center a href https arxiv org abs 2110 08207 paper a td tr tr td class tg baqh align center gpt neox 20b td td class tg 0lax align center 2022 02 td td class tg baqh align center 20 td td class tg 0lax align center a href https arxiv org abs 2204 06745 paper a td tr tr td class tg baqh align center codegen td td class tg 0lax align center 2022 03 td td class tg baqh align center 16 td td class tg 0lax align center a href https arxiv org abs 2203 13474 paper a td tr tr td class tg baqh align center tk instruct td td class tg 0lax align center 2022 04 td td class tg baqh align center align center 11 td td class tg 0lax align center a href https arxiv org abs 2204 07705 paper a td tr tr td class tg baqh align center ul2 td td class tg 0lax align center 2022 02 td td class tg baqh align center 20 td td class tg 0lax align center a href https arxiv org abs 2205 05131 paper a td tr tr td class tg baqh align center opt td td class tg 0lax align center 2022 05 td td class tg baqh align center 175 td td class tg 0lax align center a href https arxiv org abs 2205 01068 paper a td tr tr td class tg baqh align center yalm td td class tg 0lax align center 2022 06 td td class tg baqh align center 100 td td class tg 0lax align center a href https github com yandex yalm 100b github a td tr tr td class tg baqh align center nllb td td class tg 0lax align center 2022 07 td td class tg baqh align center 55 td td class tg 0lax align center a href https arxiv org abs 2207 04672 paper a td tr tr td class tg baqh align center bloom td td class tg 0lax align center 2022 07 td td class tg baqh align center 176 td td class tg 0lax align center a href https arxiv org abs 2211 05100 paper a td tr tr td class tg baqh align center glm td td class tg 0lax align center 2022 08 td td class tg baqh align center 130 td td class tg 0lax align center a href https arxiv org abs 2210 02414 paper a td tr tr td class tg baqh align center flan t5 td td class tg 0lax align center 2022 10 td td class tg baqh align center 11 td td class tg 0lax align center a href https arxiv org abs 2210 11416 paper a td tr tr td class tg baqh align center mt0 td td class tg 0lax align center 2022 11 td td class tg baqh align center 13 td td class tg 0lax align center a href https arxiv org abs 2211 01786 paper a td tr tr td class tg baqh align center galatica td td class tg 0lax align center align center align center 2022 11 td td class tg baqh align center align center 120 td td class tg 0lax align center a href https arxiv org abs 2211 09085 paper a td tr tr td class tg baqh align center bloomz td td class tg 0lax align center 2022 11 td td class tg baqh align center 176 td td class tg 0lax align center a href https arxiv org abs 2211 01786 paper a td tr tr td class tg baqh align center opt iml td td class tg 0lax align center 2022 12 td td class tg baqh align center 175 td td class tg 0lax align center a href https arxiv org abs 2212 12017 paper a td tr tr td class tg baqh align center pythia td td class tg 0lax align center 2023 01 td td class tg baqh align center 12 td td class tg 0lax align center a href https arxiv org abs 2304 01373 paper a td tr tr td class tg baqh align center llama td td class tg 0lax align center 2023 02 td td class tg baqh align center 65 td td class tg 0lax align center a href https arxiv org abs 2302 13971v1 paper a td tr tr td class tg baqh align center vicuna td td class tg 0lax align center 2023 03 td td class tg baqh align center 13 td td class tg 0lax align center a href https lmsys org blog 2023 03 30 vicuna blog a td tr tr td class tg baqh align center chatglm td td class tg 0lax align center 2023 03 td td class tg baqh align center 6 td td class tg 0lax align center a href https github com thudm chatglm 6b github a td tr tr td class tg baqh align center codegeex td td class tg 0lax align center 2023 03 td td class tg baqh align center 13 td td class tg 0lax align center a href https arxiv org abs 2303 17568 paper a td tr tr td class tg baqh align center koala td td class tg 0lax align center 2023 04 td td class tg baqh align center 13 td td class tg 0lax align center a href https bair berkeley edu blog 2023 04 03 koala blog a td tr tr td class tg nrix align center rowspan 31 closed br source td td class tg baqh align center gshard td td class tg 0lax align center 2020 01 td td class tg baqh align center align center 600 td td class tg 0lax align center a href http arxiv org abs 2006 16668v1 paper a td tr tr td class tg baqh align center gpt 3 td td class tg 0lax align center 2020 05 td td class tg baqh align center 175 td td class tg 0lax align center a href https arxiv org abs 2005 14165 paper a td tr tr td class tg baqh align center lamda td td class tg 0lax align center 2021 05 td td class tg baqh align center 137 td td class tg 0lax align center a href https arxiv org abs 2201 08239 paper a td tr tr td class tg baqh align center hyperclova td td class tg 0lax align center 2021 06 td td class tg baqh align center 82 td td class tg 0lax align center a href https arxiv org abs 2109 04650 paper a td tr tr td class tg baqh align center codex td td class tg 0lax align center 2021 07 td td class tg baqh align center 12 td td class tg 0lax align center a href https arxiv org abs 2107 03374 paper a td tr tr td class tg baqh align center ernie 3 0 td td class tg 0lax align center align center 2021 07 td td class tg baqh align center 10 td td class tg 0lax align center a href https arxiv org abs 2107 02137 paper a td tr tr td class tg baqh align center jurassic 1 td td class tg 0lax align center 2021 08 td td class tg baqh align center 178 td td class tg 0lax align center a href https assets website files com 60fd4503684b466578c0d307 61138924626a6981ee09caf6 jurassic tech paper pdf paper a td tr tr td class tg baqh align center align center flan td td class tg 0lax align center 2021 10 td td class tg baqh align center 137 td td class tg 0lax align center a href https arxiv org abs 2109 01652 paper a td tr tr td class tg baqh align center mt nlg td td class tg 0lax align center 2021 10 td td class tg baqh align center 530 td td class tg 0lax align center a href https arxiv org abs 2201 11990 paper a td tr tr td class tg baqh align center yuan 1 0 td td class tg 0lax align center 2021 10 td td class tg baqh align center 245 td td class tg 0lax align center a href https arxiv org abs 2110 04725 paper a td tr tr td class tg baqh align center anthropic td td class tg 0lax align center 2021 12 td td class tg baqh align center 52 td td class tg 0lax align center a href https arxiv org abs 2112 00861 paper a td tr tr td class tg baqh align center webgpt td td class tg 0lax align center 2021 12 td td class tg baqh align center 175 td td class tg 0lax align center a href https arxiv org abs 2112 09332 paper a td tr tr td class tg baqh align center gopher td td class tg 0lax align center 2021 12 td td class tg baqh align center 280 td td class tg 0lax align center a href http arxiv org abs 2112 11446v2 paper a td tr tr td class tg baqh align center ernie 3 0 titan td td class tg 0lax align center 2021 12 td td class tg baqh align center 260 td td class tg 0lax align center a href https arxiv org abs 2112 12731 paper a td tr tr td class tg baqh align center glam td td class tg 0lax align center 2021 12 td td class tg baqh align center 1200 td td class tg 0lax align center a href https arxiv org abs 2112 06905 paper a td tr tr td class tg baqh align center instructgpt td td class tg 0lax align center 2022 01 td td class tg baqh align center 175 td td class tg 0lax align center a href http arxiv org abs 2203 02155v1 paper a td tr tr td class tg baqh align center alphacode td td class tg 0lax align center 2022 02 td td class tg baqh align center 41 td td class tg 0lax align center a href http arxiv org abs 2203 07814v1 paper a td tr tr td class tg baqh align center chinchilla td td class tg 0lax align center 2022 03 td td class tg baqh align center 70 td td class tg 0lax align center a href https arxiv org abs 2203 15556 paper a td tr tr td class tg baqh align center palm td td class tg 0lax align center 2022 04 td td class tg baqh align center 540 td td class tg 0lax align center a href https arxiv org abs 2204 02311 paper a td tr td class tg baqh align center cohere td td class tg 0lax align center 2022 06 td td class tg baqh align center 54 td td class tg 0lax align center a href https cohere ai homepage a td tr tr td class tg baqh align center alexatm td td class tg 0lax align center 2022 08 td td class tg baqh align center 20 td td class tg 0lax align center a href https arxiv org abs 2208 01448 paper a td tr tr td class tg baqh align center luminous td td class tg 0lax align center 2022 09 td td class tg baqh align center 70 td td class tg 0lax align center a href https docs aleph alpha com docs introduction luminous docs a td tr tr td class tg baqh align center sparrow td td class tg 0lax align center 2022 09 td td class tg baqh align center 70 td td class tg 0lax align center a href http arxiv org abs 2209 14375v1 paper a td tr tr td class tg baqh align center welm td td class tg 0lax align center 2022 09 td td class tg baqh align center 10 td td class tg 0lax align center a href https arxiv org abs 2209 10372 paper a td tr tr td class tg baqh align center u palm td td class tg 0lax align center 2022 10 td td class tg baqh align center 540 td td class tg 0lax align center a href https arxiv org abs 2210 11399 paper a td tr tr td class tg baqh align center flan palm td td class tg 0lax align center 2022 10 td td class tg baqh align center align center 540 td td class tg 0lax align center a href https arxiv org abs 2210 11416 paper a td tr tr td class tg baqh align center flan u palm td td class tg 0lax align center 2022 10 td td class tg baqh align center 540 td td class tg 0lax align center a href https arxiv org abs 2210 11416 paper a td tr tr td class tg baqh align center alpaca td td class tg 0lax align center 2023 03 td td class tg baqh align center 7 td td class tg 0lax align center a href https crfm stanford edu 2023 03 13 alpaca html blog a td tr tr td class tg baqh align center gpt 4 td td class tg 0lax align center 2023 3 td td class tg baqh align center td td class tg 0lax align center a href http arxiv org abs 2303 08774v2 paper a td tr tr td class tg baqh align center pangu td td class tg 0lax align center 2023 3 td td class tg baqh align center 1085 td td class tg 0lax align center a href https arxiv org abs 2303 10845 paper a td tr tbody table paper list resources of llms publicly available models 1 u t5 u exploring the limits of transfer learning with a unified text to text transformer colin raffel et al jmlr 2019 paper https arxiv org abs 1910 10683 checkpoint https huggingface co t5 11b 2 u mt5 u mt5 a massively multilingual pre trained text to text transformer linting xue et al naacl 2021 paper https arxiv org abs 2010 11934 checkpoint https huggingface co google mt5 xxl tree main 3 u pangu u pangu large scale autoregressive pretrained chinese language models with auto parallel computation wei zeng et al arxiv 2021 paper https arxiv org abs 2104 12369 checkpoint https openi pcl ac cn pcl platform intelligence pangu alpha 4 u cpm 2 u cpm 2 large scale cost effective pre trained language models zhengyan zhang et al arxiv 2021 paper https arxiv org abs 2106 10715 checkpoint https github com tsinghuaai cpm 5 u t0 u multitask prompted training enables zero shot task generalization victor sanh et al iclr 2022 paper https arxiv org abs 2110 08207 checkpoint https huggingface co bigscience t0 6 u gpt neox 20b u gpt neox 20b an open source autoregressive language model sid black et al arxiv 2022 paper https arxiv org abs 2204 06745 checkpoint https huggingface co eleutherai gpt neox 20b tree main 7 u codegen u codegen an open large language model for code with multi turn program synthesis erik nijkamp et al arxiv 2022 paper https arxiv org abs 2203 13474 checkpoint https huggingface co salesforce codegen 16b nl 8 u tk instruct u super naturalinstructions generalization via declarative instructions on 1600 nlp tasks yizhong wang et al emnlp 2022 paper https arxiv org abs 2204 07705 checkpoint https huggingface co allenai tk instruct 11b def pos 9 u ul2 u ul2 unifying language learning paradigms yi tay et al arxiv 2022 paper https arxiv org abs 2205 05131 checkpoint https github com google research google research tree master ul2 10 u opt u opt open pre trained transformer language models susan zhang et al arxiv 2022 paper https arxiv org abs 2205 01068 checkpoint https github com facebookresearch metaseq tree main projects opt 11 u nllb u no language left behind scaling human centered machine translation nllb team arxiv 2022 paper https arxiv org abs 2207 04672 checkpoint https github com facebookresearch fairseq tree nllb 12 u bloom u bloom a 176b parameter open access multilingual language model bigscience workshop arxiv 2022 paper https arxiv org abs 2211 05100 checkpoint https huggingface co bigscience bloom 13 u glm u glm 130b an open bilingual pre trained model aohan zeng et al arxiv 2022 paper https arxiv org abs 2210 02414 checkpoint https github com thudm glm 130b 14 u flan t5 u scaling instruction finetuned language models hyung won chung et al arxiv 2022 paper https arxiv org abs 2210 11416 checkpoint https github com google research t5x blob main docs models md flan t5 checkpoints 15 u mt0 bloomz u crosslingual generalization through multitask finetuning niklas muennighoff et al arxiv 2022 paper https arxiv org abs 2211 01786 checkpoint https github com bigscience workshop xmtf 16 u galactica u galactica a large language model for science ross taylor et al arxiv 2022 paper https arxiv org abs 2211 09085 checkpoint https huggingface co facebook galactica 120b 17 u opt iml u opt iml scaling language model instruction meta learning through the lens of generalization srinivasan et al arxiv 2022 paper https arxiv org abs 2212 12017 checkpoint https huggingface co facebook opt iml 30b 18 u codegeex u codegeex a pre trained model for code generation with multilingual evaluations on humaneval x qinkai zheng et al arxiv 2023 paper https arxiv org abs 2303 17568 checkpoint https github com thudm codegeex 19 u pythia u pythia a suite for analyzing large language models across training and scaling stella biderman et al arxiv 2023 paper https arxiv org abs 2304 01373 checkpoint https github com eleutherai pythia 20 u llama u llama open and efficient foundation language models hugo touvron et al arxiv 2023 paper https arxiv org abs 2302 13971v1 checkpoint https github com facebookresearch llama closed source models 1 u gshard u gshard scaling giant models with conditional computation and automatic sharding dmitry lepikhin et al iclr 2021 paper http arxiv org abs 2006 16668v1 2 u gpt 3 u language models are few shot learners tom b brown et al neurips 2020 paper https arxiv org abs 2005 14165 3 u lamda u lamda language models for dialog applications romal thoppilan et al arxiv 2021 paper https arxiv org abs 2201 08239 4 u hyperclova u what changes can large scale language models bring intensive study on hyperclova billions scale korean generative pretrained transformers boseop kim et al emnlp 2021 paper https arxiv org abs 2109 04650 5 u codex u evaluating large language models trained on code mark chen et al arxiv 2021 paper https arxiv org abs 2107 03374 6 u ernie 3 0 u ernie 3 0 large scale knowledge enhanced pre training for language understanding and generation yu sun et al arxiv 2021 paper https arxiv org abs 2107 02137 7 u jurassic 1 u jurassic 1 technical details and evaluation opher lieber et al 2021 paper https assets website files com 60fd4503684b466578c0d307 61138924626a6981ee09caf6 jurassic tech paper pdf 8 u flan u finetuned language models are zero shot learners jason wei et al iclr 2021 paper https arxiv org abs 2109 01652 9 u mt nlg u using deepspeed and megatron to train megatron turing nlg 530b a large scale generative language model shaden smith et al arxiv 2021 paper https arxiv org abs 2201 11990 10 u yuan 1 0 u yuan 1 0 large scale pre trained language model in zero shot and few shot learning shaohua wu et al arxiv 2021 paper https arxiv org abs 2110 04725 11 u anthropic u a general language assistant as a laboratory for alignment amanda askell et al arxiv 2021 paper https arxiv org abs 2112 00861 12 u webgpt u webgpt browser assisted question answering with human feedback reiichiro nakano et al arxiv 2021 paper https arxiv org abs 2112 09332 13 u gopher u scaling language models methods analysis insights from training gopher jack w rae et al arxiv 2021 paper http arxiv org abs 2112 11446v2 14 u ernie 3 0 titan u ernie 3 0 titan exploring larger scale knowledge enhanced pre training for language understanding and generation shuohuan wang et al arxiv 2021 paper https arxiv org abs 2112 12731 15 u glam u glam efficient scaling of language models with mixture of experts nan du et al icml 2022 paper https arxiv org abs 2112 06905 16 u instructgpt u training language models to follow instructions with human feedback long ouyang et al arxiv 2022 paper http arxiv org abs 2203 02155v1 17 u alphacode u competition level code generation with alphacode yujia li et al arxiv 2022 paper http arxiv org abs 2203 07814v1 18 u chinchilla u training compute optimal large language models jordan hoffmann et al arxiv paper https arxiv org abs 2203 15556 19 u palm u palm scaling language modeling with pathways aakanksha chowdhery et al arxiv 2022 paper https arxiv org abs 2204 02311 20 u alexatm u alexatm 20b few shot learning using a large scale multilingual seq2seq model saleh soltan et al arxiv 2022 paper https arxiv org abs 2208 01448 21 u sparrow u improving alignment of dialogue agents via targeted human judgements amelia glaese et al arxiv 2022 paper http arxiv org abs 2209 14375v1 22 u welm u welm a well read pre trained language model for chinese hui su et al arxiv 2022 paper https arxiv org abs 2209 10372 23 u u palm u transcending scaling laws with 0 1 extra compute yi tay et al arxiv 2022 paper https arxiv org abs 2210 11399 24 u flan palm flan u palm u scaling instruction finetuned language models hyung won chung et al arxiv paper https arxiv org abs 2210 11416 25 u gpt 4 u gpt 4 technical report openai arxiv 2023 paper http arxiv org abs 2303 08774v2 26 u pangu u pangu towards trillion parameter language model with sparse heterogeneous computing xiaozhe ren et al arxiv 2023 paper https arxiv org abs 2303 10845 commonly used corpora 1 u bookcorpus u aligning books and movies towards story like visual explanations by watching movies and reading books yukun zhu et al iccv 2015 paper http arxiv org abs 1506 06724v1 source https huggingface co datasets bookcorpus 2 u guntenburg u source https www gutenberg org 3 u commoncrawl u source https commoncrawl org 4 u c4 u exploring the limits of transfer learning with a unified text to text transformer colin raffel et al jmlr 2019 paper http arxiv org abs 1910 10683v3 source https www tensorflow org datasets catalog c4 5 u cc stories r u a simple method for commonsense reasoning trieu h trinh el al arxiv 2018 paper http arxiv org abs 1806 02847v2 source https huggingface co datasets spacemanidol cc stories 6 u cc news u roberta a robustly optimized bert pretraining approach yinhan liu et al arxiv 2019 paper http arxiv org abs 1907 11692v1 source https huggingface co datasets cc news 7 u realnews u defending against neural fake news rowan zellers et al neurips 2019 paper http arxiv org abs 1905 12616v3 source https github com rowanz grover tree master realnews 8 u openwebtext u source https skylion007 github io openwebtextcorpus 9 u pushshift io u the pushshift reddit dataset jason baumgartner et al aaai 2020 paper http arxiv org abs 2001 08435v1 source https files pushshift io reddit 10 u wikipedia u source https dumps wikimedia org 11 u bigquery u source https cloud google com bigquery public data hl zh cn 12 u the pile u the pile an 800gb dataset of diverse text for language modeling leo gao et al arxiv 2021 paper http arxiv org abs 2101 00027v1 source https pile eleuther ai 13 u roots u the bigscience roots corpus a 1 6tb composite multilingual dataset lauren on et al neurips 2022 datasets and benchmarks track paper https arxiv org abs 2303 03915 library resource 1 u transformers u transformers state of the art natural language processing thomas wolf et al emnlp 2020 paper https arxiv org abs 1910 03771 source https huggingface co 2 u deepspeed u deepspeed system optimizations enable training deep learning models with over 100 billion parameters rasley et al kdd 2020 paper https dl acm org doi 10 1145 3394486 3406703 source https github com microsoft deepspeed 3 u megatron lm u megatron lm training multi billion parameter language models using model parallelism mohammad shoeybi et al arxiv 2019 paper https arxiv org abs 1909 08053 source https github com nvidia megatron lm 4 u jax u source https github com google jax 5 u colossal ai u colossal ai a unified deep learning system for large scale parallel training zhengda bian et al arxiv 2021 paper http arxiv org abs 2110 14883v2 source https github com hpcaitech colossalai 6 u bmtrain u source https github com openbmb bmtrain 7 u fastmoe u fastmoe a fast mixture of expert training system jiaao he et al arxiv 2021 paper https arxiv org abs 2103 13262 source https github com laekov fastmoe deep learning frameworks 1 u pytorch u pytorch an imperative style high performance deep learning library adam paszke el al neurips 2019 paper https arxiv org abs 1912 01703 source https pytorch org 2 u tensorflow u tensorflow a system for large scale machine learning mart n abadi et al osdi 2016 paper https arxiv org abs 1605 08695 source https www tensorflow org 3 u mxnet u mxnet a flexible and efficient machine learning library for heterogeneous distributed systems tianqi chen et al arxiv 2015 paper https arxiv org abs 1512 01274 source https github com apache mxnet 4 u paddlepaddle u paddlepaddle an open source deep learning platform from industrial practice yanjun ma et al frontiers of data and domputing 2019 paper http www jfdc cnic cn en abstract abstract2 shtml source https github com paddlepaddle paddle 5 u mindspore u huawei mindspore ai development framework huawei technologies co ltd artificial intelligence technology 2022 paper https link springer com chapter 10 1007 978 981 19 2879 6 5 source https github com mindspore ai mindspore 6 u oneflow u oneflow redesign the distributed deep learning framework from scratch jinhui yuan et al arxiv 2021 paper https arxiv org abs 2110 15032 source https github com oneflow inc oneflow pre training data collection 1 the bigscience roots corpus a 1 6tb composite multilingual dataset lauren on et al neurips 2022 datasets and benchmarks track paper https arxiv org abs 2303 03915 1 deduplicating training data makes language models better katherine lee et al acl 2022 paper https arxiv org abs 2107 06499 1 deduplicating training data mitigates privacy risks in language models nikhil kandpal et al icml 2022 paper https arxiv org abs 2202 06539 1 scaling laws and interpretability of learning from repeated data danny hernandez et al arxiv 2022 paper https arxiv org abs 2205 10487 1 a pretrainer s guide to training data measuring the effects of data age domain coverage quality toxicity shayne longpre et al arxiv 2023 paper https arxiv org abs 2305 13169 architecture mainstream architectures causal decoder 1 language models are few shot learners tom b brown et al neurips 2020 paper http arxiv org abs 2005 14165 1 opt open pre trained transformer language models susan zhang et al arxiv 2022 paper http arxiv org abs 2205 01068 1 bloom a 176b parameter open access multilingual language model teven le scao et al arxiv 2022 paper http arxiv org abs 2211 05100 1 training compute optimal large language models jordan hoffmann et al arxiv 2022 paper http arxiv org abs 2203 15556 1 scaling language models methods analysis insights from training gopher jack w rae et al arxiv 2021 paper http arxiv org abs 2112 11446 1 galactica a large language model for science ross taylor et al arxiv 2022 paper http arxiv org abs 2211 09085 1 palm scaling language modeling with pathways aakanksha chowdhery et al arxiv 2022 paper http arxiv org abs 2204 02311 1 jurassic 1 technical details and evaluation opher lieber et al ai21 labs paper https uploads ssl webflow com 60fd4503684b466578c0d307 61138924626a6981ee09caf6 jurassic tech paper pdf 1 lamda language models for dialog applications romal thoppilan et al arxiv 2022 paper http arxiv org abs 2201 08239 prefix decoder 1 glm 130b an open bilingual pre trained model aohan zeng et al arxiv 2022 paper http arxiv org abs 2210 02414 1 glm general language model pretraining with autoregressive blank infilling zhengxiao du et al acl 2022 paper http arxiv org abs 2103 10360 1 transcending scaling laws with 0 1 extra compute yi tay et al arxiv 2022 paper http arxiv org abs 2210 11399 moe 1 switch transformers scaling to trillion parameter models with simple and efficient sparsity william fedus et al jmlr paper http arxiv org abs 2101 03961 1 unified scaling laws for routed language models aidan clark et al icml 2022 paper http arxiv org abs 2202 01169 ssm 1 pretraining without attention junxiong wang et al arxiv 2022 paper http arxiv org abs 2212 10544 1 efficiently modeling long sequences with structured state spaces albert gu et al iclr 2022 paper http arxiv org abs 2111 00396 1 long range language modeling via gated state spaces harsh mehta et al arxiv 2022 paper http arxiv org abs 2206 13947 1 hungry hungry hippos towards language modeling with state space models daniel y fu et al iclr 2023 paper https arxiv org abs 2212 14052 detailed configuration layer normalization 1 u rmsnorm u root mean square layer normalization biao zhang et al neurips 2019 paper http arxiv org abs 1910 07467 1 u deepnorm u deepnet scaling transformers to 1 000 layers hongyu wang et al arxiv 2022 paper http arxiv org abs 2203 00555 1 u sandwich ln u cogview mastering text to image generation via transformers ming ding et al neirips 2021 paper https arxiv org abs 2105 13290 position encoding 1 u t5 bias u exploring the limits of transfer learning with a unified text to text transformer colin raffel et al jmlr 2019 paper https arxiv org abs 1910 10683 1 u alibi u train short test long attention with linear biases enables input length extrapolation ofir press et al iclr 2022 paper http arxiv org abs 2108 12409 1 u rope u roformer enhanced transformer with rotary position embedding jianlin su et al arxiv 2021 paper http arxiv org abs 2104 09864 1 u xpos u a length extrapolatable transformer yutao sun et al arxiv 2022 paper https arxiv org abs 2212 10554 attention 1 u multi query attention u fast transformer decoding one write head is all you need noam shazeer arxiv 2019 paper https arxiv org abs 1911 02150 1 u flashattention u flashattention fast and memory efficient exact attention with io awareness tri dao et al neurips 2022 paper https arxiv org abs 2205 14135 1 u pagedattention u vllm easy fast and cheap llm serving with pagedattention woosuk kwon et al 2023 paper stay tuned offical website https vllm ai analysis 1 what language model architecture and pretraining objective work best for zero shot generalization thomas wang et al icml 2022 paper http arxiv org abs 2204 05832 1 what language model to train if you have one million gpu hours teven le scao et al findings of emnlp 2022 paper http arxiv org abs 2210 15424 1 examining scaling and transfer of language model architectures for machine translation biao zhang et al icml 2022 paper http arxiv org abs 2202 00528 1 scaling laws vs model architectures how does inductive bias influence scaling yi tay et al arxiv 2022 paper http arxiv org abs 2207 10551 1 do transformer modifications transfer across implementations and applications sharan narang et al emnlp 2021 paper http arxiv org abs 2102 11972 training algorithms 1 megatron lm training multi billion parameter language models using model parallelism mohammad shoeybi et al arxiv 2019 paper http arxiv org abs 1909 08053 1 an efficient 2d method for training super large deep learning models qifan xu et al arxiv 2021 paper http arxiv org abs 2104 05343 1 tesseract parallelize the tensor parallelism efficiently boxiang wang et al icpp 2022 paper http arxiv org abs 2105 14500 1 maximizing parallelism in distributed training for huge neural networks zhengda bian et al arxiv 2021 paper http arxiv org abs 2105 14450 1 gpipe efficient training of giant neural networks using pipeline parallelism yanping huang et al neurips 2019 paper http arxiv org abs 1811 06965 1 pipedream fast and efficient pipeline parallel dnn training aaron harlap et al arxiv 2018 paper http arxiv org abs 1806 03377 1 zero memory optimizations toward training trillion parameter models samyam rajbhandari et al sc 2020 paper http arxiv org abs 1910 02054 1 zero offload democratizing billion scale model training jie ren et al usenix 2021 paper http arxiv org abs 2101 06840 pre training on code llms for program synthesis 1 evaluating large language models trained on code mark chen et al arxiv 2021 paper http arxiv org abs 2107 03374 1 program synthesis with large language models jacob austin et al arxiv 2021 paper http arxiv org abs 2108 07732 1 show your work scratchpads for intermediate computation with language models maxwell nye et al arxiv 2021 paper http arxiv org abs 2112 00114 1 a systematic evaluation of large language models of code frank f xu et al arxiv 2022 paper http arxiv org abs 2202 13169 1 competition level code generation with alphacode yujia li et al science paper http arxiv org abs 2203 07814 1 codegen an open large language model for code with multi turn program synthesis erik nijkamp et al iclr 2023 paper http arxiv org abs 2203 13474 1 incoder a generative model for code infilling and synthesis daniel fried et al iclr 2023 paper http arxiv org abs 2204 05999 1 codet code generation with generated tests bei chen et al iclr 2023 paper http arxiv org abs 2207 10397 1 starcoder may the source be with you raymond li et al arxiv 2023 paper https arxiv org abs 2305 06161 nlp tasks formatted as code 1 language models of code are few shot commonsense learners aman madaan et al emnlp 2022 paper http arxiv org abs 2210 07128 1 autoformalization with large language models yuhuai wu et al neurips 2022 paper http arxiv org abs 2205 12615 adaptation tuning instruction tuning 1 multi task deep neural networks for natural language understanding xiaodong liu et al acl 2019 paper https arxiv org abs 1901 11504 homepage https github com namisan mt dnn 1 exploring the limits of transfer learning with a unified text to text transformer colin raffel et al jmlr 2020 paper https arxiv org abs 1910 10683 checkpoint https github com google research text to text transfer transformer released model checkpoints 1 muppet massive multi task representations with pre finetuning armen aghajanyan et al emnlp 2021 paper https arxiv org abs 2101 11038 checkpoint https huggingface co models other arxiv 2101 11038 1 cross task generalization via natural language crowdsourcing instructions swaroop mishra et al acl 2022 paper https arxiv org abs 2104 08773 collection https instructions apps allenai org data 1 finetuned language models are zero shot learners jason wei et al iclr 2022 paper https arxiv org abs 2109 01652 homepage https github com google research flan 1 multitask prompted training enables zero shot task generalization victor sanh et al iclr 2022 paper https arxiv org abs 2110 08207 checkpoint https huggingface co bigscience t0 how to use 1 promptsource an integrated development environment and repository for natural language prompts stephen h bach et al acl 2022 paper https arxiv org abs 2202 01279 collection https github com bigscience workshop promptsource 1 training language models to follow instructions with human feedback long ouyang et al arxiv 2022 paper https arxiv org abs 2203 02155 1 super naturalinstructions generalization via declarative instructions on 1600 nlp tasks yizhong wang et al emnlp 2022 paper https arxiv org abs 2204 07705 collection https instructions apps allenai org data checkpoint https huggingface co models search tk instruct 1 mvp multi task supervised pre training for natural language generation tianyi tang et al arxiv 2022 paper https arxiv org abs 2206 12131 collection https huggingface co rucaibox checkpoint https huggingface co rucaibox 1 crosslingual generalization through multitask finetuning niklas muennighoff et al arxiv 2022 paper https arxiv org abs 2211 01786 collection https github com bigscience workshop xmtf data checkpoint https github com bigscience workshop xmtf models 1 scaling instruction finetuned language models hyung won chung et al arxiv 2022 paper https arxiv org abs 2210 11416 homepage https github com google research flan 1 unnatural instructions tuning language models with almost no human labor or honovich et al arxiv 2022 paper https arxiv org abs 2212 09689 homepage https github com orhonovich unnatural instructions 1 self instruct aligning language model with self generated instructions yizhong wang et al arxiv 2022 paper https arxiv org abs 2212 10560 homepage https github com yizhongw self instruct 1 opt iml scaling language model instruction meta learning through the lens of generalization srinivasan iyer et al arxiv 2022 paper https arxiv org abs 2212 12017 checkpoint https github com facebookresearch metaseq tree main projects opt iml 1 the flan collection designing data and methods for effective instruction tuning shayne longpre et al arxiv 2023 paper https arxiv org abs 2301 13688 homepage https github com google research flan 1 is prompt all you need no a comprehensive and broader view of instruction learning renze lou et al arxiv 2023 paper https arxiv org abs 2303 10475 1 maybe only 0 5 data is needed a preliminary exploration of low training data instruction tuning hao chen et al arxiv 2023 paper https arxiv org abs 2305 09246 1 lima less is more for alignment chunting zhou arxiv 2023 paper https arxiv org abs 2305 11206 alignment tuning 1 tamer training an agent manually via evaluative reinforcement w bradley knox et al icdl 2008 paper https www cs utexas edu bradknox papers icdl08 knox pdf 1 interactive learning from policy dependent human feedback james macglashan et al icml 2017 paper https arxiv org abs 1701 06049 1 deep reinforcement learning from human preferences paul christiano et al nips 2017 paper https arxiv org abs 1706 03741 1 deep tamer interactive agent shaping in high dimensional state spaces garrett warnell et al aaai 2018 paper https arxiv org abs 1709 10163 1 fine tuning language models from human preferences daniel m ziegler et al arxiv 2019 paper https arxiv org abs 1909 08593 1 learning to summarize from human feedback nisan stiennon et al neurips 2020 paper https arxiv org abs 2009 01325 1 alignment of language agents zachary kenton et al arxiv 2021 paper https arxiv org abs 2103 14659 1 recursively summarizing books with human feedback jeff wu et al arxiv 2021 paper https arxiv org abs 2109 10862 1 a general language assistant as a laboratory for alignment amanda askell et al arxiv 2021 paper https arxiv org abs 2112 00861 1 webgpt browser assisted question answering with human feedback reiichiro nakano et al arxiv 2021 paper https arxiv org abs 2112 09332 1 training language models to follow instructions with human feedback long ouyang et al arxiv 2022 paper https arxiv org abs 2203 02155 1 teaching language models to support answers with verified quotes jacob menick et al arxiv 2022 paper https arxiv org abs 2203 11147 1 training a helpful and harmless assistant with reinforcement learning from human feedback yuntao bai et al arxiv 2022 paper https arxiv org abs 2204 05862 1 dynamic planning in open ended dialogue using reinforcement learning deborah cohen et al arxiv 2022 paper https arxiv org abs 2208 02294 1 red teaming language models to reduce harms methods scaling behaviors and lessons learned deep ganguli et al arxiv 2022 paper https arxiv org abs 2209 07858 1 improving alignment of dialogue agents via targeted human judgements amelia glaese et al arxiv 2022 paper https arxiv org abs 2209 14375 1 is reinforcement learning not for natural language processing benchmarks baselines and building blocks for natural language policy optimization rajkumar ramamurthy et al arxiv 2022 paper https arxiv org abs 2210 01241 1 scaling laws for reward model overoptimization leo gao et al arxiv 2022 paper https arxiv org abs 2210 10760 1 the wisdom of hindsight makes language models better instruction followers tianjun zhang et al arxiv 2023 paper https arxiv org abs 2302 05206 1 raft reward ranked finetuning for generative foundation model alignment hanze dong et al arxiv 2023 paper https arxiv org abs 2304 06767 1 red teaming large language models using chain of utterances for safety alignment rishabh bhardwaj et al arxiv 2023 paper https arxiv org abs 2308 09662 parameter efficient model adaptation 1 parameter efficient transfer learning for nlp neil houlsby et al icml 2019 paper https arxiv org abs 1902 00751 github https github com google research adapter bert 1 mad x an adapter based framework for multi task cross lingual transfer jonas pfeiffer et al emnlp 2020 paper https arxiv org abs 2005 00052 github https github com adapter hub adapter transformers 1 autoprompt eliciting knowledge from language models with automatically generated prompts taylor shin et al emnlp 2020 paper https arxiv org abs 2010 15980 github https ucinlp github io autoprompt 1 prefix tuning optimizing continuous prompts for generation xiang lisa li et al acl 2021 paper https arxiv org abs 2101 00190 github https github com xiangli1999 prefixtuning 1 gpt understands too xiao liu et al arxiv 2021 paper https arxiv org abs 2103 10385 github https github com thudm p tuning 1 the power of scale for parameter efficient prompt tuning brian lester et al emnlp 2021 paper https arxiv org pdf 2104 08691 1 lora low rank adaptation of large language models edward j hu et al arxiv 2021 paper https arxiv org abs 2106 09685 github https github com microsoft lora 1 towards a unified view of parameter efficient transfer learning junxian he et al iclr 2022 paper https arxiv org abs 2110 04366 github https github com jxhe unify parameter efficient tuning 1 p tuning v2 prompt tuning can be comparable to fine tuning universally across scales and tasks xiao liu et al acl 2022 paper https arxiv org abs 2110 07602 github https github com thudm p tuning v2 1 dylora parameter efficient tuning of pre trained models using dynamic search free low rank adaptation mojtaba valipour et al eacl 2023 paper https arxiv org abs 2210 07558 github https github com huawei noah kd nlp tree main dylora 1 parameter efficient fine tuning of large scale pre trained language models ning ding et al nat mach intell paper https www nature com articles s42256 023 00626 4 github https github com thunlp opendelta 1 adaptive budget allocation for parameter efficient fine tuning qingru zhang et al arxiv 2023 paper https arxiv org abs 2303 10512 github https github com qingruzhang adalora 1 llama adapter efficient fine tuning of language models with zero init attention renrui zhang et al arxiv 2023 paper https arxiv org abs 2303 16199 github https github com opengvlab llama adapter 1 llm adapters an adapter family for parameter efficient fine tuning of large language models zhiqiang hu et al arxiv 2023 paper https arxiv org abs 2304 01933 github https github com agi edgerunners llm adapters memory efficient model adaptation 1 a survey of quantization methods for efficient neural network inference amir gholami et al arxiv 2021 paper https arxiv org abs 2103 13630 1 8 bit optimizers via block wise quantization tim dettmers et al arxiv 2021 paper https arxiv org abs 2110 02861 1 compression of generative pre trained language models via quantization chaofan tao et al acl 2022 paper https arxiv org abs 2203 10705 1 zeroquant efficient and affordable post training quantization for large scale transformers zhewei yao et al neurips 2022 paper https arxiv org abs 2206 01861 github https github com microsoft deepspeed 1 llm int8 8 bit matrix multiplication for transformers at scale tim dettmers et al arxiv 2022 paper https arxiv org abs 2208 07339 github https github com timdettmers bitsandbytes 1 gptq accurate post training quantization for generative pre trained transformers elias frantar et al iclr 2023 paper https arxiv org abs 2210 17323 github https github com ist daslab gptq 1 smoothquant accurate and efficient post training quantization for large language models guangxuan xiao et al arxiv 2022 paper https arxiv org abs 2211 10438 github https github com mit han lab smoothquant 1 the case for 4 bit precision k bit inference scaling laws tim dettmers et al arxiv 2022 paper https arxiv org abs 2212 09720 1 zeroquant v2 exploring post training quantization in llms from comprehensive study to low rank compensation zhewei yao et al arxiv 2023 paper https arxiv org abs 2303 08302 1 qlora efficient finetuning of quantized llms tim dettmers et al arxiv 2023 paper https arxiv org abs 2305 14314 github https github com artidoro qlora 1 llm qat data free quantization aware training for large language models zechun liu et al arxiv 2023 paper https arxiv org abs 2305 17888 1 awq activation aware weight quantization for llm compression and acceleration ji lin et al arxiv 2023 paper https arxiv org abs 2306 00978 github https github com mit han lab llm awq utilization in context learning icl 1 an information theoretic approach to prompt engineering without ground truth labels taylor sorensen et al acl 2022 paper https arxiv org abs 2203 11364 2 what makes good in context examples for gpt 3 jiachang liu et al acl 2022 paper https arxiv org abs 2101 06804 3 learning to retrieve prompts for in context learning ohad rubin et al naacl 2022 paper https arxiv org abs 2112 08633 4 diverse demonstrations improve in context compositional generalization itay levy et al arxiv 2022 paper https arxiv org abs 2212 06800 5 demystifying prompts in language models via perplexity estimation hila gonen et al arxiv 2022 paper https arxiv org abs 2212 04037 6 active example selection for in context learning yiming zhang et al emnlp 2022 paper https arxiv org abs 2211 04486 7 self adaptive in context learning zhiyong wu et al arxiv 2022 paper https arxiv org abs 2212 10375 8 fantastically ordered prompts and where to find them overcoming few shot prompt order sensitivity yao lu et al acl 2022 paper https arxiv org abs 2104 08786 9 structured prompting scaling in context learning to 1 000 examples hao yaru et al arxiv 2022 paper https arxiv org abs 2212 06713 10 the unreliability of explanations in few shot prompting for textual reasoning ye xi et al arxiv 2022 paper https arxiv org abs 2205 03401 11 cross task generalization via natural language crowdsourcing instructions swaroop mishra et al acl 2022 paper https arxiv org abs 2104 08773 12 prompt augmented linear probing scaling beyond the limit of few shot in context learner hyunsoo cho et al arxiv 2022 paper https arxiv org abs 2212 10873 13 an explanation of in context learning as implicit bayesian inference s ang michael xie et al iclr 2022 paper https arxiv org abs 2111 02080 14 calibrate before use improving few shot performance of language models zihao zhao et al icml 2021 paper https arxiv org abs 2102 09690 15 data distributional properties drive emergent in context learning in transformers stephanie c y chan et al arxiv 2022 paper https arxiv org abs 2205 05055 16 in context learning and induction heads catherine olsson et al arxiv 2022 paper http arxiv org abs 2209 11895 17 on the effect of pretraining corpora on in context learning by a large scale language model seongjin shin et al naacl 2022 paper https arxiv org abs 2204 13509 18 rethinking the role of demonstrations what makes in context learning work sewon min et al emnlp 2022 paper https arxiv org abs 2202 12837 19 rethinking the role of scale for in context learning an interpretability based case study at 66 billion scale hritik bansal et al arxiv 2022 paper https arxiv org abs 2212 09095 20 transformers as algorithms generalization and implicit model selection in in context learning yingcong li et al arxiv 2023 paper https arxiv org abs 2301 07067 21 transformers learn in context by gradient descent johannes von oswald et al arxiv 2022 paper https arxiv org abs 2212 07677 22 what learning algorithm is in context learning investigations with linear models ekin aky u rek et al arxiv 2022 paper https arxiv org abs 2211 15661 23 a survey for in context learning qingxiu dong et al arxiv 2023 paper https arxiv org abs 2301 00234 24 what in context learning learns in context disentangling task recognition and task learning jane pan et al arxiv 2023 paper https arxiv org abs 2305 09731 25 the learnability of in context learning noam wies et al arxiv 2023 paper https arxiv org abs 2303 07895 26 do prompt based models really understand the meaning of their prompts albert webson et al naacl 2022 paper https aclanthology org 2022 naacl main 167 27 larger language models do in context learning differently jerry wei arxiv 2023 paper https arxiv org abs 2303 03846 28 meta in context learning in large language models julian coda forno arxiv 2023 paper https arxiv org abs 2305 12907 29 symbol tuning improves in context learning in language models jerry wei arxiv 2023 paper https arxiv org abs 2305 08298 chain of thought reasoning cot 1 automatic chain of thought prompting in large language models zhuosheng zhang et al arxiv 2022 paper https arxiv org abs 2210 03493 2 chain of thought prompting elicits reasoning in large language models jason wei et al arxiv 2022 paper https arxiv org abs 2201 11903 3 star self taught reasoner bootstrapping reasoning with reasoning zelikman et al arxiv 2022 paper https arxiv org abs 2203 14465 4 large language models are zero shot reasoners takeshi kojima et al arxiv 2022 paper https arxiv org abs 2205 11916 5 automatic chain of thought prompting in large language models zhuosheng zhang et al arxiv paper http arxiv org abs 2210 03493 6 complexity based prompting for multi step reasoning yao fu et al arxiv 2022 paper https arxiv org abs 2210 00720 7 language models are multilingual chain of thought reasoners freda shi et al arxiv 2022 paper https arxiv org abs 2210 03057 8 rationale augmented ensembles in language models xuezhi wang et al arxiv 2022 paper https arxiv org abs 2207 00747 9 least to most prompting enables complex reasoning in large language models denny zhou et al arxiv 2022 paper https arxiv org abs 2205 10625 10 multimodal chain of thought reasoning in language models zhuosheng zhang et al arxiv 2023 paper https arxiv org abs 2302 00923 11 self consistency improves chain of thought reasoning in language models xuezhi wang et al arxiv 2022 paper https arxiv org abs 2203 11171 12 large language models can self improve jiaxin huang et al arxiv 2022 paper https arxiv org abs 2210 11610 13 training verifiers to solve math word problems karl cobbe et al arxiv 2021 paper https arxiv org abs 2110 14168 14 on the advance of making language models better reasoners yifei li et al arxiv 2022 paper https arxiv org abs 2206 02336 15 large language models are reasoners with self verification yixuan weng et al arxiv 2022 paper https arxiv org abs 2212 09561 16 teaching small language models to reason lucie charlotte magister et al arxiv 2022 paper https arxiv org abs 2212 08410 17 large language models are reasoning teachers namgyu ho et al arxiv 2022 paper https arxiv org abs 2212 10071 18 the unreliability of explanations in few shot prompting for textual reasoning ye xi et al arxiv 2022 paper https arxiv org abs 2205 03401 19 scaling instruction finetuned language models hyung won chung et al arxiv 2022 paper https arxiv org abs 2210 11416 20 solving quantitative reasoning problems with language models aitor lewkowycz et al arxiv 2022 paper https arxiv org abs 2206 14858 21 text and patterns for effective chain of thought it takes two to tango aman madaan et al arxiv 2022 paper https arxiv org abs 2209 07686 22 challenging big bench tasks and whether chain of thought can solve them mirac suzgun et al arxiv 2022 paper http arxiv org abs 2210 09261 23 reasoning with language model prompting a survey shuofei qiao et al arxiv 2022 paper https arxiv org abs 2212 09597 24 towards reasoning in large language models a survey jie huang et al arxiv 2022 paper https arxiv org abs 2212 10403 planning for complex task solving 1 least to most prompting enables complex reasoning in large language models denny zhou et al iclr 2023 paper https openreview net forum id wzh7099tgfm 2 pal program aided language models luyu gao et al icml 2023 paper https openreview net forum id m1fd9z00sj 3 plan and solve prompting improving zero shot chain of thought reasoning by large language models lei wang et al acl 2023 paper https arxiv org abs 2305 04091 4 progprompt generating situated robot task plans using large language models ishika singh et al icra 2022 paper https arxiv org abs 2209 11302 5 tree of thoughts deliberate problem solving with large language models shunyu yao et al arxiv 2023 paper https arxiv org abs 2305 10601 6 voyager an open ended embodied agent with large language models guanzhi wang et al arxiv 2023 paper https arxiv org abs 2305 16291 7 reflexion language agents with verbal reinforcement learning noah shinn et al arxiv 2023 paper https arxiv org abs 2303 11366 8 multimodal procedural planning via dual text image prompting yujie lu et al arxiv 2023 paper https arxiv org abs 2305 01795 9 self planning code generation with large language model xue jiang et al arxiv 2023 paper https arxiv org abs 2303 06689 10 decomposed prompting a modular approach for solving complex tasks tushar khot et al iclr 2023 paper https openreview net forum id nggzqjzary 11 toolformer language models can teach themselves to use tools timo schick et al arxiv 2023 paper https arxiv org abs 2302 04761 12 hugginggpt solving ai tasks with chatgpt and its friends in hugging face yongliang shen et al arxiv 2023 paper https arxiv org abs 2303 17580 13 faithful chain of thought reasoning qing lyu et al arxiv 2023 paper https arxiv org abs 2301 13379 14 llm p empowering large language models with optimal planning proficiency bo liu et al arxiv 2023 paper https arxiv org abs 2304 11477 15 reasoning with language model is planning with world model shibo hao et al arxiv 2023 paper https arxiv org abs 2305 14992 16 generative agents interactive simulacra of human behavior joon sung park et al arxiv 2023 paper https arxiv org abs 2304 03442 17 react synergizing reasoning and acting in language models shunyu yao et al iclr 2023 paper https openreview net forum id we vluyul x 18 chatcot tool augmented chain of thought reasoning on chat based large language models zhipeng chen et al arxiv 2023 paper https arxiv org abs 2305 14323 19 describe explain plan and select interactive planning with large language models enables open world multi task agents zihao wang et al arxiv 2023 paper https arxiv org abs 2302 01560 20 adaplanner adaptive planning from feedback with language models haotian sun et al arxiv 2023 paper https arxiv org abs 2305 16653 capacity evaluation 1 measuring massive multitask language understanding dan hendrycks et al iclr 2021 paper http arxiv org abs 2009 03300v3 2 persistent anti muslim bias in large language models abubakar abid et al aies 2021 paper http arxiv org abs 2101 05783v2 3 understanding the capabilities limitations and societal impact of large language models alex tamkin et al arxiv 2021 paper http arxiv org abs 2102 02503v1 4 behavior benchmark for everyday household activities in virtual interactive and ecological environments sanjana srivastava et al corl 2021 paper http arxiv org abs 2108 03332v1 5 program synthesis with large language models jacob austin et al arxiv 2021 paper http arxiv org abs 2108 07732v1 6 training verifiers to solve math word problems karl cobbe et al arxiv 2021 paper http arxiv org abs 2110 14168v2 7 show your work scratchpads for intermediate computation with language models maxwell i nye et al arxiv 2021 paper http arxiv org abs 2112 00114v1 8 language models as zero shot planners extracting actionable knowledge for embodied agents wenlong huang et al icml 2022 paper http arxiv org abs 2201 07207v2 9 chain of thought prompting elicits reasoning in large language models jason wei et al neurips 2022 paper http arxiv org abs 2201 11903v6 10 training language models to follow instructions with human feedback long ouyang et al arxiv 2022 paper http arxiv org abs 2203 02155v1 11 competition level code generation with alphacode yujia li et al science 2022 paper http arxiv org abs 2203 07814v1 12 do as i can not as i say grounding language in robotic affordances michael ahn et al arxiv 2022 paper http arxiv org abs 2204 01691v2 13 training a helpful and harmless assistant with reinforcement learning from human feedback yuntao bai et al arxiv 2022 paper http arxiv org abs 2204 05862v1 14 autoformalization with large language models yuhuai wu et al neurips 2022 paper http arxiv org abs 2205 12615v1 15 beyond the imitation game quantifying and extrapolating the capabilities of language models aarohi srivastava et al arxiv 2022 paper https arxiv org abs 2206 04615 16 exploring length generalization in large language models cem anil et al neurips 2022 paper http arxiv org abs 2207 04901v2 17 few shot learning with retrieval augmented language models gautier izacard et al arxiv 2022 paper https arxiv org abs 2208 03299 18 limitations of language models in arithmetic and symbolic induction jing qian et al arxiv 2022 paper http arxiv org abs 2208 05051v1 19 code as policies language model programs for embodied control jacky liang et al arxiv 2022 paper http arxiv org abs 2209 07753v3 20 progprompt generating situated robot task plans using large language models ishika singh et al arxiv 2022 paper http arxiv org abs 2209 11302v1 21 law informs code a legal informatics approach to aligning artificial intelligence with humans john j nay et al arxiv 2022 paper http arxiv org abs 2209 13020v13 22 language models are greedy reasoners a systematic formal analysis of chain of thought abulhair saparov et al iclr 2023 paper http arxiv org abs 2210 01240v4 23 language models are multilingual chain of thought reasoners freda shi et al iclr 2023 paper http arxiv org abs 2210 03057v1 24 re3 generating longer stories with recursive reprompting and revision kevin yang et al emnlp 2022 paper http arxiv org abs 2210 06774v3 25 language models of code are few shot commonsense learners aman madaan et al emnlp 2022 paper http arxiv org abs 2210 07128v3 26 challenging big bench tasks and whether chain of thought can solve them mirac suzgun et al arxiv 2022 paper http arxiv org abs 2210 09261v1 27 large language models can self improve jiaxin huang et al arxiv 2022 paper https arxiv org abs 2210 11610 28 draft sketch and prove guiding formal theorem provers with informal proofs albert q jiang et al iclr 2023 paper http arxiv org abs 2210 12283v3 29 holistic evaluation of language models percy liang et al arxiv 2022 paper https arxiv org abs 2211 09110 30 pal program aided language models luyu gao et al arxiv 2022 paper https arxiv org abs 2211 10435 31 legal prompt engineering for multilingual legal judgement prediction dietrich trautmann et al arxiv 2022 paper http arxiv org abs 2212 02199v1 32 how does chatgpt perform on the medical licensing exams the implications of large language models for medical education and knowledge assessment aidan gilson et al medrxiv 2022 paper https www medrxiv org content 10 1101 2022 12 23 22283901v1 33 chatgpt the end of online exam integrity teo susnjak et al arxiv 2022 paper http arxiv org abs 2212 09292v1 34 large language models are reasoners with self verification yixuan weng et al arxiv 2022 paper https arxiv org abs 2212 09561 35 self instruct aligning language model with self generated instructions yizhong wang et al arxiv 2022 paper http arxiv org abs 2212 10560v1 36 chatgpt makes medicine easy to swallow an exploratory case study on simplified radiology reports katharina jeblick et al arxiv 2022 paper http arxiv org abs 2212 14882v1 37 the end of programming matt welsh et al acm 2023 paper https cacm acm org magazines 2023 1 267976 the end of programming fulltext 38 chatgpt goes to law school choi jonathan h et al ssrn 2023 paper https papers ssrn com sol3 papers cfm abstract id 4335905 39 how close is chatgpt to human experts comparison corpus evaluation and detection biyang guo et al arxiv 2023 paper https arxiv org abs 2301 07597v1 40 is chatgpt a good translator a preliminary study wenxiang jiao et al arxiv 2023 paper https arxiv org abs 2301 08745v3 41 could an artificial intelligence agent pass an introductory physics course gerd kortemeyer et al arxiv 2023 paper https arxiv org abs 2301 12127v2 42 mathematical capabilities of chatgpt simon frieder et al arxiv 2023 paper https arxiv org abs 2301 13867v1 43 synthetic prompting generating chain of thought demonstrations for large language models zhihong shao et al arxiv 2023 paper http arxiv org abs 2302 00618v1 44 grounding large language models in interactive environments with online reinforcement learning thomas carta et al arxiv 2023 paper https arxiv org abs 2302 02662v1 45 evaluating chatgpt as an adjunct for radiologic decision making arya yao et al medrxiv 2023 paper https www medrxiv org content 10 1101 2023 02 02 23285399v1 46 theory of mind may have spontaneously emerged in large language models michal kosinski et al arxiv 2023 paper http arxiv org abs 2302 02083v3 47 a categorical archive of chatgpt failures ali borji et al arxiv 2023 paper https arxiv org abs 2302 03494v7 48 a multitask multilingual multimodal evaluation of chatgpt on reasoning hallucination and interactivity yejin bang et al arxiv 2023 paper http arxiv org abs 2302 04023v2 49 toolformer language models can teach themselves to use tools timo schick et al arxiv 2023 paper http arxiv org abs 2302 04761v1 50 is chatgpt a general purpose natural language processing task solver chengwei qin et al arxiv 2023 paper http arxiv org abs 2302 06476v2 51 how good are gpt models at machine translation a comprehensive evaluation hendy amr et al arxiv 2023 paper http arxiv org abs 2302 09210 52 can chatgpt understand too a comparative study on chatgpt and fine tuned bert qihuang zhong et al arxiv 2023 paper https arxiv org abs 2302 10198v2 53 zero shot information extraction via chatting with chatgpt xiang wei et al arxiv 2023 paper https arxiv org abs 2302 10205v1 54 chatgpt jack of all trades master of none jan kocon et al arxiv 2023 paper http arxiv org abs 2302 10724v1 55 on the robustness of chatgpt an adversarial and out of distribution perspective jindong wang et al arxiv 2023 paper https arxiv org abs 2302 12095v4 56 check your facts and try again improving large language models with external knowledge and automated feedback baolin peng et al arxiv 2023 paper http arxiv org abs 2302 12813v3 57 an independent evaluation of chatgpt on mathematical word problems mwp paulo shakarian et al arxiv 2023 paper https arxiv org abs 2302 13814v2 58 how robust is gpt 3 5 to predecessors a comprehensive study on language understanding tasks chen xuanting et al arxiv 2023 paper http arxiv org abs 2303 00293v1 59 the utility of chatgpt for cancer treatment information shen chen et al medrxiv 2023 paper https www medrxiv org content 10 1101 2023 03 16 23287316v1 60 can chatgpt assess human personalities a general evaluation framework haocong rao et al arxiv 2023 paper https arxiv org abs 2303 01248v2 61 will affective computing emerge from foundation models and general ai a first evaluation on chatgpt mostafa m amin et al arxiv 2023 paper https arxiv org abs 2303 03186v1 62 exploring the feasibility of chatgpt for event extraction jun gao et al arxiv 2023 paper https arxiv org abs 2303 03836v2 63 does synthetic data generation of llms help clinical text mining tang ruixiang et al arxiv 2023 paper http arxiv org abs 2303 04360v1 64 consistency analysis of chatgpt myeongjun jang et al arxiv 2023 paper http arxiv org abs 2303 06273v1 65 self planning code generation with large language model shun zhang et al iclr 2023 paper http arxiv org abs 2303 06689v1 66 evaluation of chatgpt as a question answering system for answering complex questions yiming tan et al arxiv 2023 paper https arxiv org abs 2303 07992 67 gpt 4 technical report openai et al openai 2023 paper http arxiv org abs 2303 08774v3 68 a short survey of viewing large language models in legal aspect zhongxiang sun et al arxiv 2023 paper http arxiv org abs 2303 09136v1 69 chatgpt participates in a computer science exam sebastian bordt et al arxiv 2023 paper https arxiv org abs 2303 09461v2 70 a comprehensive capability analysis of gpt 3 and gpt 3 5 series models junjie ye et al arxiv 2023 paper https arxiv org abs 2303 10420v1 71 on the educational impact of chatgpt is artificial intelligence ready to obtain a university degree kamil malinka et al arxiv 2023 paper http arxiv org abs 2303 11146v1 72 sparks of artificial general intelligence early experiments with gpt 4 s ebastien bubeck et al arxiv 2023 paper http arxiv org abs 2303 12712v3 73 is chatgpt a good keyphrase generator a preliminary study mingyang song et al arxiv 2023 paper https arxiv org abs 2303 13001v1 74 capabilities of gpt 4 on medical challenge problems harsha nori et al arxiv 2023 paper https arxiv org abs 2303 13375v1 75 can we trust the evaluation on chatgpt rachith aiyappa et al arxiv 2023 paper https arxiv org abs 2303 12767 76 chatgpt outperforms crowd workers for text annotation tasks fabrizio gilardi et al arxiv 2023 paper http arxiv org abs 2303 15056v1 77 evaluation of chatgpt for nlp based mental health applications bishal lamichhane et al arxiv 2023 paper https arxiv org abs 2303 15727v1 78 chatgpt is a knowledgeable but inexperienced solver an investigation of commonsense problem in large language models bian ning et al arxiv 2023 paper http arxiv org abs 2303 16421v1 79 evaluating gpt 3 5 and gpt 4 models on brazilian university admission exams desnes nunes et al arxiv 2023 paper https arxiv org abs 2303 17003v1 80 humans in humans out on gpt converging toward common sense in both success and failure philipp koralus et al arxiv 2023 paper https arxiv org abs 2303 17276v1 81 yes but can chatgpt identify entities in historical documents carlos emiliano gonz lez gallardo et al arxiv 2023 paper https arxiv org abs 2303 17322v1 82 uncovering chatgpt s capabilities in recommender systems sunhao dai et al arxiv 2023 paper https arxiv org abs 2305 02182 83 editing large language models problems methods and opportunities yunzhi yao et al arxiv 2023 paper https arxiv org abs 2305 13172 84 red teaming chatgpt via jailbreaking bias robustness reliability and toxicity terry yue zhuo et al arxiv 2023 paper https arxiv org abs 2301 12867 85 on robustness of prompt based semantic parsing with large pre trained language model an empirical study on codex terry yue zhuo et al eacl 2023 paper https arxiv org abs 2301 12868 86 a systematic study and comprehensive evaluation of chatgpt on benchmark datasets laskar et al acl 23 paper https arxiv org abs 2305 18486 87 red teaming large language models using chain of utterances for safety alignment rishabh bhardwaj et al arxiv 2023 paper https arxiv org abs 2308 09662 the team here is the list of our student contributors in each section section student contributors the whole paper kun zhou junyi li overview resources of llms yingqian min lead chen yang pretraining yupeng hou lead junjie zhang zican dong yushuo chen adaptaion tuning tianyi tang lead jinhao jiang ruiyang ren zikang liu peiyu liu utilization xiaolei wang lead yifan du xinyu tang capacity evaluation beichen zhang lead zhipeng chen yifan li acknowledgments the authors would like to thank yankai lin and yutao zhu for proofreading this paper since the first release of this paper we have received a number of valuable comments from the readers we sincerely thank the readers who have written to us with constructive suggestions and comments tyler suard damai dai liang ding stella biderman kevin gray jay alammar and yubo feng update log version time update content v1 2023 03 31 the initial version v2 2023 04 09 add the affiliation information br revise figure 1 and table 1 and clarify the br corresponding selection criterion for llms br improve the writing br correct some minor errors v3 2023 04 11 correct the errors for library resources v4 2023 04 12 revise figure 1 and table 1 and clarify the release date of llms v5 2023 04 16 add a new section 2 2 about br the technical evolution of gpt series models v6 2023 04 24 add some new models in table 1 and figure 1 br add the discussion about scaling laws br add some explanations about the br model sizes for emergent abilities section 2 1 br add an illustrative figure for the attention patterns br for different architectures in figure 4 br add the detailed formulas in table 4 v7 2023 04 25 revise some copy errors in figures and tables v8 2023 04 27 add efficient tuning in section 5 3 v9 2023 04 28 revise section 5 3 v10 2023 05 07 revise table 1 table 2 and some minor points v11 br major revision 2023 06 29 section 1 add figure 1 for the trends of published br llm papers in arxiv br section 2 add figure 3 for gpt s evolution and the br corresponding discussion br section 3 add figure 4 for llama family and the br corresponding discussion br section 5 add latest discussion about the synthetic br data formatting of instruction tuning in section 5 1 1 br the empirical analysis for instruction tuning in sec br tion 5 1 4 parameter efficient model adaptation in br section 5 3 and memory efficient adaptation in sec br tion 5 4 br section 6 add latest discussion about the underlying br mechanism of icl 6 1 3 planning for complex task br solving in section 6 3 br section 7 add table 10 for representative datasets for br evaluating advanced abilities of llms and empirical br ability evaluation in section 7 3 2 br section 8 add prompt design br section 9 add the discussions on applications of br llms in finance and scientific research domains
chain-of-thought chatgpt in-context-learning instruction-tuning large-language-models llm llms natural-language-processing pre-trained-language-models pre-training rlhf
ai
AndroidContactViewer
android contact viewer this project is a simple contact viewer application for a mobile development class mockup https msseguicourse mybalsamiq com mockups 695395 png key 790f81895812050eb89a6b825a961e343daf153d the problem people today have lots of email address and phone numbers its useful to have all this information on file in a mobile application but cumbersome to have to remember the best email or phone number to use the solution our contact viewer app will allow the user to manage infinate email address and phone numbers for any contact one email address will be marked as a default for emailing as well as a default phone for text messages and a default phone for traditional voice calling these defaults will be available for easy access when a user selects a contact the user can also drill into the contact to call any number or email and address on file for the contact contact list screen the contact list screen will be a simple scrollable table view showing the contacts name company and picture a search bar will allow filtering the list to find a contact more easily there is also a button in the title bar to add a new contact launch screen when the user taps a contacts row a launch screen will appear with buttons to call text message or email the contact there will also be a profile button that allows the user to view the full user profile profile screen the profile screen allows the user to see all of the user details and to initiate a text message phone call or email to any of the contacts numbers email address it also offers an edit button that allows the user to edit the contacts profile edit contact screen the edit profile screen allows the user to add and remove phone numbers and email address it also has a message bubble icon and a phone icon next to each of the phone numbers only one of each icon can be highlighted for all of a users phone numbers the number with the highlighted icon will be used for text messaging or phone calls from the launch screen each email has an email icon only one of which can be highlighted for all of a contacts email addresses the email with the highlighted icon will be used when sending email from the launch screen
front_end
next-mobile-boilerplate
next mobile boilerplate a next mobile boilerplate using ant design mobile with full support from development to deployment features ant design mobile as mobile ui express server customization combines prettier and eslint in pre commit hook using lint staged stop worrying about shit code slip into your code base pm2 as the production process manager http proxy middleware for remote server api proxy to avoid cors error assets hash for production static resources version control getting started bash git clone https github com posrix next mobile boilerplate my project cd my project npm install npm run dev deployment first git clone your project to production server then simply type sh deploy sh by default production server will listen at port 3100 modify config env js for customization license the mit license mit please see license file license md for more information
nextjs react ssr mobile boilerplate ant-design-mobile
front_end
Machine-Learning-Algorithms
machine learning algorithms this is the code repository for machine learning algorithms https www packtpub com big data and business intelligence machine learning algorithms utm source github utm medium repository utm campaign 9781785889622 published by packt https www packtpub com utm source github it contains all the supporting project files necessary to work through the book from start to finish about the book in this book you will learn all the important machine learning algorithms that are commonly used in the field of data science these algorithms can be used for supervised as well as unsupervised learning reinforcement learning and semi supervised learning a few famous algorithms that are covered in this book are linear regression logistic regression svm na ve bayes k means random forest xgbooster and feature engineering in this book you will also learn how these algorithms work and their practical implementation to resolve your problems this book will also introduce you to the natural processing language and recommendation systems which help you run multiple algorithms simultaneously on completion of the book you will have mastered selecting machine learning algorithms for clustering classification or regression based on for your problem instructions and navigation all of the code is organized into folders each folder starts with a number followed by the application name for example chapter02 the code will look like the following nn nearestneighbors n neighbors 10 radius 5 0 metric hamming nn fit items there are no particular mathematical prerequisites however to fully understand all the algorithms it s important to have a basic knowledge of linear algebra probability theory and calculus chapters 1 and 2 do not contain any code as they cover introductory theoretical concepts all practical examples are written in python and use the scikit learn machine learning framework natural language toolkit nltk crab langdetect spark gensim and tensorflow deep learning framework these are available for linux mac os x and windows with python 2 7 and 3 3 when a particular framework is employed for a specific task detailed instructions and references will be provided scikit learn nltk and tensorflow can be installed by following the instructions provided on these websites http scikit learn org http www nltk org and https www tensorflow org related products learning functional data structures and algorithms https www packtpub com application development learning functional data structures and algorithms utm source github utm medium repository utm campaign 9781785888731 machine learning using advanced algorithms and visualization in r video https www packtpub com big data and business intelligence machine learning using advanced algorithms and visualization r vi utm source github utm medium repository utm campaign 9781788294980 learning javascript data structures and algorithms second edition https www packtpub com web development learning javascript data structures and algorithms second edition utm source github utm medium repository utm campaign 9781785285493 download a free pdf i if you have already purchased a print or kindle version of this book you can get a drm free pdf version at no cost br simply click on the link to claim your free pdf i p align center a href https packt link free ebook 9781785889622 https packt link free ebook 9781785889622 a p
ai
012_Qt
012 qt qt for c c java python gui design embedded system webassembly webgl shader and cross platform
os
awesome-substrate
awesome substrate awesome https awesome re badge flat svg https awesome re an awesome list is a list of awesome things curated by the substrate community substrate is a framework for building upgradable modular and efficient blockchains substrate is an open source library of rust https www rust lang org code that is maintained by parity technologies https www parity io source code available on github https github com paritytech substrate contents resources resources support support social social events events blogs blogs videos videos templates templates frame pallets frame pallets framework extensions framework extensions client libraries client libraries mobile mobile tools tools products and services products and services alternative implementations alternative implementations scale codec scale codec resources dotjobs https dotjobs net a job board for the substrate and polkadot ecosystem projects maintained by stateless money https stateless money developer hub github https github com substrate developer hub substrate developer hub repositories ecosystem projects https substrate io ecosystem projects projects and teams building with substrate polkadot stack https github com w3f grants program blob master docs polkadot stack md an awesome list maintained by our friends at web3 foundation https web3 foundation official homepage https substrate io vision ecosystem opportunities and much more docs https docs substrate io developer documentation tutorials https docs substrate io tutorials guided exercises to get you started how to guides https docs substrate io how to guides workflows outlined to achieve a specific goal reference docs https docs substrate io rustdocs versioned api documentation technical papers polkadot lightpaper https polkadot network polkadot lightpaper pdf polkadot vision for a heterogeneous multi chain framework https github com polkadot io polkadotpaper raw master polkadotpaper pdf overview of polkadot and its design considerations https arxiv org abs 2005 13456 pdf chinese translation https github com amadeusgb overview of polkadot by community support builders program https substrate io ecosystem substrate builders program white glove solutions and dedicated support team for visionary teams using substrate stack exchange https substrate stackexchange com the best place for all technical questions web3 foundation grants https web3 foundation grants funding for ecosystem development polkadot treasury https wiki polkadot network docs learn treasury creating a treasury proposal the treasury funds are allocated through the voting on spending proposal social substrate developers chat telegram https t me substratedevs chat with other substrate developers also bridged to matrix https matrix to substratedevs matrix org twitter https twitter com substrate io follow us to stay up to date polkaverse https polkaverse com a decentralized news feed style social platform for the polkadot community to discuss share knowledge post ecosystem updates and interact with posts built on top of subsocial https subsocial network events sub0 developer conference https sub0 parity io semiannual online and in person for all things substrate substrate seminar https substrate io ecosystem resources seminar bi weekly collaborative learning sessions blogs dotleap https dotleap com polkadot and substrate community blog and newsletter official https www parity io blog tag parity substrate published by parity videos parity youtube https www youtube com c paritytech substrate seminar youtube archive https www youtube com playlist list plp0 uexy enxrfoaw7studeqh10ydvfos sub0 conference nov 2022 https youtube com playlist list ploywqupz wgvywlqjdsmiydcn8qea2shq sub0 conference oct 2020 https www youtube com playlist list plp0 uexy enuzk1rueau9ly5h0wy5fuls sub0 conference dec 2019 https www youtube com playlist list plp0 uexy enwz4uze7rm0hdt8z ztju5v sub0 conference apr 2019 https www youtube com playlist list plp0 uexy enwqrfp vr4plhzqj76flt8y polkadot network technical explainers https www youtube com playlist list ploywqupz wguaus00rk pebtmaoxw41w8 substrate seminar twitch https www twitch tv polkadotdev biweekly stream hosted by polkadot developers twitch old seminar crowdcast https www crowdcast io e substrate seminar 2 seminar archive older seminar crowdcast https www crowdcast io e substrate seminar older still seminar archive substrate a rustic vision for polkadot by gavin wood at web3 summit 2018 https www youtube com watch v 0iouzddi5is templates base https github com substrate developer hub substrate node template minimal frame based node derived from upstream https github com paritytech substrate tree master bin node template frontier https github com paritytech frontier tree master template fronter enabled evm and ethereum rpc compatible substrate node ready for hacking front end https github com substrate developer hub substrate front end template polkadot js api and react https reactjs org app to build front ends for substrate based chains parachain https github com substrate developer hub substrate parachain template cumulus enabled substrate node derived from upstream https github com paritytech cumulus tree master parachain template substrate stencil https github com kaichaosun substrate stencil a template for a substrate node that includes staking and governance capabilities polkadot js api ts template https github com kianenigma polkadot js api ts template a template project to kickstart hacking on top of polkadot api ink athon https inkathon xyz full stack dapp boilerplate with ink smart contracts and a react frontend using the useinkathon listed below hooks library maintained by scio labs https scio xyz subsocial starter kit https docs subsocial network docs develop developer quickstart a starter kit for building web3 social apps for the polkadot ecosystem powered by the subsocial blockchain https subsocial network frame pallets chainlink feed pallet https github com smartcontractkit chainlink polkadot chainlink feed token interface official in substrate https github com paritytech substrate tree master frame large collection parity maintained open runtime module library orml https github com open web3 stack open runtime module library community maintained collection of substrate runtime modules sunshine bounty https github com sunshine protocol sunshine bounty tree master pallets distributed autonomous organization dao for administering a bounty program sunshine identity https github com sunshine protocol sunshine keybase tree master identity pallet keybase inspired identity management sunshine faucet https github com sunshine protocol sunshine keybase tree master faucet pallet dispense resources for a development chain rmrk pallets https github com rmrk team rmrk substrate nested conditional multi resourced nfts framework extensions bridges https github com paritytech parity bridges common a collection of tools for cross chain communication cumulus https github com paritytech cumulus a set of tools for writing substrate based polkadot parachains frame https docs substrate io v3 runtime frame a system for building substrate runtimes frontier https github com paritytech frontier end to end ethereum emulation for substrate chains ink https github com paritytech ink rust smart contract language for substrate chains integritee https book integritee network trusted off chain execution framework that uses intel sgx https en wikipedia org wiki software guard extensions trusted execution environments polkadot js https polkadot js org rich javascript api framework for front end development client libraries net api https github com usetech llc polkadot api dotnet maintained by usetech https usetech com blockchain net substrate api https github com ajuna network ajuna netapi used in nuget https www nuget org packages ajuna netapi and unity example https github com ajuna network substratenet tree master substratenet unitydemo maintained by ajuna network https ajuna io net toolchain sdk https github com ajuna network ajuna sdk toolchain for substrate net pre generated substratenet https github com ajuna network substratenet maintained by ajuna network go substrate gen https github com aphoh go substrate gen generate go de serialization client code from substrate metadata sube https github com virto network sube lightweight rust client library and cli with support for type information subxt https github com paritytech substrate subxt official rust client c api https github com usetech llc polkadot api cpp maintained by usetech go rpc client https github com centrifuge go substrate rpc client maintained by centrifuge https centrifuge io kotlin client https github com nodlecode substrate client kotlin maintained by nodle io https github com nodlecode polkadot js api https github com polkadot js api semi official javascript library for substrate based chains python interface https github com polkascan py substrate interface maintained by polkascan foundation https polkascan org rust api client https github com scs substrate api client rust client maintained by supercomputers systems ag https www scs ch subscan go utilities https github com itering subscan essentials ss58 and more developed by subscan sub api https github com kodadot packages tree main sub api friendly wrapper for polkadot js api maintained by kodadot useinkathon https github com scio labs use inkathon typesafe react hooks library abstracting functionality by polkadot js for working with substrate based networks and ink smart contracts maintained by scio labs subsocial js sdk https github com dappforce subsocial js a js sdk for developers to build web3 social apps on top of subsocial mobile fearless utils android https github com soramitsu fearless utils android android substrate tools fearless utils ios https github com soramitsu fearless utils ios ios substrate tools nova substrate sdk android https github com nova wallet substrate sdk android substrate sdk and tools for android nova substrate sdk ios https github com nova wallet substrate sdk ios substrate sdk and tools for ios polkadot dart https github com pocket4d polkadot dart dart substrate api polkawallet sdk https github com polkawallet io sdk flutter sdk for substrate based app react native substrate sign https github com paritytech react native substrate sign rust library for react native tools offline election https github com paritytech substrate debug kit tree master offline election tool to predict nominated proof of stake elections offchain ipfs https rs ipfs github io offchain ipfs manual substrate infused with ipfs https ipfs io polkadot js bundle https github com shawntabrizi polkadot js bundle a standalone js bundle that contains polkadot js libraries polkadot launch https github com shawntabrizi polkadot launch simple cli tool to launch a local polkadot test network polkadot runtime prom exporter https github com paritytech polkadot runtime prom exporter a prometheus https prometheus io exporter for polkadot runtime metrics modifiable for substrate use polkadot scripts https github com paritytech polkadot scripts a collection of scripts parity uses to diagnose polkadot kusama polkadot starship https github com koute polkadot starship another tool to launch a local polkadot test network with emphasis on the ability to run big testnets srtool actions https github com chevdor srtool actions github actions to easily use the srtool docker image to build your own runtime srtool cli https github com chevdor srtool cli cli frontend for the srtool docker image srtool https github com paritytech srtool docker image to deterministically build a runtime subsee https github com ascjones subsee cli to inspect metadata of a substrate node as json subalfred https github com hack ink subalfred an all in one substrate development toolbox substrate balance calculator https github com shawntabrizi substrate balance calculator breakdown the balances of your substrate account substrate balance graph https github com shawntabrizi substrate balance graph create a graph of the token balance over time of a substrate address substrate graph benchmarks https github com shawntabrizi substrate graph benchmarks graph the benchmark output of frame pallets substrate js utils https github com shawntabrizi substrate js utilities a set of useful javascript utilities for substrate that uses the polkadot js api also deployed as a website https www shawntabrizi com substrate js utilities substrate society https github com shawntabrizi substrate society a basic front end for the frame society pallet substrate toml lint https github com shawntabrizi substrate toml lint a toml parser and checker to avoid common errors in substrate projects subwasm https github com chevdor subwasm cli to inspect a runtime wasm blob offline it shows information metadata and can compare runtimes it can also help you fetch a runtime directly from a node sup https github com clearloop sup command line tool for generating or upgrading a substrate node scale value https github com paritytech scale value analogous to serde json but for scale library to decode arbitrary scale encoded bytes into a dynamic value given type info from scale info scale decode https github com paritytech scale decode decode scale bytes into arbitrary custom types by implementing a visitor trait aleph im https aleph im scalable decentralized database file storage and computation services for substrate chains and more archive https github com paritytech substrate archive indexing engine for substrate chains dev hub utils https github com danforbes substrate devhub utils unofficial utilities for working with official substrate developer hub resources europa https github com patractlabs europa a sandbox for the substrate runtime execution environment fork off substrate https github com maxsam4 fork off substrate script to help bootstrap a new chain with the state of a running chain fudge https github com centrifuge fudge core lib for accessing and arbitrarily manipulating substrate databases including the building and importing of local blocks gantree library https github com gantree io gantree lib nodejs a suite of technologies for managing substrate powered parachain networks via rapid spin up tear down halva https github com halva suite halva a toolchain for improving the experience of developing on substrate hydra https github com joystream hydra a graphql framework for substrate nodes jupiter https github com patractlabs jupiter testnet for smart contracts written for the frame contracts pallet and ink megaclite https github com patractlabs megaclite zero knowledge tools for the polkadot ecosystem metadata portal https nova wallet github io metadata portal a self hosted webpage that shows the latest metadata and chain specs for any given network minimark https github com kodadot packages implementation of rmrk nft v1 v2 protocol maintained by kodadot nova polkadot utils https github com nova wallet nova utils contains static info metadata to support client apps in polkadot ecosystem to map it to various netowrks polkadot vault https signer parity io formerly parity signer upcycle an unused mobile phone into an air gapped hardware wallet polkadot panic https github com simplyvc panic polkadot monitoring and alerting solution for polkadot nodes by simply vc compatible with many substrate chains polkadot tool index https wiki polkadot network docs build tools index list of tools available for your development with polkadot and any substrate chain including block explorers wallets network monitoring reporting clients benchmarking fuzzing forking scale codec cli tools and much more polkadot js apps ui https polkadot js org apps semi official block explorer front end for substrate based chains polkadot js extension https github com polkadot js extension browser extension for interacting with substrate based chains polkascan https polkascan io multi chain block explorer maintained by polkascan foundation proxy hot wallet demo https github com emostov proxy hot wallet a demonstration of a secure convenient and flexible hot wallet architecture built on substrate primitives redspot https github com patractlabs redspot a truffle https www trufflesuite com truffle like toolkit for smart contracts for the frame contracts pallet and ink sidecar https github com paritytech substrate api sidecar rest service that runs alongside substrate nodes ss58 transform https polkadot subscan io tools ss58 transform display key s addressees with all ss58 prefixes staking rewards collector https github com w3f staking rewards collector a script to parse and output staking rewards for a given kusama or polkadot address and cross reference them with daily price data subkey https docs substrate io reference command line tools subkey command line utility for working with cryptographic keys subquery https subquery network a graphql indexer and query service that allows users to easily create indexed data sources and host them online for free nova subquery api https github com nova wallet subquery nova a subquery api implementation for operation history and staking analytics subscan https www subscan io multi network explorer for substrate based chains subsquid https subsquid io an indexing framework sdk infrastructure to quickly and easily turn substrate and evm on chain data into apis and host them substate https github com arrudagates substate 100 no std wasm compatible substrate storage key generator library for rust substrate debug kit https github com paritytech substrate debug kit a collection of tools and libraries for debugging substrate based chains substrate docker builders https github com eteissonniere substrate nodeops a set of dockerfiles and github actions to auto build and push a docker image for substrate based chains substrate faucet bot https github com starkleytech substrate faucet python based faucet for development purposes substrate graph https github com playzero substrate graph graphql indexer for substrate based chains typechain polkadot https github com supercolony net typechain polkadot hepls users to generate typescript types from contract abis ink and generate runtime code to interact with contracts and deploy them txwrapper https github com paritytech txwrapper helpful library for offline transaction creation vscode substrate https marketplace visualstudio com items itemname paritytech vscode substrate plugin for visual studio code polkaholic io https polkaholic io multi chain block explorer with api and defi support across 40 parachains subid https github com dappforce subid an advanced cross chain portfolio management tool for the polkadot ecosystem allowing any user to see their balances across chains view their crowdloan history view their nfts across polkadot ecosystem chains claim their vested tokens and perform cross chain transfers subsocial sdk playground https play subsocial network subsocial js sdk playground allows you to fetch spaces send transactions on blockchain and test the sdk code snippets on the go without the need to download or setup anything locally uptest runtime upgrade tool https github com uptest sc uptest uptest command line client and libuptest rust library are two tools used for debugging storage changes and runtime upgrades products and services onfinality https onfinality io free and paid services to shared substrate based nodes privhost https privhost laissez faire trade public tor onion supported nodes for polkadot kusama and edgeware substrate devops guide https paritytech github io devops guide parity devops team s configuration and guidance on deploying monitoring and maintaining node infrastructure alternative implementations gossamer https github com chainsafe gossamer a polkadot client implemented in go from chainsafe https chainsafe io kagome https kagome readthedocs io en latest a c 17 implementation of the polkadot client from soramitsu http www soramitsu co jp limechain assemblyscript runtime https github com limechain as substrate runtime an account based substrate proof of concept runtime written in assemblyscript from limechain https limechain tech scale codec assemblyscript https github com limechain as scale codec maintained by limechain c https github com matthewdarnell cscale maintained by matthew darnell c https github com soramitsu scale codec cpp maintained by soramitsu codec definition https docs substrate io v3 advanced scale codec official codec documentation go https github com itering scale go maintained by itering https www itering com haskell https github com airalab hs web3 tree master src codec maintained by robonomics network https robonomics network java https github com emeraldpay polkaj tree master polkaj scale maintained by emerald https emerald cash parity scale codec https github com paritytech parity scale codec reference implementation written in rust python https github com polkascan py scale codec maintained by polkascan foundation ruby https github com itering scale rb maintained by itering scales https github com virto network scales serializing scale using type information from a type registry javascript typescript implementations paritytech parity scale codec ts https github com paritytech parity scale codec ts maintained by parity technologies polkadot js api https github com polkadot js api tree master packages types maintained by polkadot js scale ts https github com unstoppablejs unstoppablejs tree main packages scale ts scale ts maintained by josep m sobrepere soramitsu scale codec js library https github com soramitsu scale codec js library maintained by soramitsu
substrate polkadot blockchain rust kusama cryptocurrency cryptography networking consensus distributed-systems decentralization awesome awesome-list
blockchain
task-management-frontend
task management application front end this application acts as the front end for the task management application developed throughout the nestjs zero to hero course produced by ariel weinberger
front_end
SQL_Challenges
sql homework employee database a mystery in two parts sql png sql png background it is a beautiful spring day and it is two weeks since you have been hired as a new data engineer at pewlett hackard your first major task is a research project on employees of the corporation from the 1980s and 1990s all that remain of the database of employees from that period are six csv files in this assignment you will design the tables to hold data in the csvs import the csvs into a sql database and answer questions about the data in other words you will perform 1 data engineering 3 data analysis note you may hear the term data modeling in place of data engineering but they are the same terms data engineering is the more modern wording instead of data modeling before you begin 1 create a new repository for this project called sql challenge do not add this homework to an existing repository 2 clone the new repository to your computer 3 inside your local git repository create a directory for the sql challenge use a folder name to correspond to the challenge employeesql 4 add your files to this folder 5 push the above changes to github instructions data modeling inspect the csvs and sketch out an erd of the tables feel free to use a tool like http www quickdatabasediagrams com http www quickdatabasediagrams com data engineering use the information you have to create a table schema for each of the six csv files remember to specify data types primary keys foreign keys and other constraints for the primary keys check to see if the column is unique otherwise create a composite key https en wikipedia org wiki compound key which takes to primary keys in order to uniquely identify a row be sure to create tables in the correct order to handle foreign keys import each csv file into the corresponding sql table note be sure to import the data in the same order that the tables were created and account for the headers when importing to avoid errors data analysis once you have a complete database do the following 1 list the following details of each employee employee number last name first name sex and salary 2 list first name last name and hire date for employees who were hired in 1986 3 list the manager of each department with the following information department number department name the manager s employee number last name first name 4 list the department of each employee with the following information employee number last name first name and department name 5 list first name last name and sex for employees whose first name is hercules and last names begin with b 6 list all employees in the sales department including their employee number last name first name and department name 7 list all employees in the sales and development departments including their employee number last name first name and department name 8 in descending order list the frequency count of employee last names i e how many employees share each last name bonus optional as you examine the data you are overcome with a creeping suspicion that the dataset is fake you surmise that your boss handed you spurious data in order to test the data engineering skills of a new employee to confirm your hunch you decide to take the following steps to generate a visualization of the data with which you will confront your boss 1 import the sql database into pandas yes you could read the csvs directly in pandas but you are after all trying to prove your technical mettle this step may require some research feel free to use the code below to get started be sure to make any necessary modifications for your username password host port and database name sql from sqlalchemy import create engine engine create engine postgresql localhost 5432 your db name connection engine connect consult sqlalchemy documentation https docs sqlalchemy org en latest core engines html postgresql for more information if using a password do not upload your password to your github repository see https www youtube com watch v 2uatpmnvh0i https www youtube com watch v 2uatpmnvh0i and https help github com en github using git ignoring files https help github com en github using git ignoring files for more information 2 create a histogram to visualize the most common salary ranges for employees 3 create a bar chart of average salary by title epilogue evidence in hand you march into your boss s office and present the visualization with a sly grin your boss thanks you for your work on your way out of the office you hear the words search your id number you look down at your badge to see that your employee id number is 499942 submission create an image file of your erd create a sql file of your table schemata create a sql file of your queries optional create a jupyter notebook of the bonus analysis create and upload a repository with the above files to github and post a link on bootcamp spot ensure your repository has regular commits i e 20 commits and a thorough readme md file rubric unit 9 rubric sql homework employee database a mystery in two parts https docs google com document d 1oksntynct0v0e vkhimj9 ig0 oxnwczajlkv0avmkq edit usp sharing references mockaroo llc 2021 realistic data generator https www mockaroo com https www mockaroo com 2021 trilogy education services llc a 2u inc brand confidential and proprietary all rights reserved
server
EMBEDDED-SYSTEMS-LAB-CS-1653-
embedded systems lab cs 1653 spectrum for this is wide enough and will cover lot of the embedded technologies lying in currently in real world digital system design using logic elements is one part of lab next will be working with microcontrollers 8051 pic cortex m or arm amp else assignments concerning design of some real time systems either with processor controllers or asic technology are added portion next thing covered will be fpga with programming in hdl vhdl or verilog working with technologies will involve interfacing with real ti me environment through sensors and actuators intent of this will be to give real view of embedded technologies and applications leading to robotics and mechatronics
os
stlive
this app is now out of date and not supported live edit sencha touch jquery mobile phonegap cordova apps if you re developing in a javascript framework like sencha touch http www sencha com products touch or jquery mobile http jquerymobile com using phonegap http phonegap com or cordova http cordova apache org to access native device features you can now edit your source code on your computer and use this tool to immediately sync your code change for testing onto one or more mobiles devices all without needing to compile or redeploy your app description traditionally when developing sencha touch apps on mobile and tablet devices you need to minify and repackage the sencha source code then recompile that with the phonegap framework with each platform sdk compiler and then redeploy each native app to mobile devices and emulators for testing for sencha apps this is done by sencha app build run native for native app development this can be a slow process that you have to repeat for each code change before you can test the change on a native device or emulator this tool allows you to massively speed up development of your phonegap and sencha touch native apps by skipping all of these steps using this tool you can update any javascript css scss or html source file on your development computer and it will instantly load your changes and restart the app on your device or emulators this means you can live edit and test changes as you save them onto multiple devices it even preserves the current client side route so in most cases you can immediately retest the active view without having to re navigate to that view this means you can place any number of devices emulators in front of you and instantly see the effect of your last code change one or more android ios and wp8 devices you can even serve up your source code from your local computer onto a cloud device testing labs https google com q cloud device testing labs to test your app on hundreds of different mobile devices you can also keep your remote debuggers connected while each update occurs so you save more time by not having to restart your remote debuggers since the javascript source code is not minified it s also much easier to debug you can also elect to load the original unminified sencha touch framework files onto the device making debugging of framework code easier we ve even added integrated a sass css compiler so you can now live edit your sass files scss and they will be auto compiled and resulting app css file auto reloaded so you can now instantly review each styling change on multiple real devices or emulators the problem the phonegap team recently released phonegap developer app http app phonegap com that supports live updating of source code in a phonegap 3 x project the current phonegap developer app is available as a download from the app stores it s great for trying out phonegap with a standard set of core plugins but unfortunately it is unusable for many production projects as you re locked into a fixed set of phonegap plugins as deployed in their app store application these plugins typically don t match types of plugins or plugin versions or internal customisations required by your app you also can t use any internally developed plugins what you really need is a live update client and server that have identical plugins to your final mobile app for sencha touch development you also need additional features and optimisations not supported by the current phonegap developer app project the solution to solve this i created stlive to create modify and serve live editable sencha touch or other phonegap based js framework projects this tool allows you to instrument a new or existing mobile project to support live updating on startup your instrumented mobile app will offer you options to either a run your existing fully compiled and minified native app or b start up a live update client that connects to an stlive server that can dispatch your original unmodified html ccs js source code from your project folder onto the device it also dispatches platform specific code e g cordova plugin javascript from your app project the stlive server then watches for any changes in your source code files and will notify the client to reload your project source code and restart your app whenever you change a source file unlike the current phonegap developer app the live update client and server components and your final native app are now running identically configured cordova plugins since they are all using the same phonegap project instance to do so for testing purposes you can be assured that the native app and live update client will be running identical phonegap configurations since they are now compiled and deployed as one app and the server is dispatching the same plugin source code using this tool you should be able to complete most of your development and testing using the live update client only needing to rebuild and redeploy when your project s cordova plugin configuration is changed supported frameworks and versions this tool is based on open source technology developed by the phonegap team but it s been modified to support the sencha touch 2 x framework it should also work for hybrid frameworks like jquery mobile that store their original html5 source in the www subdirectory of a phonegap or cordova project the server can be run from either a sencha touch project folder or the phonegap or cordova project folders and will it adapt the file paths dispatched accordingly it should support the following project types sencha touch 2 x phonegap 3 x cordova 3 x tested for st 2 3 2 pg 3 4 0 on windows 7 jquery mobile phonegap 3 x not yet tested jquery mobile cordova 3 x not yet tested phonegap 3 x standalone not yet tested cordova 3 x standalone not yet tested testers welcome please log your ve ve test results as issues https github com tohagan stlive issues installation if you re already developing sencha touch native apps with phonegap you probably won t have much to install most existing sencha touch phonegap developers will only need to run sudo npm install g stlive but you might want to checkout the installation guide install md to make sure you ve got everything particularly before logging an issue https github com tohagan stlive issues getting started step 1 configure your stlive user settings file run stlive settings show the first time you run stlive it will create a copy of the stlive json https github com tohagan stlive blob master stlive json file that ships with the app to your local settings file stlive json stlive merges settings from stlive json files it finds in your current ancestor and home directories this allows you to configure settings for a group of projects by placing a copy in a parent folder contains the related project as subfolders you can then override and version control settings for a specific project by adding an stlive json file to the project subfolder stlive json files configure preferences including sdk location of your sencha touch sdk e g bin sencha touch 2 3 2 cmd version specific sencha command e g sencha 4 0 4 84 or just sencha which will get the last installed appdomain your company s domain name in reverse e g com sencha platforms select android ios or wp8 platforms to add to new projects build remote set to true to enable phonegap build service and update build username and build password these settings are copied into new projects and then read from each project windows you ll find the home file at userprofile stlive json you ll need a modern text editor like brackets http brackets io notepad http notepad plus plus org download or textpad https www textpad com windows notepad won t be much use step 2 start your simulators emulators devices but hang on we don t even have an app yet trust me you soon will refer to installation guide install md topics covering device simulators and emulators and javascript remote debugging step 3 create compile deploy and run a new live editable sencha touch phonegap app open a terminal widow for osx you may need to change the background color to black or a dark color to view colored text stlive create run demoapp as this runs you will see the highlighted sencha and cordova commands it s using to generate your new new app based on your settings if all is well at the end of this process you should have a new mobile app deployed and running on your devices emulators simulator if you need to fix any configuration issues and perform a rebuild you can run stlive build run in the new demoapp project subdirectory step 4 now run a live update server from your new demoapp project folder the server will then display the ip address and port number it s listened on cd demoapp stlive serve listening on 192 168 0 17 3000 hit control c to stop step 5 make sure the app has started on your device and select the live update link then key in the ip address and port number to connect to the server you should see the server display the source files the client app is requesting for cordova platform and plugin files it will also display the actual file path dispatched in green you can use this to identify and fix any network or project configuration issues finally you should see welcome to sencha touch 2 displayed as the app title bar on your device or emulator step 6 now live edit the view that is displayed open demoapp app views main js and edit the welcome message and save the file you should see the app instantly reload itself from the server app now displays the new welcome message on the device connect multiple devices of mixed types ios android wp8 they should all reload in response to a source file change each will load the cordova js files for their platform step 7 connect to the app using a remote debugger ios follow these instructions http phonegap tips com articles debugging ios phonegap apps with safaris web inspector html android 4 4 follow these instructions https developer chrome com devtools docs remote debugging needs chrome v32 or later on desktop computer step 8 rebuilding and redeployment if you ve added new sencha classes or changed class dependencies you probably only need to run sencha app refresh this will just rebuild the bootstrap js and bootstrap json files not perform a recompile these files are watched by stlive serve and so you can do this during a live edit session using a separate terminal window if you need to rebuild and redeploy your app e g after adding removing plugins or changing the config xml file you can run stlive build run this is basically the same as running sencha app build run native but it uses the version of sencha command configured in your settings file which you can define as a local version controlled file in your project folder it should stop your device app and deploy and run the recompiled app in the future we may add additional environment variable settings so for example could might select other sdk version and settings as well this will make it easy to switch between projects without having to reconfigure your build environment live edit sass style sheet files step 1 install ruby sass and compass compiler as per installation guide install md instructions step 2 configure the sass compiler in your stlive json setting files note you must configure the full path to the compass compiler in the bgtasks sass cmd option test that the sass compiler starts and resolve any configuration issues stlive sass sass compass sass compiler starting sass compass is polling for changes hit control c to stop use ctrl c to stop the sass compiler step 3 now start the sass compiler as part of the st live server stlive serve sass sass compass sass compiler starting sass compass is polling for changes listening on 192 168 0 17 3000 hit control c to stop ctrl c will now stop both the st live server and the sass compiler step 4 start your emulator or device and load your mobile app and begin live update editing step 5 change the base color theme for your app by adding this line to the top of resources sass app scss and save the file base color 186fa5 you should see the compass compiler detect the change and recompile your sass file and then the st live server detect the resulting change to the resources css app css file and it reload your app with a new theme color for more information on theming sencha touch apps refer to an introduction to theming sencha touch http www sencha com blog an introduction to theming sencha touch video tutorial http www sencha com learn theming sencha touch getting started with sencha touch 2 build a weather utility app part1 http www sencha com blog getting started with sencha touch 2 build a weather utility app part 1 part 2 http www sencha com blog getting started with sencha touch 2 build a weather utility app part 2 live edit using a desktop or mobile browser you don t even need a mobile device to use stlive just open the url in chrome or safari mobile or desktop browsers the browser will similarly auto reload as you edit source code note your app should work provided you re not calling any phonegap plugin apis directly sencha touch provides wrapper classes that can emulate some of the phonegap apis when your app is run in a desktop browser see devices in sencha touch api http docs sencha com touch 2 3 2 example ext device filesystem http docs sencha com touch 2 3 2 source filesystem html ext device filesystem live internet demo or live testing cool feature often you need to demo or test development versions of your app to friends beta testers or customers who live outside your firewall normally you d have to setup external web hosting to host your app the localtunnel option creates an encrypted socket connection from your stlive server to new host name that is a random subdomain of localtunnel me http localtunnel me this will expose your stlive server server with a random subdomain that is accessible on the internet if you know the new name stlive serve localtunnel you can now use this external url for browser or device testing or to demo or test development versions of your app to friends testers or customers you can even connect your app server to cloud based mobile device testing lab https google com q mobile device testing lab to test your app on hundreds of different mobile devices or use it when you visit an open device lab http lab up org security warning while the node app server is generally regarded as secure enabling this feature effectively punches a hole in your firewall in theory it only exposes your source files as read only and the random domain name provides some additional protection however there is some small risk that a security vulnerability exists no penetration testing has been conducted this feature is intended for brief demoes and testing only not recommended for a production service or prolonged or frequent use as per apache 2 0 license no liability is accepted use at your own risk example 1 create a named url endpoint outside your firewall cd myapp stlive serve localtunnel starting in d projects stlive sandbox myapp listening on 192 168 7 54 3000 localtunnel https jgwpgspbip localtunnel me random internet url on successful connection the server will report its url endpoint as http random localtunnel me you can now key in this endpoint to the live update app on your mobile devices example 2 serve compiled sencha code a localtunnel connection can be rather slow so let s compile it first and then serve the compressed js css files cd myapp compile sencha project code into phonegap www sencha app build native important change to the phonegap subdirectory of your sencha project the server will now load the files from phonegap www and your app will load much faster as it s now loading a single app js file containing your compressed version of all of your sencha touch class files and their dependent framework classes cd phonegap now show an external demo of your app using compressed code stlive serve localtunnel starting in d projects stlive sandbox myapp listening on 192 168 7 54 3000 localtunnel https jgwpgspbip localtunnel me example 3 use a qr code to connect devices this will display a qr code of the server ip address and port so you can connect local devices stlive serve qr this will display qr codes on the terminal for both local ip address and the remote localtunnel me subdomain stlive serve localtunnel qr if you re demoing your app to friends they will need to first install your compiled app on their devices but provided the plugins don t change you then just share your screen over skype or google and they can use the 2nd qr code on your screen to connect their local devices to your app and load the latest version via the localtunnel subdomain note each time you restart the server the localtunnel host name will change preparing for mdm or app store deployment appstores or your corporate mdm server http en wikipedia org wiki mobile device management are unlikely to accept your mobile app with live edit instrumentation so we ve made it easy to remove this prior to rebuilding for final release and add it back later so you can continue development you also want to run stlive remove as part of your ci build service to remove the live editing and rebuild and test cd myapp stlive remove stlive build run add live editing back you can easily add it back in and redeploy you can also use this for an existing sench touch app stlive add stlive build run what do stlive create stlive add and stlive remove do to my project files stlive create and stlive add perform the following adds phonegap www live directory containing the live edit app adds phonegap www start html file config xml changes the start up page to be start html config xml sets access origin to be stlive remove performs the following deletes the phonegap www live directory deletes the phonegap www start html file config xml changes the start up page to be index html config xml reverts access origin to original origin review your config xml and you ll see that stlive create and stlive add inserts xml comments that are used to enable disable xml elements when live editing is added or removed by adjusting these comment headers live on begin elements used when live editting is on live on end live off begin elements used when live editting is off live off end you can use these to manage plugin access origin constraints or other property differences between live editting and production builds do not insert additional xml comments between these begin end markers or they will not work note prior to version 0 2 2 stlive used config live xml and config orig xml files to manage these differences these files are no longer used adding removing cordova phonegap plugins when adding and removing project plugins you should cd phonegap cordova plugin add plugin url then update config xml with any additional xml elements as required by your new plugin for sencha touch projects you should update the config xml file in your sencha touch project folder it will be copied over the phonegap www config xml file when you perform a sencha or stlive build other projects like jquery mobile can just maintain the phonegap www config xml file phonegap s documentation adding plugins http docs phonegap com en 3 5 0 guide cli index md html the 20command line 20interface add plugin features config xml http docs phonegap com en 3 5 0 config ref index md html configuring phonegap http docs build phonegap com en us command summary create build new sencha touch app with live edit create a new sencha touch 2 x phonegap 3 x app with an embedded live edit client stlive create run appdomain appname example stlive create run au com mycompany mycoolapp the run option will deploy and run the new app on attached devices tip the domain or app name can be specified or use a default from your stlive json files if you create all your sencha projects under a common parent folder you can create a stlive json in that parent folder and setup common defaults like appdomain for all your projects builds a sencha touch app same as sencha app build native but it uses the version of sencha command configured in stlive json in your home directory or current ancestor directories of your project stlive build run the run option will deploy and run the app on attached devices tip this is basically the same as running sencha app build run native but it uses the version of sencha command configured in your settings file so you may wish to add a stlive json file as part of your project so you can auto select the right version of sencha command and sencha touch a future version may support settings environment variables prior to running sencha command so that the build process and all the related build tools can be customised on a per project basis this would make it fast and easy to switch build parameters and tools just by changing projects directory and ensure that it s all version controlled i recommend that your project stlive json files only contain project specific settings and that it inherit other settings from config files in your home or ancestor folders when we roll out new releases of stlive that have new features and settings you will likely avoid the need to update each of your project s config files you should always include the schema property in your config files so the app can report schema version changes compile and deploy phonegap app these commands will not recompile your sencha code just the phonegap code but it will redeploy to the device which can be quicker than doing this manually stlive run platform recompiles and deploys your app to devices emulators simulators instrumenting existing mobile apps for live edit run these command in a sencha touch phonegap or cordova project folder stlive add add a live client to an existing sencha touch or phonegap project stlive remove removes the live client from a project pre app store or production mdm deployment stlive update updates project live client to latest version after upgrading stlive run sass compass compiler stlive sass starts the sass compass compiler configured in your stlive json settings file refer to installation guide install md for details of how to install and configure the sass compiler run live edit app server run these command in a sencha touch phonegap or cordova project folder runs a live update server in your sencha touch or phonegap project folder stlive serve port number localtunnel sass port number changes default server port number localtunnel connects your server to a random subdomain of localtunnel me http localtunnel me sass starts a sass compass compiler with the live edit server your sench touch sass files in resources sass scss are now also live editable set sass true in your settings file to always auto start stop this compiler as a background task qr displays a qr code http en wikipedia org wiki qr code for server url and localtunnel url all these options can be preconfigured in a settings file info commands stlive version displays app version stlive settings show shows settings merged from stlive json files in home current or ancestor directories stlive settings diff compares settings to the default settings file stlive json https github com tohagan stlive blob master stlive json that ships with the app configuration command line options all configuration options can be overridded using corresponding command line options you ll find it helpful in speeding up creating new apps and ensuring they are consistently configured the stlive json https github com tohagan stlive blob master stlive json file contains a list of all the options and their default settings the properties are all documented with comments inside this file the first time you run the app it will create a copy of the stlive json https github com tohagan stlive blob master stlive json file to stlive json you can then edit this user settings file to configure your preferences setting command line properties for stlive create include your company s reversed domain name com mycompany set of phonegap plugins added to new projects enable disable phonegap build service phonegap build service user name and password many other options https github com tohagan stlive blob master stlive json configuration properties for stlive create include server port number enable disable live edit reloading enable disable external tunnel to localtunnel me set files directories that trigger reloads for sencha touch projects set files directories that trigger reloads for cordova phonegap projects enable disable background sass compiler and configure command line and directory overriding options the first time you run this app it will create a stlive json file in your home directory that allows you to override these defaults this file is a copy of the stlive json that ships with the app at this stlive is updated with new versions you may need to maintain the settings in this file known issues navigating back to the start page and then re selecting the live update link often fails to restart the live update client workaround stop and restart the mobile app or redeploy it using stlive run refer to the issues list https github com tohagan stlive issues for more info releases release history https github com tohagan stlive blob master history md acknowledgements a huge thank you to the phonegap project team and abobe inc who sponsored them without their having open sourced the phonegap developer app http app phonegap com this app would not exist licence apache 2 0 additional sencha projects other sencha tools i ve developed sencha ico moon https github com tohagan sencha ico moon quickly create and install your custom icons from ico moon into your sencha touch or extjs project converts ico moon project files into sencha sass icon files includes step by step instructions coming soon autologger automated rule based logging api for sencha extjs sencha touch performance optimised call logging that records class and method name call arguments response exceptions timing and nested call depth for any pattern of namespace class or method name significantly reduces diagnostic logging coding effort and speeds up defect diagnosis entire classes or namespaces can be logged with a single line rule displays as collapsible regions and hyperlinked to log calls in chrome console zero overheads when disabled so ideal for diagnosing faults in both development and production builds additional rules can select manual logging level based on class or method patterns
front_end
vitamin-android
important this current version of vitamin will no longer evolve and only accept bug fixes from now on more details here https github com decathlon vitamin design blob main important note md br p align center img width 300px src https user images githubusercontent com 9600228 102414461 e3b92b00 3ff6 11eb 9c96 5f37c4d5e02c png gh light mode only alt vitamin decathlon design system logo img width 300px src https user images githubusercontent com 9600228 147513091 66fcc204 279b 4140 9be5 c16744c0f637 png gh dark mode only alt vitamin decathlon design system logo p h1 align center vitamin android h1 p align center decathlon design system libraries for android applications p p align center a href https www decathlon design website a p p align center a aria label contributors graph href https github com decathlon vitamin android graphs contributors img src https img shields io github contributors decathlon vitamin android svg a a aria label last commit href https github com decathlon vitamin android commits img alt src https img shields io github last commit decathlon vitamin android svg a a aria label license href https github com decathlon vitamin android blob main license img src https img shields io github license decathlon vitamin android svg alt a a aria label bitrise build main branch href https app bitrise io app 62ac2962b2dd627a img src https app bitrise io app 62ac2962b2dd627a status svg token glchgxawv2t4iitzit43 a branch main alt a a aria label slack href https join slack com t decathlon design shared invite zt 13kxb50ar ihzqv olsu4 nckepj5c4g img src https img shields io badge slack decathlon 20design 20system purple svg logo slack alt a p introduction android decathlon design system libraries are based on material design components described on the official documentation https material io and developed in a library https github com material components material components android maintained by google developers and designers but these native components are overridden to respect decathlon s visual identity you ll find the design specifications and technical information for supported platforms by decathlon on decathlon design https www decathlon design if you are interested by a sample you can install a demo with sample module in the technical project getting started to start using vitamin in your app you can check the vitamin module documentation https github com decathlon vitamin android tree main vitamin artifacts group description com decathlon vitamin appbars build uis with ready to use appbars components com decathlon vitamin buttons build uis with ready to use button components com decathlon vitamin checkboxes build uis with ready to use checkbox components com decathlon vitamin chips build uis with ready to use chip components com decathlon vitamin dividers build uis with ready to use divider component com decathlon vitamin fabs build uis with ready to use floatingactionbutton components com decathlon vitamin foundation fundamental components of ui with texts and colors com decathlon vitamin foundation assets fundamental components of ui for iconography com decathlon vitamin foundation icons fundamental components of ui for assets com decathlon vitamin menus build uis with ready to use menu components com decathlon vitamin modals build uis with ready to use modal components com decathlon vitamin prices build uis with ready to use price component com decathlon vitamin progressbars build uis with ready to use progressbar components com decathlon vitamin radiobuttons build uis with ready to use radiobutton components com decathlon vitamin ratings build uis with ready to use rating components com decathlon vitamin skeleton build uis with ready to use skeleton components com decathlon vitamin snackbars build uis with ready to use snackbar component com decathlon vitamin switches build uis with ready to use switch components com decathlon vitamin tabs build uis with ready to use tabs components com decathlon vitamin tags build uis with ready to use tag components com decathlon vitamin textinputs build uis with ready to use textinput components com decathlon vitamin build uis with ready to use decathlon s visual identity components download release artifacts are available on maven central check the release page https github com decathlon vitamin android releases to know what is the latest release version of vitamin artifacts kotlin repositories mavencentral implementation com decathlon vitamin vitamin last version if you want to test latest changes merge in main branch you can test vitamin android from snapshot artifacts but we don t recommend to use theses artifacts in production where you can have regressions or breaking changes until the next official release kotlin repositories maven url uri https oss sonatype org content repositories snapshots implementation com decathlon vitamin vitamin latest major 1 0 0 snapshot if you have any question about the versioning of this project you can just read our documentation https github com decathlon vitamin android tree main versioning md about it special thanks thank you to the contributors https github com decathlon vitamin android graphs contributors involved in these vitamin android libraries a href https github com decathlon vitamin android graphs contributors img src https contrib rocks image repo decathlon vitamin android a thank you also remix icon https remixicon com because vitamix icons is the official decathlon icon library based on their open source icon library https github com remix design remixicon remix design 2020 this original library is under the license apache 2 0 and has been modified by decathlon learn more https www decathlon design 726f8c765 p 58575f vitamix license license copyright 2021 decathlon 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
android components design mobile design-system decathlon vitamin material-design android-library
os